unison-2.40.102/0000755006131600613160000000000012050210657013373 5ustar bcpiercebcpierceunison-2.40.102/abort.ml0000644006131600613160000000415611361646373015056 0ustar bcpiercebcpierce(* Unison file synchronizer: src/abort.ml *) (* Copyright 1999-2009, Benjamin C. Pierce This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . *) let debug = Trace.debug "abort" (****) let maxerrors = Prefs.createInt "maxerrors" 1 "!maximum number of errors before a directory transfer is aborted" "This preference controls after how many errors Unison aborts a \ directory transfer. Setting it to a large number allows Unison \ to transfer most of a directory even when some files fail to be \ copied. The default is 1. If the preference is set too high, \ Unison may take a long time to abort in case of repeated \ failures (for instance, when the disk is full)." (****) let files = Hashtbl.create 17 let abortAll = ref false let errorCountCell id = try Hashtbl.find files id with Not_found -> let c = ref 0 in Hashtbl.add files id c; c let errorCount id = !(errorCountCell id) let bumpErrorCount id = incr (errorCountCell id) (****) let reset () = Hashtbl.clear files; abortAll := false (****) let file id = debug (fun() -> Util.msg "Aborting line %s\n" (Uutil.File.toString id)); bumpErrorCount id let all () = abortAll := true (****) let check id = debug (fun() -> Util.msg "Checking line %s\n" (Uutil.File.toString id)); if !abortAll || errorCount id >= Prefs.read maxerrors then begin debug (fun() -> Util.msg "Abort failure for line %s\n" (Uutil.File.toString id)); raise (Util.Transient "Aborted") end let testException e = e = Util.Transient "Aborted" unison-2.40.102/uutil.ml0000644006131600613160000001302112025627377015101 0ustar bcpiercebcpierce(* Unison file synchronizer: src/uutil.ml *) (* Copyright 1999-2009, Benjamin C. Pierce This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . *) (*****************************************************************************) (* Unison name and version *) (*****************************************************************************) let myName = ProjectInfo.myName let myVersion = ProjectInfo.myVersion let myMajorVersion = ProjectInfo.myMajorVersion let myNameAndVersion = myName ^ " " ^ myVersion (*****************************************************************************) (* HASHING *) (*****************************************************************************) let hash2 x y = (17 * x + 257 * y) land 0x3FFFFFFF external hash_param : int -> int -> 'a -> int = "caml_hash_univ_param" "noalloc" let hash x = hash_param 10 100 x (*****************************************************************************) (* File sizes *) (*****************************************************************************) module type FILESIZE = sig type t val zero : t val dummy : t val add : t -> t -> t val sub : t -> t -> t val ofFloat : float -> t val toFloat : t -> float val toString : t -> string val ofInt : int -> t val ofInt64 : int64 -> t val toInt : t -> int val toInt64 : t -> int64 val fromStats : Unix.LargeFile.stats -> t val hash : t -> int val percentageOfTotalSize : t -> t -> float end module Filesize : FILESIZE = struct type t = int64 let zero = 0L let dummy = -1L let add = Int64.add let sub = Int64.sub let ofFloat = Int64.of_float let toFloat = Int64.to_float let toString = Int64.to_string let ofInt x = Int64.of_int x let ofInt64 x = x let toInt x = Int64.to_int x let toInt64 x = x let fromStats st = st.Unix.LargeFile.st_size let hash x = hash2 (Int64.to_int x) (Int64.to_int (Int64.shift_right_logical x 31)) let percentageOfTotalSize current total = let total = toFloat total in if total = 0. then 100.0 else toFloat current *. 100.0 /. total end (*****************************************************************************) (* File tranfer progress display *) (*****************************************************************************) module File = struct type t = int let dummy = -1 let ofLine l = l let toLine l = assert (l <> dummy); l let toString l = if l=dummy then "" else string_of_int l end let progressPrinter = ref (fun _ _ _ -> ()) let setProgressPrinter p = progressPrinter := p let showProgress i bytes ch = if i <> File.dummy then !progressPrinter i bytes ch let statusPrinter = ref None let setUpdateStatusPrinter p = statusPrinter := p let showUpdateStatus path = match !statusPrinter with Some f -> f path | None -> Trace.statusDetail path (*****************************************************************************) (* Copy bytes from one file_desc to another *) (*****************************************************************************) let bufsize = 16384 let bufsizeFS = Filesize.ofInt bufsize let buf = String.create bufsize let readWrite source target notify = let len = ref 0 in let rec read () = let n = input source buf 0 bufsize in if n > 0 then begin output target buf 0 n; len := !len + n; if !len > 100 * 1024 then begin notify !len; len := 0 end; read () end else if !len > 0 then notify !len in Util.convertUnixErrorsToTransient "readWrite" read let readWriteBounded source target len notify = let l = ref 0 in let rec read len = if len > Filesize.zero then begin let n = input source buf 0 (if len > bufsizeFS then bufsize else Filesize.toInt len) in if n > 0 then begin let _ = output target buf 0 n in l := !l + n; if !l >= 100 * 1024 then begin notify !l; l := 0 end; read (Filesize.sub len (Filesize.ofInt n)) end else if !l > 0 then notify !l end else if !l > 0 then notify !l in Util.convertUnixErrorsToTransient "readWriteBounded" (fun () -> read len) (*****************************************************************************) (* ESCAPING SHELL PARAMETERS *) (*****************************************************************************) (* Using single quotes is simpler under Unix but they are not accepted by the Windows shell. Double quotes without further quoting is sufficient with Windows as filenames are not allowed to contain double quotes. *) let quotes s = if Util.osType = `Win32 && not Util.isCygwin then "\"" ^ s ^ "\"" else "'" ^ Util.replacesubstring s "'" "'\\''" ^ "'" unison-2.40.102/strings.mli0000644006131600613160000000024611361646373015605 0ustar bcpiercebcpierce(* Unison file synchronizer: src/strings.mli *) (* Copyright 1999-2009, Benjamin C. Pierce (see COPYING for details) *) val docs : (string * (string * string)) list unison-2.40.102/bytearray.ml0000644006131600613160000000520211361646373015742 0ustar bcpiercebcpierce(* Unison file synchronizer: src/bytearray.ml *) (* Copyright 1999-2009, Benjamin C. Pierce This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . *) open Bigarray type t = (char, int8_unsigned_elt, c_layout) Array1.t let length = Bigarray.Array1.dim let create l = Bigarray.Array1.create Bigarray.char Bigarray.c_layout l (* let unsafe_blit_from_string s i a j l = for k = 0 to l - 1 do a.{j + k} <- s.[i + k] done let unsafe_blit_to_string a i s j l = for k = 0 to l - 1 do s.[j + k] <- a.{i + k} done *) external unsafe_blit_from_string : string -> int -> t -> int -> int -> unit = "ml_blit_string_to_bigarray" "noalloc" external unsafe_blit_to_string : t -> int -> string -> int -> int -> unit = "ml_blit_bigarray_to_string" "noalloc" let to_string a = let l = length a in if l > Sys.max_string_length then invalid_arg "Bytearray.to_string" else let s = String.create l in unsafe_blit_to_string a 0 s 0 l; s let of_string s = let l = String.length s in let a = create l in unsafe_blit_from_string s 0 a 0 l; a let sub a ofs len = if ofs < 0 || len < 0 || ofs > length a - len || len > Sys.max_string_length then invalid_arg "Bytearray.sub" else begin let s = String.create len in unsafe_blit_to_string a ofs s 0 len; s end let rec prefix_rec a i a' i' l = l = 0 || (a.{i} = a'.{i'} && prefix_rec a (i + 1) a' (i' + 1) (l - 1)) let prefix a a' i = let l = length a in let l' = length a' in i <= l' - l && prefix_rec a 0 a' i l let blit_from_string s i a j l = if l < 0 || i < 0 || i > String.length s - l || j < 0 || j > length a - l then invalid_arg "Bytearray.blit_from_string" else unsafe_blit_from_string s i a j l let blit_to_string a i s j l = if l < 0 || i < 0 || i > length a - l || j < 0 || j > String.length s - l then invalid_arg "Bytearray.blit_to_string" else unsafe_blit_to_string a i s j l external marshal : 'a -> Marshal.extern_flags list -> t = "ml_marshal_to_bigarray" external unmarshal : t -> int -> 'a = "ml_unmarshal_from_bigarray" unison-2.40.102/linktext.ml0000644006131600613160000000142711361646373015607 0ustar bcpiercebcpierce(* Unison file synchronizer: src/linktext.ml *) (* Copyright 1999-2009, Benjamin C. Pierce This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . *) module TopLevel = Main.Body(Uitext.Body) unison-2.40.102/xferhint.mli0000644006131600613160000000143111361646373015740 0ustar bcpiercebcpierce(* Unison file synchronizer: src/xferhint.mli *) (* Copyright 1999-2009, Benjamin C. Pierce (see COPYING for details) *) (* This module maintains a cache that can be used to map an Os.fingerprint to a (Fspath.t * Path.t) naming a file that *may* (if we are lucky) have this fingerprint. The cache is not guaranteed to be reliable -- the things it returns are only hints, and must be double-checked before they are used (to optimize file transfers). *) val xferbycopying: bool Prefs.t type handle (* Suggest a file that's likely to have a given fingerprint *) val lookup: Os.fullfingerprint -> (Fspath.t * Path.local * handle) option (* Add a file *) val insertEntry: Fspath.t -> Path.local -> Os.fullfingerprint -> unit (* Delete an entry *) val deleteEntry: handle -> unit unison-2.40.102/INSTALL.win320000644006131600613160000000110611361646373015377 0ustar bcpiercebcpierceInstallation notes to build Unison on Windows systems We provide two options for building Unison on MS Windows. Both options require the Cygwin layer to be able to use a few GNU tools as well as the OCaml distribution version. The options differ in the C compiler employed: MS Visual C++ (MSVC) vs Cygwin GNU C. Tradeoff? . Only the MSVC option can produce statically linked Unison executable. . The Cygwin GNU C option requires only free software. The files "INSTALL.win32-msvc" and "INSTALL.win32-cygwin-gnuc" describe the building procedures for the respective options. unison-2.40.102/tree.ml0000644006131600613160000000605711361646373014710 0ustar bcpiercebcpierce(* Unison file synchronizer: src/tree.ml *) (* Copyright 1999-2009, Benjamin C. Pierce This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . *) type ('a, 'b) t = Node of ('a * ('a, 'b) t) list * 'b option | Leaf of 'b type ('a, 'b) u = { anc: (('a, 'b) u * 'a) option; node: 'b option; children: ('a * ('a, 'b) t) list} let start = {anc = None; node = None; children = []} let add t v = {t with node = Some v} let enter t n = {anc = Some (t, n); node = None; children = []} let leave t = match t with {anc = Some (t, n); node = None; children = []} -> t | {anc = Some (t, n); node = Some v; children = []} -> {t with children = (n, Leaf v) :: t.children} | {anc = Some (t, n); node = v; children = l} -> {t with children = (n, (Node (Safelist.rev l, v))) :: t.children} | {anc = None} -> invalid_arg "Tree.leave" let finish t = match t with {anc = Some _} -> invalid_arg "Tree.finish" | {anc = None; node = Some v; children = []} -> Leaf v | {anc = None; node = v; children = l} -> Node (Safelist.rev l, v) let rec leave_all t = if t.anc = None then t else leave_all (leave t) let rec empty t = {anc = begin match t.anc with Some (t', n) -> Some (empty t', n) | None -> None end; node = None; children = []} let slice t = (finish (leave_all t), empty t) (****) let is_empty t = match t with Node ([], None) -> true | _ -> false let rec map f g t = match t with Node (l, v) -> Node (Safelist.map (fun (n, t') -> (f n, map f g t')) l, match v with None -> None | Some v -> Some (g v)) | Leaf v -> Leaf (g v) let rec iteri t path pcons f = match t with Node (l, v) -> begin match v with Some v -> f path v | None -> () end; Safelist.iter (fun (n, t') -> iteri t' (pcons path n) pcons f) l | Leaf v -> f path v let rec size_rec s t = match t with Node (l, v) -> let s' = if v = None then s else s + 1 in Safelist.fold_left (fun s (_, t') -> size_rec s t') s' l | Leaf v -> s + 1 let size t = size_rec 0 t let rec flatten t path pcons result = match t with Leaf v -> (path, v) :: result | Node (l, v) -> let rem = Safelist.fold_right (fun (name, t') rem -> flatten t' (pcons path name) pcons rem) l result in match v with None -> rem | Some v -> (path, v) :: rem unison-2.40.102/fspath.mli0000644006131600613160000000242212025627377015400 0ustar bcpiercebcpierce(* Unison file synchronizer: src/fspath.mli *) (* Copyright 1999-2009, Benjamin C. Pierce (see COPYING for details) *) (* Defines an abstract type of absolute filenames (fspaths) *) type t val child : t -> Name.t -> t val concat : t -> Path.local -> t val canonize : string option -> t val toString : t -> string val toPrintString : t -> string val toDebugString : t -> string val toSysPath : t -> System.fspath (* If fspath+path refers to a (followed) symlink, then return the directory *) (* of the symlink's target; otherwise return the parent dir of path. If *) (* fspath+path is a root directory, raise Fatal. *) val findWorkingDir : t -> Path.local -> (t * Path.local) (* Return the least distinguishing suffixes of two fspaths, for displaying *) (* in the user interface. *) val differentSuffix: t -> t -> (string * string) (* Return the AppleDouble filename; if root dir, raise Invalid_argument *) val appleDouble : t -> t (* Return the resource fork filename; if root dir, raise Invalid_argument *) val rsrc : t -> t (* Escaped fspath (to pass as shell parameter) *) val quotes : t -> string (* CASE-SENSITIVE comparison between fspaths *) val compare : t -> t -> int unison-2.40.102/path.ml0000644006131600613160000001603112025627377014677 0ustar bcpiercebcpierce(* Unison file synchronizer: src/path.ml *) (* Copyright 1999-2009, Benjamin C. Pierce This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . *) (* Defines an abstract type of relative pathnames *) type 'a path = string type t = string type local = string let pathSeparatorChar = '/' let pathSeparatorString = "/" let concat p p' = let l = String.length p in if l = 0 then p' else let l' = String.length p' in if l' = 0 then p else let p'' = String.create (l + l' + 1) in String.blit p 0 p'' 0 l; p''.[l] <- pathSeparatorChar; String.blit p' 0 p'' (l + 1) l'; p'' let empty = "" let isEmpty p = String.length p = 0 let length p = let l = ref 0 in for i = 0 to String.length p - 1 do if p.[i] = pathSeparatorChar then incr l done; !l (* Add a name to the end of a path *) let rcons n path = concat (Name.toString n) path let toStringList p = Str.split (Str.regexp pathSeparatorString) p (* Give a left-to-right list of names in the path *) let toNames p = Safelist.map Name.fromString (toStringList p) let child path name = concat path (Name.toString name) let parent path = try let i = String.rindex path pathSeparatorChar in String.sub path 0 i with Not_found -> empty let finalName path = try let i = String.rindex path pathSeparatorChar + 1 in Some (Name.fromString (String.sub path i (String.length path - i))) with Not_found -> if isEmpty path then None else Some (Name.fromString path) (* pathDeconstruct : path -> (name * path) option *) let deconstruct path = try let i = String.index path pathSeparatorChar in Some (Name.fromString (String.sub path 0 i), String.sub path (i + 1) (String.length path - i - 1)) with Not_found -> if isEmpty path then None else Some (Name.fromString path, empty) let deconstructRev path = try let i = String.rindex path pathSeparatorChar in Some (Name.fromString (String.sub path (i + 1) (String.length path - i - 1)), String.sub path 0 i) with Not_found -> if path = "" then None else Some (Name.fromString path, empty) let winAbspathRx = Rx.rx "([a-zA-Z]:)?(/|\\\\).*" let unixAbspathRx = Rx.rx "/.*" let is_absolute s = if Util.osType=`Win32 then Rx.match_string winAbspathRx s else Rx.match_string unixAbspathRx s (* Function string2path: string -> path THIS IS THE CRITICAL FUNCTION. Problem: What to do on argument "" ? What we do: we raise Invalid_argument. Problem: double slash within the argument, e.g., "foo//bar". What we do: we raise Invalid_argument. Problem: What if string2path is applied to an absolute path? We want to disallow this, but, relative is relative. E.g., on Unix it makes sense to have a directory with subdirectory "c:". Then, it makes sense to synchronize on the path "c:". But this will go badly if the Unix system synchronizes with a Windows system. What we do: we check whether a path is relative using local conventions, and raise Invalid_argument if not. If we synchronize with a system with other conventions, then problems must be caught elsewhere. E.g., the system should refuse to create a directory "c:" on a Windows machine. Problem: spaces in the argument, e.g., " ". Still not sure what to do here. Is it possible to create a file with this name in Unix or Windows? Problem: trailing slashes, e.g., "foo/bar/". Shells with command-line completion may produce these routinely. What we do: we remove them. Moreover, we remove as many as necessary, e.g., "foo/bar///" becomes "foo/bar". This may be counter to conventions of some shells/os's, where "foo/bar///" might mean "/". Examples: loop "hello/there" -> ["hello"; "there"] loop "/hello/there" -> [""; "hello"; "there"] loop "" -> [""] loop "/" -> [""; ""] loop "//" -> [""; ""; ""] loop "c:/" ->["c:"; ""] loop "c:/foo" -> ["c:"; "foo"] *) let fromString str = let str0 = str in let str = if Util.osType = `Win32 then Fileutil.backslashes2forwardslashes str else str in if is_absolute str then raise (Util.Transient (Printf.sprintf "The path '%s' is not a relative path" str)); let str = Fileutil.removeTrailingSlashes str in if str = "" then empty else let rec loop p str = try let pos = String.index str pathSeparatorChar in let name1 = String.sub str 0 pos in if name1 = ".." then raise (Util.Transient (Printf.sprintf "Reference to parent directory '..' not allowed \ in path '%s'" str0)); let str_res = String.sub str (pos + 1) (String.length str - pos - 1) in if pos = 0 || name1 = "." then begin loop p str_res end else loop (child p (Name.fromString name1)) str_res with Not_found -> if str = ".." then raise (Util.Transient (Printf.sprintf "Reference to parent directory '..' not allowed \ in path '%s'" str0)); if str = "." then p else child p (Name.fromString str) | Invalid_argument _ -> raise(Invalid_argument "Path.fromString") in loop empty str let toString path = path let compare p1 p2 = (Case.ops())#compare p1 p2 let toDebugString path = String.concat " / " (toStringList path) let addSuffixToFinalName path suffix = path ^ suffix let addPrefixToFinalName path prefix = try let i = String.rindex path pathSeparatorChar + 1 in let l = String.length path in let l' = String.length prefix in let p = String.create (l + l') in String.blit path 0 p 0 i; String.blit prefix 0 p i l'; String.blit path i p (i + l') (l - i); p with Not_found -> assert (not (isEmpty path)); prefix ^ path (* Pref controlling whether symlinks are followed. *) let followPred = Pred.create ~advanced:true "follow" ("Including the preference \\texttt{-follow \\ARG{pathspec}} causes Unison to \ treat symbolic links matching \\ARG{pathspec} as `invisible' and \ behave as if the object pointed to by the link had appeared literally \ at this position in the replica. See \ \\sectionref{symlinks}{Symbolic Links} for more details. \ The syntax of \\ARG{pathspec} is \ described in \\sectionref{pathspec}{Path Specification}.") let followLink path = (Util.osType = `Unix || Util.isCygwin) && Pred.test followPred (toString path) let forceLocal p = p let makeGlobal p = p unison-2.40.102/bytearray_stubs.c0000644006131600613160000000227111361646373016777 0ustar bcpiercebcpierce/* Unison file synchronizer: src/bytearray_stubs.c */ /* Copyright 1999-2009 (see COPYING for details) */ #include #include "caml/intext.h" #include "caml/bigarray.h" CAMLprim value ml_marshal_to_bigarray(value v, value flags) { char *buf; long len; output_value_to_malloc(v, flags, &buf, &len); return alloc_bigarray(BIGARRAY_UINT8 | BIGARRAY_C_LAYOUT | BIGARRAY_MANAGED, 1, buf, &len); } #define Array_data(a, i) (((char *) a->data) + Long_val(i)) CAMLprim value ml_unmarshal_from_bigarray(value b, value ofs) { struct caml_bigarray *b_arr = Bigarray_val(b); return input_value_from_block (Array_data (b_arr, ofs), b_arr->dim[0] - Long_val(ofs)); } CAMLprim value ml_blit_string_to_bigarray (value s, value i, value a, value j, value l) { char *src = String_val(s) + Int_val(i); char *dest = Array_data(Bigarray_val(a), j); memcpy(dest, src, Long_val(l)); return Val_unit; } CAMLprim value ml_blit_bigarray_to_string (value a, value i, value s, value j, value l) { char *src = Array_data(Bigarray_val(a), i); char *dest = String_val(s) + Long_val(j); memcpy(dest, src, Long_val(l)); return Val_unit; } unison-2.40.102/uitext.mli0000644006131600613160000000022211361646373015430 0ustar bcpiercebcpierce(* Unison file synchronizer: src/uitext.mli *) (* Copyright 1999-2009, Benjamin C. Pierce (see COPYING for details) *) module Body : Uicommon.UI unison-2.40.102/sortri.mli0000644006131600613160000000147411361646373015442 0ustar bcpiercebcpierce(* Unison file synchronizer: src/sortri.mli *) (* Copyright 1999-2009, Benjamin C. Pierce (see COPYING for details) *) (* Sort a list of recon items according to the current setting of various preferences (defined in sort.ml, and accessible from the profile and via the functions below) *) val sortReconItems : Common.reconItem list -> Common.reconItem list (* The underlying comparison function for sortReconItems (in case we want to use it to sort something else, like stateItems in the UI) *) val compareReconItems : unit -> (Common.reconItem -> Common.reconItem -> int) (* Set the global preferences so that future calls to sortReconItems will sort in particular orders *) val sortByName : unit -> unit val sortBySize : unit -> unit val sortNewFirst : unit -> unit val restoreDefaultSettings : unit -> unit unison-2.40.102/strings.ml0000644006131600613160000000004512050210653015411 0ustar bcpiercebcpierce(* Dummy strings.ml *) let docs = [] unison-2.40.102/common.ml0000644006131600613160000001753011361646373015237 0ustar bcpiercebcpierce(* Unison file synchronizer: src/common.ml *) (* Copyright 1999-2009, Benjamin C. Pierce This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . *) type hostname = string (* Canonized roots *) type host = Local | Remote of hostname type root = host * Fspath.t type 'a oneperpath = ONEPERPATH of 'a list (* ------------------------------------------------------------------------- *) (* Printing *) (* ------------------------------------------------------------------------- *) let root2hostname root = match root with (Local, _) -> "local" | (Remote host, _) -> host let root2string root = match root with (Local, fspath) -> Fspath.toPrintString fspath | (Remote host, fspath) -> "//"^host^"/"^(Fspath.toPrintString fspath) (* ------------------------------------------------------------------------- *) (* Root comparison *) (* ------------------------------------------------------------------------- *) let compareRoots x y = match x,y with (Local,fspath1), (Local,fspath2) -> (* FIX: This is a path comparison, should it take case sensitivity into account ? *) Fspath.compare fspath1 fspath2 | (Local,_), (Remote _,_) -> -1 | (Remote _,_), (Local,_) -> 1 | (Remote host1, fspath1), (Remote host2, fspath2) -> let result = (* FIX: Should this ALWAYS be a case insensitive compare? *) compare host1 host2 in if result = 0 then (* FIX: This is a path comparison, should it take case sensitivity into account ? *) Fspath.compare fspath1 fspath2 else result let sortRoots rootList = Safelist.sort compareRoots rootList (* ---------------------------------------------------------------------- *) type prevState = Previous of Fileinfo.typ * Props.t * Os.fullfingerprint * Osx.ressStamp | New type contentschange = ContentsSame | ContentsUpdated of Os.fullfingerprint * Fileinfo.stamp * Osx.ressStamp type permchange = PropsSame | PropsUpdated type updateItem = NoUpdates (* Path not changed *) | Updates (* Path changed in this replica *) of updateContent (* - new state *) * prevState (* - summary of old state *) | Error (* Error while detecting updates *) of string (* - description of error *) and updateContent = Absent (* Path refers to nothing *) | File (* Path refers to an ordinary file *) of Props.t (* - summary of current state *) * contentschange (* - hint to transport agent *) | Dir (* Path refers to a directory *) of Props.t (* - summary of current state *) * (Name.t * updateItem) list (* - children; MUST KEEP SORTED for recon *) * permchange (* - did permissions change? *) * bool (* - is the directory now empty? *) | Symlink (* Path refers to a symbolic link *) of string (* - link text *) (* ------------------------------------------------------------------------- *) type status = [ `Deleted | `Modified | `PropsChanged | `Created | `Unchanged ] type replicaContent = { typ : Fileinfo.typ; status : status; desc : Props.t; (* Properties (for the UI) *) ui : updateItem; size : int * Uutil.Filesize.t; (* Number of items and size *) props : Props.t list } (* Parent properties *) type direction = Conflict | Merge | Replica1ToReplica2 | Replica2ToReplica1 let direction2string = function Conflict -> "conflict" | Merge -> "merge" | Replica1ToReplica2 -> "replica1 to replica2" | Replica2ToReplica1 -> "replica2 to replica1" type difference = { rc1 : replicaContent; rc2 : replicaContent; errors1 : string list; errors2 : string list; mutable direction : direction; default_direction : direction } type replicas = Problem of string (* There was a problem during update detection *) | Different of difference (* Replicas differ *) type reconItem = {path1 : Path.t; path2 : Path.t; replicas : replicas} let ucLength = function File(desc,_) -> Props.length desc | Dir(desc,_,_,_) -> Props.length desc | _ -> Uutil.Filesize.zero let uiLength = function Updates(uc,_) -> ucLength uc | _ -> Uutil.Filesize.zero let riAction rc rc' = match rc.status, rc'.status with `Deleted, _ -> `Delete | (`Unchanged | `PropsChanged), (`Unchanged | `PropsChanged) -> `SetProps | _ -> `Copy let rcLength rc rc' = if riAction rc rc' = `SetProps then Uutil.Filesize.zero else snd rc.size let riLength ri = match ri.replicas with Different {rc1 = {status= `Unchanged | `PropsChanged}; rc2 = {status= `Unchanged | `PropsChanged}} -> Uutil.Filesize.zero (* No contents propagated *) | Different {rc1 = rc1; rc2 = rc2; direction = dir} -> begin match dir with Replica1ToReplica2 -> rcLength rc1 rc2 | Replica2ToReplica1 -> rcLength rc2 rc1 | Conflict -> Uutil.Filesize.zero | Merge -> Uutil.Filesize.zero (* underestimate :-*) end | _ -> Uutil.Filesize.zero let fileInfos ui1 ui2 = match ui1, ui2 with (Updates (File (desc1, ContentsUpdated (fp1, _, ress1)), Previous (`FILE, desc2, fp2, ress2)), NoUpdates) | (Updates (File (desc1, ContentsUpdated (fp1, _, ress1)), Previous (`FILE, desc2, fp2, ress2)), Updates (File (_, ContentsSame), _)) | (NoUpdates, Updates (File (desc2, ContentsUpdated (fp2, _, ress2)), Previous (`FILE, desc1, fp1, ress1))) | (Updates (File (_, ContentsSame), _), Updates (File (desc2, ContentsUpdated (fp2, _, ress2)), Previous (`FILE, desc1, fp1, ress1))) | (Updates (File (desc1, ContentsUpdated (fp1, _, ress1)), _), Updates (File (desc2, ContentsUpdated (fp2, _, ress2)), _)) -> (desc1, fp1, ress1, desc2, fp2, ress2) | _ -> raise (Util.Transient "Can't diff") let problematic ri = match ri.replicas with Problem _ -> true | Different diff -> diff.direction = Conflict let partiallyProblematic ri = match ri.replicas with Problem _ -> true | Different diff -> diff.direction = Conflict || diff.errors1 <> [] || diff.errors2 <> [] let isDeletion ri = match ri.replicas with Different {rc1 = rc1; rc2 = rc2; direction = rDir} -> (match rDir, rc1.typ, rc2.typ with Replica1ToReplica2, `ABSENT, _ -> true | Replica2ToReplica1, _, `ABSENT -> true | _ -> false) | _ -> false let rcType rc = Fileinfo.type2string rc.typ let riFileType ri = match ri.replicas with Different {rc1 = rc1; rc2 = rc2; default_direction = dir} -> begin match dir with Replica2ToReplica1 -> rcType rc2 | _ -> rcType rc1 end | _ -> "nonexistent" unison-2.40.102/ubase/0000755006131600613160000000000012050210657014472 5ustar bcpiercebcpierceunison-2.40.102/ubase/uarg.mli0000644006131600613160000001112611361646373016150 0ustar bcpiercebcpierce(***********************************************************************) (* *) (* Objective Caml *) (* *) (* Xavier Leroy, projet Cristal, INRIA Rocquencourt *) (* *) (* Copyright 1996 Institut National de Recherche en Informatique et *) (* Automatique. Distributed only by permission. *) (* *) (***********************************************************************) (* Slightly modified version by BCP for Unison in 1999 and 2008 *) (* Module [Uarg]: 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], [Set], [Clear], [String], [Int], [Float], and [Rest]. [Unit], [Set] and [Clear] keywords take no argument. [String], [Int], and [Float] keywords take the following word on the command line as an argument. A [Rest] keyword takes the remaining of the command line as (string) arguments. Arguments not preceded by a keyword are called anonymous arguments. *) (* Examples ([cmd] is assumed to be the command name): - [cmd -flag ](a unit option) - [cmd -int 1 ](an int option with argument [1]) - [cmd -string foobar ](a string option with argument ["foobar"]) - [cmd -float 12.34 ](a float option with argument [12.34]) - [cmd a b c ](three anonymous arguments: ["a"], ["b"], and ["c"]) - [cmd a b -- c d ](two anonymous arguments and a rest option with - [ ] two arguments) *) type spec = | Unit of (unit -> unit) (* Call the function with unit argument *) | Set of bool ref (* Set the reference to true *) | Clear of bool ref (* Set the reference to false *) | Bool of (bool -> unit) (* Pass true to the function *) | String of (string -> unit) (* Call the function with a string argument *) | Int of (int -> unit) (* Call the function with an int argument *) | Float of (float -> unit) (* Call the function with a float argument *) | Rest of (string -> unit) (* Stop interpreting keywords and call the function with each remaining argument *) (* The concrete type describing the behavior associated with a keyword. *) val parse : (string * spec * string) list -> (string -> unit) -> string -> unit (* [Uarg.parse speclist anonfun 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. [anonfun] is called on anonymous arguments. The functions in [spec] and [anonfun] are called in the same order as their arguments appear on the command line. If an error occurs, [Uarg.parse] exits the program, after printing an error message as follows: - The reason for the error: unknown option, invalid or missing argument, etc. - [usage_msg] - The list of options, each followed by the corresponding [doc] string. For the user to be able to specify anonymous arguments starting with a [-], include for example [("-", String anonfun, doc)] in [speclist]. By default, [parse] recognizes a unit option [-help], which will display [usage_msg] and the list of options, and exit the program. You can override this behaviour by specifying your own [-help] option in [speclist]. *) exception Bad of string (* Functions in [spec] or [anonfun] can raise [Uarg.Bad] with an error message to reject invalid arguments. *) val usage: (string * spec * string) list -> string -> unit (* [Uarg.usage speclist usage_msg] prints an error message including the list of valid options. This is the same message that [Uarg.parse] prints in case of error. [speclist] and [usage_msg] are the same as for [Uarg.parse]. *) val current: int ref;; (* Position (in [Sys.argv]) of the argument being processed. You can change this value, e.g. to force [Uarg.parse] to skip some arguments. *) unison-2.40.102/ubase/trace.mli0000644006131600613160000001012311361646373016304 0ustar bcpiercebcpierce(* Unison file synchronizer: src/ubase/trace.mli *) (* Copyright 1999-2009, Benjamin C. Pierce (see COPYING for details) *) (* ---------------------------------------------------------------------- *) (* Debugging support *) (* Show a low-level debugging message. The first argument is the name of the module from which the debugging message originates: this is used to control which messages are printing (by looking at the value of the 'debug' preference, a list of strings). The second argument is a thunk that, if executed, should print the actual message to stderr. Note that, since control of debugging depends on preferences, it is not possible to see debugging output generated before the preferences have been loaded. *) val debug : string -> (unit->unit) -> unit val debugmods : string list Prefs.t (* Check whether a particular debugging flag is enabled *) val enabled : string -> bool (* Enable/disable a particular flag *) val enable : string -> bool -> unit (* When running in server mode, we use this ref to know to indicate this in debugging messages *) val runningasserver : bool ref (* Tell the Trace module which local stream to use for tracing and debugging messages *) val redirect : [`Stdout | `Stderr | `FormatStdout] -> unit (* ---------------------------------------------------------------------- *) (* Tracing *) (* The function used to display a message on the machine where the user is going to see it. The default value just prints the string on stderr. The graphical user interface should install an appropriate function here when it starts. In the server process, this variable's value is ignored. *) val messageDisplayer : (string -> unit) ref (* The function used to format a status message (with a major and a minor part) into a string for display. Should be set by the user interface. *) val statusFormatter : (string -> string -> string) ref (* The internal type of messages (it is exposed because it appears in the types of the following) *) type msg (* The internal routine used for formatting a message to be displayed locally. It calls !messageDisplayer to do the actual work. *) val displayMessageLocally : msg -> unit (* This can be set to function that should be used to get messages to the machine where the user can see it, if we are running on some other machine. (On the client machine, this variable's value is None. On the server, it should be set to something that moves the message across the network and then calls displayMessageLocally on the client.) *) val messageForwarder : (msg -> unit) option ref (* Allow outside access to the logging preference, so that the main program can turn it off by default *) val logging : bool Prefs.t (* ---------------------------------------------------------------------- *) (* Messages *) (* Suppress all message printing *) val terse : bool Prefs.t (* Show a string to the user. *) val message : string -> unit (* Show a change of "top-level" status (what phase we're in) *) val status : string -> unit (* Show a change of "detail" status (what file we're working on) *) val statusMinor : string -> unit (* Show a change of "detail" status unless we want to avoid generating too much output (e.g. because we're using the text ui) *) val statusDetail : string -> unit (* Write a message just to the log file (no extra '\n' will be added: include one explicitly if you want one) *) val log : string -> unit (* Like 'log', but only send message to log file if -terse preference is set *) val logverbose : string -> unit (* When set to true (default), log messages will also be printed to stderr *) val sendLogMsgsToStderr : bool ref (* ---------------------------------------------------------------------- *) (* Timers (for performance measurements during development) *) type timer (* Create a new timer, print a description, and start it ticking *) val startTimer : string -> timer (* Create a new timer without printing a description *) val startTimerQuietly : string -> timer (* Display the current time on a timer (and its description) *) val showTimer : timer -> unit unison-2.40.102/ubase/Makefile0000644006131600613160000000256411361646373016155 0ustar bcpiercebcpierceNAME = ubase OBJECTS = \ safelist.cmo uprintf.cmo util.cmo uarg.cmo prefs.cmo trace.cmo rx.cmo \ myMap.cmo OCAMLC = ocamlfind ocamlc -g OCAMLOPT = ocamlfind ocamlopt OCAMLDEP = ocamldep XOBJECTS = $(OBJECTS:cmo=cmx) ARCHIVE = $(NAME).cma XARCHIVE = $(NAME).cmxa REQUIRES = PREDICATES = all: $(ARCHIVE) opt: $(XARCHIVE) $(ARCHIVE): $(OBJECTS) $(OCAMLC) -a -o $(ARCHIVE) -package "$(REQUIRES)" -linkpkg \ -predicates "$(PREDICATES)" $(OBJECTS) $(XARCHIVE): $(XOBJECTS) $(OCAMLOPT) -a -o $(XARCHIVE) -package "$(REQUIRES)" -linkpkg \ -predicates "$(PREDICATES)" $(XOBJECTS) .SUFFIXES: .cmo .cmi .cmx .ml .mli .ml.cmo: $(OCAMLC) -package "$(REQUIRES)" -predicates "$(PREDICATES)" \ -c $< .mli.cmi: $(OCAMLC) -package "$(REQUIRES)" -predicates "$(PREDICATES)" \ -c $< .ml.cmx: $(OCAMLOPT) -package "$(REQUIRES)" -predicates "$(PREDICATES)" \ -c $< depend: *.ml *.mli $(OCAMLDEP) *.ml *.mli > depend include depend install: all { test ! -f $(XARCHIVE) || extra="$(XARCHIVE) "`basename $(XARCHIVE) .cmxa`.a; }; \ ocamlfind install $(NAME) *.mli *.cmi $(ARCHIVE) META $$extra uninstall: ocamlfind remove $(NAME) clean:: rm -f *.cmi *.cmo *.cmx *.cma *.cmxa *.a *.o *~ *.bak # Used by BCP to update Harmony's copy of these files from Unison's update: cp $(HOME)/current/unison/trunk/src/ubase/{*.ml,*.mli,Makefile} .unison-2.40.102/ubase/rx.mli0000644006131600613160000000432611361646373015647 0ustar bcpiercebcpierce(* Unison file synchronizer: src/ubase/rx.mli *) (* Copyright 1999-2009, Benjamin C. Pierce (see COPYING for details) *) type t (* Posix regular expression *) val rx : string -> t (* File globbing *) val glob : string -> t val glob' : bool -> string -> t (* Same, but allows to choose whether dots at the beginning of a file name need to be explicitly matched (true) or not (false) *) val globx : string -> t val globx' : bool -> string -> t (* These two functions also recognize the pattern {...} *) (* String expression (literal match) *) val str : string -> t (* Operations on regular expressions *) val alt : t list -> t (* Alternative *) val seq : t list -> t (* Sequence *) val empty : t (* Match nothing *) val epsilon : t (* Empty word *) val rep : t -> int -> int option -> t (* Repeated matches *) val rep0 : t -> t (* 0 or more matches *) val rep1 : t -> t (* 1 or more matches *) val opt : t -> t (* 0 or 1 matches *) val bol : t (* Beginning of line *) val eol : t (* End of line *) val any : t (* Any character *) val notnl : t (* Any character but a newline *) val set : string -> t (* Any character of the string *) val inter : t list -> t (* All subexpressions must match *) val diff : t -> t -> t (* The first expression matches but not the second *) val case_insensitive : t -> t (* Case insensitive matching *) (* Test whether a regular expression matches a string *) val match_string : t -> string -> bool (* Test whether a regular expression matches a substring of the given string *) val match_substring : t -> string -> bool (* Test whether a regular expression matches some characters of a string starting at a given position. Return the length of the matched prefix. *) val match_prefix : t -> string -> int -> int option (* Errors that can be raised during the parsing of Posix regular expressions *) exception Parse_error exception Not_supported unison-2.40.102/ubase/uprintf.mli0000644006131600613160000001027511361646373016705 0ustar bcpiercebcpierce(***********************************************************************) (* *) (* Objective Caml *) (* *) (* Xavier Leroy, projet Cristal, INRIA Rocquencourt *) (* *) (* Copyright 1996 Institut National de Recherche en Informatique et *) (* en Automatique. All rights reserved. This file is distributed *) (* under the terms of the GNU Library General Public License. *) (* *) (***********************************************************************) (* Modified for Unison *) (* Module [Printf]: formatting printing functions *) val fprintf: out_channel -> (unit->unit) -> ('a, out_channel, unit) format -> 'a (* [fprintf outchan doafter format arg1 ... argN] formats the arguments [arg1] to [argN] according to the format string [format], outputs the resulting string on the channel [outchan], and then executes the thunk [doafter]. The format 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 one argument. Conversion specifications consist in the [%] character, followed by optional flags and field widths, followed by one conversion character. The conversion characters and their meanings are: - [d] or [i]: convert an integer argument to signed decimal - [u]: convert an integer argument to unsigned decimal - [x]: convert an integer argument to unsigned hexadecimal, using lowercase letters. - [X]: convert an integer argument to unsigned hexadecimal, using uppercase letters. - [o]: convert an integer argument to unsigned octal. - [s]: insert a string argument - [c]: insert a character argument - [f]: convert a floating-point argument to decimal notation, in the style [dddd.ddd] - [e] or [E]: convert a floating-point argument to decimal notation, in the style [d.ddd e+-dd] (mantissa and exponent) - [g] or [G]: convert a floating-point argument to decimal notation, in style [f] or [e], [E] (whichever is more compact) - [b]: convert a boolean argument to the string [true] or [false] - [a]: user-defined printer. Takes two arguments and apply the first one to [outchan] (the current output channel) and to the second argument. The first argument must therefore have type [out_channel -> 'b -> unit] and the second ['b]. The output produced by the function is therefore inserted in the output of [fprintf] at the current point. - [t]: same as [%a], but takes only one argument (with type [out_channel -> unit]) and apply it to [outchan]. - [%]: take no argument and output one [%] character. - Refer to the C library [printf] function for the meaning of flags and field width specifiers. Warning: if too few arguments are provided, for instance because the [printf] function is partially applied, the format is immediately printed up to the conversion of the first missing argument; printing will then resume when the missing arguments are provided. For example, [List.iter (printf "x=%d y=%d " 1) [2;3]] prints [x=1 y=2 3] instead of the expected [x=1 y=2 x=1 y=3]. To get the expected behavior, do [List.iter (fun y -> printf "x=%d y=%d " 1 y) [2;3]]. *) val printf: (unit->unit) -> ('a, out_channel, unit) format -> 'a (* Same as [fprintf], but output on [stdout]. *) val eprintf: (unit->unit) -> ('a, out_channel, unit) format -> 'a (* Same as [fprintf], but output on [stderr]. *) unison-2.40.102/ubase/uarg.ml0000644006131600613160000000713011361646373015777 0ustar bcpiercebcpierce(* Unison file synchronizer: src/ubase/uarg.ml *) (* Copyright 1999-2009, Benjamin C. Pierce (see COPYING for details) *) (* by Xavier Leroy, projet Cristal, INRIA Rocquencourt *) (* Slightly modified by BCP, July 1999 *) type spec = | Unit of (unit -> unit) (* Call the function with unit argument *) | Set of bool ref (* Set the reference to true *) | Clear of bool ref (* Set the reference to false *) | Bool of (bool -> unit) (* Pass true to the function *) | String of (string -> unit) (* Call the function with a string argument *) | Int of (int -> unit) (* Call the function with an int argument *) | Float of (float -> unit) (* Call the function with a float argument *) | Rest of (string -> unit) (* Stop interpreting keywords and call the function with each remaining argument *) exception Bad of string type error = | Unknown of string | Wrong of string * string * string (* option, actual, expected *) | Missing of string | Message of string open Printf let rec assoc3 x l = match l with | [] -> raise Not_found | (y1, y2, y3)::t when y1 = x -> y2 | _::t -> assoc3 x t ;; let usage speclist errmsg = printf "%s\n" errmsg; Safelist.iter (function (key, _, doc) -> if String.length doc > 0 && doc.[0] <> '*' then printf " %s %s\n" key doc) (Safelist.rev speclist) ;; let current = ref 0;; let parse speclist anonfun errmsg = let argv = System.argv () in let initpos = !current in let stop error = let progname = if initpos < Array.length argv then argv.(initpos) else "(?)" in begin match error with | Unknown s when s = "-help" -> () | Unknown s -> eprintf "%s: unknown option `%s'.\n" progname s | Missing s -> eprintf "%s: option `%s' needs an argument.\n" progname s | Wrong (opt, arg, expected) -> eprintf "%s: wrong argument `%s'; option `%s' expects %s.\n" progname arg opt expected | Message s -> eprintf "%s: %s.\n" progname s end; usage speclist errmsg; exit 2; in let l = Array.length argv in incr current; while !current < l do let ss = argv.(!current) in if String.length ss >= 1 & String.get ss 0 = '-' then begin let args = Util.splitIntoWords ss '=' in let s = Safelist.nth args 0 in let arg conv mesg = match args with [_] -> if !current + 1 >= l then stop (Missing s) else let a = argv.(!current+1) in incr current; (try conv a with Failure _ -> stop (Wrong (s, a, mesg))) | [_;a] -> (try conv a with Failure _ -> stop (Wrong (s, a, mesg))) | _ -> stop (Message (sprintf "Garbled argument %s" s)) in let action = try assoc3 s speclist with Not_found -> stop (Unknown s) in begin try match action with | Unit f -> f (); | Set r -> r := true; | Clear r -> r := false; | Bool f -> begin match args with [_] -> f true | _ -> f (arg bool_of_string "a boolean") end | String f -> f (arg (fun s-> s) "") | Int f -> f (arg int_of_string "an integer") | Float f -> f (arg float_of_string "a float") | Rest f -> while !current < l-1 do f argv.(!current+1); incr current; done; with Bad m -> stop (Message m); end; incr current; end else begin (try anonfun ss with Bad m -> stop (Message m)); incr current; end; done; ;; unison-2.40.102/ubase/trace.ml0000644006131600613160000002057211361646373016144 0ustar bcpiercebcpierce(* Unison file synchronizer: src/ubase/trace.ml *) (* Copyright 1999-2009, Benjamin C. Pierce This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . *) (* ---------------------------------------------------------------------- *) (* Choosing where messages go *) type trace_printer_choices = [`Stdout | `Stderr | `FormatStdout] let traceprinter = ref (`Stderr : trace_printer_choices) let redirect x = (traceprinter := x) (* ---------------------------------------------------------------------- *) (* Debugging messages *) let debugmods = Prefs.createStringList "debug" "!debug module xxx ('all' -> everything, 'verbose' -> more)" ("This preference is used to make Unison print various sorts of " ^ "information about what it is doing internally on the standard " ^ "error stream. It can be used many times, each time with the name " ^ "of a module for which debugging information should be printed. " ^ "Possible arguments for \\verb|debug| can be found " ^ "by looking for calls to \\verb|Util.debug| in the " ^ "sources (using, e.g., \\verb|grep|). " ^ "Setting \\verb|-debug all| causes information from {\\em all} " ^ "modules to be printed (this mode of usage is the first one to try, " ^ "if you are trying to understand something that Unison seems to be " ^ "doing wrong); \\verb|-debug verbose| turns on some additional " ^ "debugging output from some modules (e.g., it will show exactly " ^ "what bytes are being sent across the network).") let debugtimes = Prefs.createBool "debugtimes" false "*annotate debugging messages with timestamps" "" let runningasserver = ref false let debugging() = (Prefs.read debugmods) <> [] let enabled modname = let m = Prefs.read debugmods in let en = m <> [] && ( (* tracing labeled "" is enabled if anything is *) (modname = "") || (* '-debug verbose' enables everything *) (Safelist.mem "verbose" m) || (* '-debug all+' likewise *) (Safelist.mem "all+" m) || (* '-debug all' enables all tracing not marked + *) (Safelist.mem "all" m && not (Util.endswith modname "+")) || (* '-debug m' enables m and '-debug m+' enables m+ *) (Safelist.mem modname m) || (* '-debug m+' also enables m *) (Safelist.mem (modname ^ "+") m) ) in en let enable modname onoff = let m = Prefs.read debugmods in let m' = if onoff then (modname::m) else (Safelist.remove modname m) in Prefs.set debugmods m' let debug modname thunk = if enabled modname then begin let s = if !runningasserver then "server: " else "" in let time = if Prefs.read debugtimes then let tm = Util.localtime (Util.time()) in Printf.sprintf "%02d:%02d:%02d" tm.Unix.tm_hour tm.Unix.tm_min tm.Unix.tm_sec else "" in if time<>"" || s<>"" || modname<>"" then begin let time = if time="" || (s=""&&modname="") then time else time^": " in match !traceprinter with | `Stdout -> Printf.printf "[%s%s%s] " time s modname | `Stderr -> Printf.eprintf "[%s%s%s] " time s modname | `FormatStdout -> Format.printf "[%s%s%s] " time s modname end; thunk(); flush stderr end (* We set the debugPrinter variable in the Util module so that other modules lower down in the module dependency graph (so that they can't just import Trace) can also print debugging messages. *) let _ = Util.debugPrinter := Some(debug) (* ---------------------------------------------------------------------- *) (* Logging *) let logging = Prefs.createBool "log" true "!record actions in logfile" "When this flag is set, Unison will log all changes to the filesystems on a file." let logfile = Prefs.createFspath "logfile" (Util.fileInHomeDir "unison.log") "!logfile name" "By default, logging messages will be appended to the file \\verb|unison.log| in your HOME directory. Set this preference if you prefer another file." let logch = ref None let rec getLogch() = Util.convertUnixErrorsToFatal "getLogch" (fun() -> match !logch with None -> let file = Prefs.read logfile in let ch = System.open_out_gen [Open_wronly; Open_creat; Open_append] 0o600 file in logch := Some (ch, file); ch | Some(ch, file) -> if Prefs.read logfile = file then ch else begin close_out ch; logch := None; getLogch () end) let sendLogMsgsToStderr = ref true let writeLog s = if !sendLogMsgsToStderr then begin match !traceprinter with | `Stdout -> Printf.printf "%s" s | `Stderr -> Util.msg "%s" s | `FormatStdout -> Format.printf "%s " s end else debug "" (fun() -> match !traceprinter with | `Stdout -> Printf.printf "%s" s | `Stderr -> Util.msg "%s" s | `FormatStdout -> Format.printf "%s " s); if Prefs.read logging then begin let ch = getLogch() in begin try output_string ch s; flush ch with Sys_error _ -> () end end (* ---------------------------------------------------------------------- *) (* Formatting and displaying messages *) let terse = Prefs.createBool "terse" false "suppress status messages" ("When this preference is set to {\\tt true}, the user " ^ "interface will not print status messages.") type msgtype = Msg | StatusMajor | StatusMinor | Log type msg = msgtype * string let defaultMessageDisplayer s = if not (Prefs.read terse) then begin let show() = if s<>"" then Util.msg "%s\n" s in if enabled "" then debug "" show else if not !runningasserver then show() end let messageDisplayer = ref defaultMessageDisplayer let defaultStatusFormatter s1 s2 = s1 ^ " " ^ s2 let statusFormatter = ref defaultStatusFormatter let statusMsgMajor = ref "" let statusMsgMinor = ref "" let displayMessageLocally (mt,s) = let display = !messageDisplayer in let displayStatus() = display (!statusFormatter !statusMsgMajor !statusMsgMinor) in match mt with Msg -> display s | StatusMajor -> statusMsgMajor := s; statusMsgMinor := ""; displayStatus() | StatusMinor -> statusMsgMinor := s; displayStatus() | Log -> writeLog s let messageForwarder = ref None let displayMessage m = match !messageForwarder with None -> displayMessageLocally m | Some(f) -> f m (* ---------------------------------------------------------------------- *) (* Convenience functions for displaying various kinds of messages *) let message s = displayMessage (Msg, s) let status s = displayMessage (StatusMajor, s) let statusMinor s = displayMessage (StatusMinor, s) let statusDetail s = let ss = if not !runningasserver then s else (Util.padto 30 s) ^ " [server]" in displayMessage (StatusMinor, ss) let log s = displayMessage (Log, s) let logverbose s = let temp = !sendLogMsgsToStderr in sendLogMsgsToStderr := !sendLogMsgsToStderr && not (Prefs.read terse); displayMessage (Log, s); sendLogMsgsToStderr := temp (* ---------------------------------------------------------------------- *) (* Timing *) let printTimers = Prefs.createBool "timers" false "*print timing information" "" type timer = string * float let gettime () = Unix.gettimeofday() let startTimer desc = if Prefs.read(printTimers) then (message (desc ^ "..."); (desc, gettime())) else (desc,0.0) let startTimerQuietly desc = if Prefs.read(printTimers) then (desc, gettime()) else (desc,0.0) let showTimer (desc, t1) = (* Showing timer values from the server process does not work at the moment: it confuses the RPC mechanism *) if not !runningasserver then if Prefs.read(printTimers) then let t2 = gettime() in message (Printf.sprintf "%s (%.2f seconds)" desc (t2 -. t1)) unison-2.40.102/ubase/myMap.mli0000644006131600613160000001246011361646373016277 0ustar bcpiercebcpierce(* This file is taken from the Objective Caml standard library. Some functions has been added to suite Unison needs. *) (***********************************************************************) (* *) (* Objective Caml *) (* *) (* Xavier Leroy, projet Cristal, INRIA Rocquencourt *) (* *) (* Copyright 1996 Institut National de Recherche en Informatique et *) (* en Automatique. All rights reserved. This file is distributed *) (* under the terms of the GNU Library General Public License, with *) (* the special exception on linking described in file ../LICENSE. *) (* *) (***********************************************************************) (** 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. *) module type OrderedType = sig 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 {!Pervasives.compare}. *) end (** Input signature of the functor {!Map.Make}. *) module type S = sig 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 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], its previous binding disappears. *) 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 findi: key -> 'a t -> key * 'a (** [find x m] returns the current binding of [x] in [m], or raises [Not_found] if no such binding exists. *) 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. *) val mem: key -> 'a t -> bool (** [mem x m] returns [true] if [m] contains a binding for [x], and [false] otherwise. *) 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. Only current bindings are presented to [f]: bindings hidden by more recent bindings are not passed to [f]. *) 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. *) val mapii: (key -> 'a -> key * '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. *) 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 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 validate: 'a t -> [`Ok | `Duplicate of key | `Invalid of key * key] end (** Output signature of the functor {!Map.Make}. *) module Make (Ord : OrderedType) : S with type key = Ord.t (** Functor building an implementation of the map structure given a totally ordered type. *) unison-2.40.102/ubase/rx.ml0000644006131600613160000005612611361646373015503 0ustar bcpiercebcpierce(* Unison file synchronizer: src/ubase/rx.ml *) (* Copyright 1999-2009, Benjamin C. Pierce This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . *) (* Inspired by some code and algorithms from Mark William Hopkins (regexp.tar.gz, available in the comp.compilers file archive) *) (* Missing POSIX features ---------------------- - Collating sequences *) type v = Cst of int list | Alt of u list | Seq of u list | Rep of u * int * int option | Bol | Eol | Int of u list | Dif of u * u and u = { desc : v; hash : int } (****) let hash x = match x with Cst l -> List.fold_left (fun h i -> h + 757 * i) 0 l | Alt l -> 199 * List.fold_left (fun h y -> h + 883 * y.hash) 0 l | Seq l -> 821 * List.fold_left (fun h y -> h + 883 * y.hash) 0 l | Rep (y, i, Some j) -> 197 * y.hash + 137 * i + j | Rep (y, i, None) -> 197 * y.hash + 137 * i + 552556457 | Bol -> 165160782 | Eol -> 152410806 | Int l -> 71 * List.fold_left (fun h y -> h + 883 * y.hash) 0 l | Dif (y, z) -> 379 * y.hash + 563 * z.hash let make x = {desc = x; hash = hash x} let epsilon = make (Seq []) let empty = make (Alt []) (**** Printing ****) open Format let print_list sep print l = match l with [] -> () | v::r -> print v; List.iter (fun v -> sep (); print v) r let rec print n t = match t.desc with Cst l -> open_box 1; print_string "["; print_list print_space print_int l; print_string "]"; close_box () | Alt tl -> if n > 0 then begin open_box 1; print_string "(" end; print_list (fun () -> print_string "|"; print_cut ()) (print 1) tl; if n > 0 then begin print_string ")"; close_box () end | Seq tl -> if n > 1 then begin open_box 1; print_string "(" end; print_list (fun () -> print_cut ()) (print 2) tl; if n > 1 then begin print_string ")"; close_box () end | Rep (t, 0, None) -> print 2 t; print_string "*" | Rep (t, i, None) -> print 2 t; print_string "{"; print_int i; print_string ",}" | Rep (t, i, Some j) -> print 2 t; print_string "{"; print_int i; print_string ","; print_int j; print_string "}" | _ -> assert false (**** Constructors for regular expressions *) let seq2 x y = match x.desc, y.desc with Alt [], _ | _, Alt [] -> empty | Seq [], s -> y | r, Seq [] -> x | Seq r, Seq s -> make (Seq (r @ s)) | Seq r, _ -> make (Seq (r @ [y])) | _, Seq s -> make (Seq (x :: s)) | r, s -> make (Seq [x; y]) let seq l = List.fold_right seq2 l epsilon let seq' l = match l with [] -> epsilon | [x] -> x | _ -> make (Seq l) let rec alt_merge r s = match r, s with [], _ -> s | _, [] -> r | {desc = Seq (x::m)} :: s, {desc = Seq (y::n)} :: r when x = y -> alt_merge (seq2 x (alt2 (seq' m) (seq' n))::s) r | x :: r', y :: s' -> let c = compare x y in if c = 0 then x :: alt_merge r' s' else if c < 0 then x :: alt_merge r' s else (* if c > 0 then *) y :: alt_merge r s' and alt2 x y = let c = compare x y in if c = 0 then x else match x.desc, y.desc with Alt [], _ -> y | _, Alt [] -> x | Alt r, Alt s -> make (Alt (alt_merge r s)) | Alt [r], _ when r = y -> y | _, Alt [s] when x = s -> x | Alt r, _ -> make (Alt (alt_merge r [y])) | _, Alt s -> make (Alt (alt_merge [x] s)) | Seq (r::m), Seq (s::n) when r = s -> seq2 r (alt2 (seq' m) (seq' n)) | _, _ -> make (if c < 0 then Alt [x; y] else Alt [y; x]) let alt l = List.fold_right alt2 l empty let rep x i j = match x.desc with Alt [] when i > 0 -> empty | Alt [] | Seq [] -> epsilon | _ -> match i, j with _, Some 0 -> epsilon | 0, Some 1 -> alt2 epsilon x | 1, Some 1 -> x | _ -> make (Rep (x, i, j)) let rec int2 x y = let c = compare x y in if c = 0 then x else match x.desc, y.desc with Int [], _ -> y | _, Int [] -> x | Int r, Int s -> make (Int (alt_merge r s)) | Int [r], _ when r = y -> y | _, Int [s] when s = x -> x | Int r, _ -> make (Int (alt_merge r [y])) | _, Int s -> make (Int (alt_merge [x] s)) | _, _ -> make (if c < 0 then Int [x; y] else Int [y; x]) let int l = List.fold_right int2 l empty let cst c = Cst [Char.code c] let rec dif x y = if x = y then empty else match x.desc, y.desc with Dif (x1, y1), _ -> dif x1 (alt2 y1 y) | Alt [], _ -> empty | _, Alt [] -> x | _ -> make (Dif (x, y)) (**** Computation of the next states of an automata ****) type pos = Pos_bol | Pos_other let never = 0 let always = (-1) let when_eol = 2 let combine top bot op f l = let rec combine v l = match l with [] -> v | a::r -> let c = f a in if c = bot then c else combine (op v c) r in combine top l module ReTbl = Hashtbl.Make (struct type t = u let equal x y = x.hash = y.hash && x = y let hash x = x.hash end) let h = ReTbl.create 101 let rec contains_epsilon pos x = try ReTbl.find h x with Not_found -> let res = match x.desc with Cst _ -> never | Alt l -> combine never always (lor) (contains_epsilon pos) l | Seq l -> combine always never (land) (contains_epsilon pos) l | Rep (_, 0, _) -> always | Rep (y, _, _) -> contains_epsilon pos y | Bol -> if pos = Pos_bol then always else never | Eol -> when_eol | Int l -> combine always never (land) (contains_epsilon pos) l | Dif (y, z) -> contains_epsilon pos y land (lnot (contains_epsilon pos z)) in ReTbl.add h x res; res module DiffTbl = Hashtbl.Make (struct type t = int * u let equal ((c : int), x) (d, y) = c = d && x.hash = y.hash && x = y let hash (c, x) = x.hash + 11 * c end) let diff_cache = DiffTbl.create 101 let rec delta_seq nl pos c l = match l with [] -> empty | x::r -> let rdx = seq2 (delta nl pos c x) (seq' r) in let eps = contains_epsilon pos x in if eps land always = always then alt2 rdx (delta_seq nl pos c r) else if eps land when_eol = when_eol && c = nl then alt2 rdx (delta_seq nl pos c r) else rdx and delta nl pos c x = let p = (c, x) in try DiffTbl.find diff_cache p with Not_found -> let res = match x.desc with Cst l -> if List.mem c l then epsilon else empty | Alt l -> alt (List.map (delta nl pos c) l) | Seq l -> delta_seq nl pos c l | Rep (y, 0, None) -> seq2 (delta nl pos c y) x | Rep (y, i, None) -> seq2 (delta nl pos c y) (rep y (i - 1) None) | Rep (y, 0, Some j) -> seq2 (delta nl pos c y) (rep y 0 (Some (j - 1))) | Rep (y, i, Some j) -> seq2 (delta nl pos c y) (rep y (i - 1) (Some (j-1))) | Eol | Bol -> empty | Int l -> int (List.map (delta nl pos c) l) | Dif (y, z) -> dif (delta nl pos c y) (delta nl pos c z) in DiffTbl.add diff_cache p res; res (**** String matching ****) type state = { mutable valid : bool; mutable next : state array; pos : pos; final : bool; desc : u } type rx = { initial : state; categ : int array; ncat : int; states : state ReTbl.t } let unknown = { valid = false; next = [||]; desc = empty ; pos = Pos_bol; final = false } let mk_state ncat pos desc = { valid = desc <> empty; next = Array.make ncat unknown; pos = pos; desc = desc; final = contains_epsilon pos desc <> 0 } let find_state states ncat pos desc = try ReTbl.find states desc with Not_found -> let st = mk_state ncat pos desc in ReTbl.add states desc st; st let rec validate s i l rx cat st c = let nl = cat.(Char.code '\n') in let desc = delta nl st.pos c st.desc in st.next.(c) <- find_state rx.states rx.ncat (if c = nl then Pos_bol else Pos_other) desc; loop s i l rx cat st and loop s i l rx cat st = let rec loop i st = let c = Array.unsafe_get cat (Char.code (String.unsafe_get s i)) in let st' = Array.unsafe_get st.next c in if st'.valid then begin let i = i + 1 in if i < l then loop i st' else st'.final end else if st' != unknown then false else validate s i l rx cat st c in loop i st let match_str rx s = let l = String.length s in if l = 0 then rx.initial.final else loop s 0 l rx rx.categ rx.initial (* Combining the final and valid fields may make things slightly faster (one less memory access) *) let rec validate_pref s i l l0 rx cat st c = let nl = cat.(Char.code '\n') in let desc = delta nl st.pos c st.desc in st.next.(c) <- find_state rx.states rx.ncat (if c = nl then Pos_bol else Pos_other) desc; loop_pref s i l l0 rx cat st and loop_pref s i l l0 rx cat st = let rec loop i l0 st = let c = Array.unsafe_get cat (Char.code (String.unsafe_get s i)) in let st' = Array.unsafe_get st.next c in if st'.valid then begin let i = i + 1 in let l0 = if st'.final then i else l0 in if i < l then loop i l0 st' else l0 end else if st' != unknown then l0 else validate_pref s i l l0 rx cat st c in loop i l0 st let match_pref rx s p = let l = String.length s in if p < 0 || p > l then invalid_arg "Rx.rep"; let l0 = if rx.initial.final then p else -1 in let l0 = if l = p then l0 else loop_pref s p l l0 rx rx.categ rx.initial in if l0 >= 0 then Some (l0 - p) else None let mk_rx init categ ncat = let states = ReTbl.create 97 in { initial = find_state states ncat Pos_bol init; categ = categ; ncat = ncat; states = states } (**** Character sets ****) let rec cunion l l' = match l, l' with _, [] -> l | [], _ -> l' | (c1, c2)::r, (c1', c2')::r' -> if c2 + 1 < c1' then (c1, c2)::cunion r l' else if c2' + 1 < c1 then (c1', c2')::cunion l r' else if c2 < c2' then cunion r ((min c1 c1', c2')::r') else cunion ((min c1 c1', c2)::r) r' let rec cinter l l' = match l, l' with _, [] -> [] | [], _ -> [] | (c1, c2)::r, (c1', c2')::r' -> if c2 < c1' then cinter r l' else if c2' < c1 then cinter l r' else if c2 < c2' then (max c1 c1', c2)::cinter r l' else (max c1 c1', c2')::cinter l r' let rec cnegate mi ma l = match l with [] -> if mi <= ma then [(mi, ma)] else [] | (c1, c2)::r when ma < c1 -> if mi <= ma then [(mi, ma)] else [] | (c1, c2)::r when mi < c1 -> (mi, c1 - 1) :: cnegate c1 ma l | (c1, c2)::r (* when c1 <= mi *) -> cnegate (max mi (c2 + 1)) ma r let csingle c = let i = Char.code c in [i, i] let cadd c l = cunion (csingle c) l let cseq c c' = let i = Char.code c in let i' = Char.code c' in if i <= i' then [i, i'] else [i', i] let rec ctrans o l = match l with [] -> [] | (c1, c2) :: r -> if c2 + o < 0 || c1 + o > 255 then ctrans o r else (c1 + o, c2 + o) :: ctrans o r let cany = [0, 255] type cset = (int * int) list (**** Compilation of a regular expression ****) type regexp = Set of cset | Sequence of regexp list | Alternative of regexp list | Repeat of regexp * int * int option | Beg_of_line | End_of_line | Intersection of regexp list | Difference of regexp * regexp let rec split s cm = match s with [] -> () | (i, j)::r -> cm.(i) <- true; cm.(j + 1) <- true; split r cm let rec colorize c regexp = let rec colorize regexp = match regexp with Set s -> split s c | Sequence l -> List.iter colorize l | Alternative l -> List.iter colorize l | Repeat (r, _, _) -> colorize r | Beg_of_line | End_of_line -> split (csingle '\n') c | Intersection l -> List.iter colorize l | Difference (s, t) -> colorize s; colorize t in colorize regexp let make_cmap () = Array.make 257 false let flatten_cmap cm = let c = Array.make 256 0 in let v = ref 0 in for i = 1 to 255 do if cm.(i) then incr v; c.(i) <- !v done; (c, !v + 1) let rec interval i j = if i > j then [] else i :: interval (i + 1) j let rec cset_hash_rec l = match l with [] -> 0 | (i, j)::r -> i + 13 * j + 257 * cset_hash_rec r let cset_hash l = (cset_hash_rec l) land 0x3FFFFFFF module CSetMap = Map.Make (struct type t = int * (int * int) list let compare (i, u) (j, v) = let c = compare i j in if c <> 0 then c else compare u v end) let trans_set cache cm s = match s with [i, j] when i = j -> [cm.(i)] | _ -> let v = (cset_hash_rec s, s) in try CSetMap.find v !cache with Not_found -> let l = List.fold_right (fun (i, j) l -> cunion [cm.(i), cm.(j)] l) s [] in let res = List.flatten (List.map (fun (i, j) -> interval i j) l) in cache := CSetMap.add v res !cache; res let rec trans_seq cache c r rem = match r with Sequence l -> List.fold_right (trans_seq cache c) l rem | _ -> seq2 (translate cache c r) rem and translate cache c r = match r with Set s -> make (Cst (trans_set cache c s)) | Alternative l -> alt (List.map (translate cache c) l) | Sequence l -> trans_seq cache c r epsilon | Repeat (r', i, j) -> rep (translate cache c r') i j | Beg_of_line -> make Bol | End_of_line -> make Eol | Intersection l -> int (List.map (translate cache c) l) | Difference (r', r'') -> dif (translate cache c r') (translate cache c r'') let compile regexp = let c = make_cmap () in colorize c regexp; let (cat, ncat) = flatten_cmap c in let r = translate (ref (CSetMap.empty)) cat regexp in mk_rx r cat ncat (**** Regexp type ****) type t = {def : regexp; mutable comp: rx option; mutable comp': rx option} let force r = match r.comp with Some r' -> r' | None -> let r' = compile r.def in r.comp <- Some r'; r' let anything = Repeat (Set [0, 255], 0, None) let force' r = match r.comp' with Some r' -> r' | None -> let r1 = Sequence [anything; r.def; anything] in let r' = compile r1 in r.comp' <- Some r'; r' let wrap r = {def = r; comp = None; comp' = None} let def r = r.def let alt rl = wrap (Alternative (List.map def rl)) let seq rl = wrap (Sequence (List.map def rl)) let empty = alt [] let epsilon = seq [] let rep r i j = if i < 0 then invalid_arg "Rx.rep"; begin match j with Some j when j < i -> invalid_arg "Rx.rep" | _ -> () end; wrap (Repeat (def r, i, j)) let rep0 r = rep r 0 None let rep1 r = rep r 1 None let opt r = alt [epsilon; r] let bol = wrap Beg_of_line let eol = wrap End_of_line let any = wrap (Set [0, 255]) let notnl = wrap (Set (cnegate 0 255 (csingle '\n'))) let inter rl = wrap (Intersection (List.map def rl)) let diff r r' = wrap (Difference (def r, def r')) let set str = let s = ref [] in for i = 0 to String.length str - 1 do s := cunion (csingle str.[i]) !s done; wrap (Set !s) let str s = let l = ref [] in for i = String.length s - 1 downto 0 do l := Set (csingle s.[i]) :: !l done; wrap (Sequence !l) let match_string t s = match_str (force t) s let match_substring t s = match_str (force' t) s let match_prefix t s p = match_pref (force t) s p let uppercase = cunion (cseq 'A' 'Z') (cunion (cseq '\192' '\214') (cseq '\216' '\222')) let lowercase = ctrans 32 uppercase let rec case_insens r = match r with Set s -> Set (cunion s (cunion (ctrans 32 (cinter s uppercase)) (ctrans (-32) (cinter s lowercase)))) | Sequence l -> Sequence (List.map case_insens l) | Alternative l -> Alternative (List.map case_insens l) | Repeat (r, i, j) -> Repeat (case_insens r, i, j) | Beg_of_line | End_of_line -> r | Intersection l -> Intersection (List.map case_insens l) | Difference (r, r') -> Difference (case_insens r, case_insens r') let case_insensitive r = wrap (case_insens (def r)) (**** Parser ****) exception Parse_error exception Not_supported let parse s = let i = ref 0 in let l = String.length s in let eos () = !i = l in let test c = not (eos ()) && s.[!i] = c in let accept c = let r = test c in if r then incr i; r in let get () = let r = s.[!i] in incr i; r in let unget () = decr i in let rec regexp () = regexp' (branch ()) and regexp' left = if accept '|' then regexp' (Alternative [left; branch ()]) else left and branch () = branch' (piece ()) and branch' left = if eos () || test '|' || test ')' then left else branch' (Sequence [left; piece ()]) and piece () = let r = atom () in if accept '*' then Repeat (r, 0, None) else if accept '+' then Repeat (r, 1, None) else if accept '?' then Alternative [Sequence []; r] else if accept '{' then match integer () with Some i -> let j = if accept ',' then integer () else Some i in if not (accept '}') then raise Parse_error; begin match j with Some j when j < i -> raise Parse_error | _ -> () end; Repeat (r, i, j) | None -> unget (); r else r and atom () = if accept '.' then Set cany else if accept '(' then begin let r = regexp () in if not (accept ')') then raise Parse_error; r end else if accept '^' then Beg_of_line else if accept '$' then End_of_line else if accept '[' then begin if accept '^' then Set (cnegate 0 255 (bracket [])) else Set (bracket []) end else if accept '\\' then begin if eos () then raise Parse_error; match get () with '|' | '(' | ')' | '*' | '+' | '?' | '[' | '.' | '^' | '$' | '{' | '\\' as c -> Set (csingle c) | _ -> raise Parse_error end else begin if eos () then raise Parse_error; match get () with '*' | '+' | '?' | '{' | '\\' -> raise Parse_error | c -> Set (csingle c) end and integer () = if eos () then None else match get () with '0'..'9' as d -> integer' (Char.code d - Char.code '0') | _ -> unget (); None and integer' i = if eos () then Some i else match get () with '0'..'9' as d -> let i' = 10 * i + (Char.code d - Char.code '0') in if i' < i then raise Parse_error; integer' i' | _ -> unget (); Some i and bracket s = if s <> [] && accept ']' then s else begin let c = char () in if accept '-' then begin if accept ']' then (cadd c (cadd '-' s)) else begin let c' = char () in bracket (cunion (cseq c c') s) end end else bracket (cadd c s) end and char () = if eos () then raise Parse_error; let c = get () in if c = '[' then begin if accept '=' || accept ':' then raise Not_supported; if accept '.' then begin if eos () then raise Parse_error; let c = get () in if not (accept '.') then raise Not_supported; if not (accept ']') then raise Parse_error; c end else c end else c in let res = regexp () in if not (eos ()) then raise Parse_error; res let rx s = wrap (parse s) (**** File globbing ****) let gany = cnegate 0 255 (csingle '/') let notdot = cnegate 0 255 (cunion (csingle '.') (csingle '/')) let dot = csingle '.' type loc = Beg | BegAny | Mid let beg_start = Alternative [Sequence []; Sequence [Set notdot; Repeat (Set gany, 0, None)]] let beg_start' = Sequence [Set notdot; Repeat (Set gany, 0, None)] let glob_parse init s = let i = ref 0 in let l = String.length s in let eos () = !i = l in let test c = not (eos ()) && s.[!i] = c in let accept c = let r = test c in if r then incr i; r in let get () = let r = s.[!i] in incr i; r in (* let unget () = decr i in *) let rec expr () = expr' init (Sequence []) and expr' beg left = if eos () then match beg with Mid | Beg -> left | BegAny -> Sequence [left; beg_start] else let (piec, beg) = piece beg in expr' beg (Sequence [left; piec]) and piece beg = if accept '*' then begin if beg <> Mid then (Sequence [], BegAny) else (Repeat (Set gany, 0, None), Mid) end else if accept '?' then (begin match beg with Beg -> Set notdot | BegAny -> Sequence [Set notdot; Repeat (Set gany, 0, None)] | Mid -> Set gany end, Mid) else if accept '[' then begin (* let mask = if beg <> Mid then notdot else gany in *) let set = if accept '^' || accept '!' then cnegate 0 255 (bracket []) else bracket [] in (begin match beg with Beg -> Set (cinter notdot set) | BegAny -> Alternative [Sequence [beg_start; Set (cinter notdot set)]; Sequence [beg_start'; Set (cinter dot set)]] | Mid -> Set (cinter gany set) end, Mid) end else let c = char () in ((if beg <> BegAny then Set (csingle c) else if c = '.' then Sequence [beg_start'; Set (csingle c)] else Sequence [beg_start; Set (csingle c)]), if c = '/' then init else Mid) and bracket s = if s <> [] && accept ']' then s else begin let c = char () in if accept '-' then begin if accept ']' then (cadd c (cadd '-' s)) else begin let c' = char () in bracket (cunion (cseq c c') s) end end else bracket (cadd c s) end and char () = ignore (accept '\\'); if eos () then raise Parse_error; get () in let res = expr () in res let rec mul l l' = List.flatten (List.map (fun s -> List.map (fun s' -> s ^ s') l') l) let explode str = let l = String.length str in let rec expl inner s i acc beg = if i >= l then begin if inner then raise Parse_error; (mul beg [String.sub str s (i - s)], i) end else match str.[i] with '\\' -> expl inner s (i + 2) acc beg | '{' -> let (t, i') = expl true (i + 1) (i + 1) [] [""] in expl inner i' i' acc (mul beg (mul [String.sub str s (i - s)] t)) | ',' when inner -> expl inner (i + 1) (i + 1) (mul beg [String.sub str s (i - s)] @ acc) [""] | '}' when inner -> (mul beg [String.sub str s (i - s)] @ acc, i + 1) | _ -> expl inner s (i + 1) acc beg in List.rev (fst (expl false 0 0 [] [""])) let glob' nodot s = wrap (glob_parse (if nodot then Beg else Mid) s) let glob s = glob' true s let globx' nodot s = alt (List.map (glob' nodot) (explode s)) let globx s = globx' true s unison-2.40.102/ubase/depend0000644006131600613160000000141011361646373015664 0ustar bcpiercebcpiercemyMap.cmo: myMap.cmi myMap.cmx: myMap.cmi prefs.cmo: util.cmi uarg.cmi safelist.cmi prefs.cmi prefs.cmx: util.cmx uarg.cmx safelist.cmx prefs.cmi proplist.cmo: util.cmi proplist.cmi proplist.cmx: util.cmx proplist.cmi rx.cmo: rx.cmi rx.cmx: rx.cmi safelist.cmo: safelist.cmi safelist.cmx: safelist.cmi trace.cmo: util.cmi safelist.cmi prefs.cmi trace.cmi trace.cmx: util.cmx safelist.cmx prefs.cmx trace.cmi uarg.cmo: util.cmi safelist.cmi uarg.cmi uarg.cmx: util.cmx safelist.cmx uarg.cmi uprintf.cmo: uprintf.cmi uprintf.cmx: uprintf.cmi util.cmo: uprintf.cmi safelist.cmi util.cmi util.cmx: uprintf.cmx safelist.cmx util.cmi myMap.cmi: prefs.cmi: util.cmi proplist.cmi: rx.cmi: safelist.cmi: trace.cmi: prefs.cmi uarg.cmi: uprintf.cmi: util.cmi: unison-2.40.102/ubase/prefs.mli0000644006131600613160000001517011361646373016334 0ustar bcpiercebcpierce(* Unison file synchronizer: src/ubase/prefs.mli *) (* $I3: Copyright 1999-2002 (see COPYING for details) $ *) type 'a t val read : 'a t -> 'a val set : 'a t -> 'a -> unit val name : 'a t -> string list val overrideDefault : 'a t -> 'a -> unit val readDefault : 'a t -> 'a (* Convenient functions for registering simple kinds of preferences. Note *) (* that createStringPref creates a preference that can only be set once, *) (* while createStringListPref creates a reference to a list of strings that *) (* accumulates a list of values. *) val createBool : string (* preference name *) -> ?local:bool (* whether it is local to the client *) -> bool (* initial value *) -> string (* documentation string *) -> string (* full (tex) documentation string *) -> bool t (* -> new preference value *) val createInt : string (* preference name *) -> ?local:bool (* whether it is local to the client *) -> int (* initial value *) -> string (* documentation string *) -> string (* full (tex) documentation string *) -> int t (* -> new preference value *) val createString : string (* preference name *) -> ?local:bool (* whether it is local to the client *) -> string (* initial value *) -> string (* documentation string *) -> string (* full (tex) documentation string *) -> string t (* -> new preference value *) val createFspath : string (* preference name *) -> ?local:bool (* whether it is local to the client *) -> System.fspath (* initial value *) -> string (* documentation string *) -> string (* full (tex) documentation string *) -> System.fspath t (* -> new preference value *) val createStringList : string (* preference name *) -> ?local:bool (* whether it is local to the client *) -> string (* documentation string *) -> string (* full (tex) documentation string *) -> string list t (* -> new preference value *) val createBoolWithDefault : string (* preference name *) -> ?local:bool (* whether it is local to the client *) -> string (* documentation string *) -> string (* full (tex) documentation string *) -> [`True|`False|`Default] t (* -> new preference value *) exception IllegalValue of string (* A more general creation function that allows arbitrary functions for *) (* interning and printing values. The interning function should raise *) (* IllegalValue if it is passed a string it cannot deal with. *) val create : string (* preference name *) -> ?local:bool (* whether it is local to the client *) -> 'a (* initial value *) -> string (* documentation string *) -> string (* full (tex) documentation string *) -> ('a->string->'a) (* interning function for preference values (1st arg is old value of preference) *) -> ('a -> string list) (* printing function for preference values *) -> 'a t (* -> new preference value *) (* Create an alternate name for a preference (the new name will not appear *) (* in usage messages or generated documentation) *) val alias : 'a t (* existing preference *) -> string (* new name *) -> unit (* Reset all preferences to their initial values *) val resetToDefaults : unit -> unit (* ------------------------------------------------------------------------- *) (* Parse command-line arguments, exiting program if there are any problems. *) (* If a StringList preference named "rest" has been registered, then any *) (* anonymous arguments on the command line will be added to its value. *) val parseCmdLine : string (* Usage message *) -> unit (* Make a preliminary scan without setting any preferences *) val scanCmdLine : string -> (string list) Util.StringMap.t val printUsage : string -> unit (* ---------------------------------------------------------------------- *) (* The name of the preferences file (if any), not including the .prf *) val profileName : string option ref (* Calculate the full pathname of a preference file *) val profilePathname : string -> System.fspath (* Check whether the profile file is unchanged *) val profileUnchanged : unit -> bool (* Add a new preference to the file on disk (the result is a diagnostic *) (* message that can be displayed to the user to verify where the new pref *) (* went) *) val add : string -> string -> string (* Add a comment line to the preferences file on disk *) val addComment : string -> unit (* Scan a given preferences file and return a list of tuples of the form *) (* (fileName, lineno, name, value), without changing any of the preferences *) val readAFile : string -> (string * int * string * string) list (* Parse the preferences file, raising Fatal if there are any problems *) val loadTheFile : unit -> unit (* Parse the given strings as if they were part of the preferences file *) val loadStrings : string list -> unit (* ------------------------------------------------------------------------- *) type dumpedPrefs (* Dump current values of all preferences into a value that can be marshalled and sent over the network or stored in a file for fast retrieval *) val dump : unit -> dumpedPrefs (* Load new values of all preferences from a string created by dump *) val load : dumpedPrefs -> unit (* ------------------------------------------------------------------------- *) type typ = [`BOOL | `INT | `STRING | `STRING_LIST | `BOOLDEF | `CUSTOM | `UNKNOWN] val canonicalName : string -> string val typ : string -> typ val documentation : string -> string * string * bool val list : unit -> string list (* ------------------------------------------------------------------------- *) val printFullDocs : unit -> unit val dumpPrefsToStderr : unit -> unit unison-2.40.102/ubase/uprintf.ml0000644006131600613160000000706611361646373016540 0ustar bcpiercebcpierce(***********************************************************************) (* *) (* Objective Caml *) (* *) (* Xavier Leroy, projet Cristal, INRIA Rocquencourt *) (* *) (* Copyright 1996 Institut National de Recherche en Informatique et *) (* en Automatique. All rights reserved. This file is distributed *) (* under the terms of the GNU Library General Public License. *) (* *) (***********************************************************************) external caml_format_int: string -> int -> string = "caml_format_int" external caml_format_float: string -> float -> string = "caml_format_float" let fprintf outchan doafter format = let format = (Obj.magic format : string) in let rec doprn i = if i >= String.length format then (doafter(); Obj.magic ()) else begin let c = String.unsafe_get format i in if c <> '%' then begin output_char outchan c; doprn (succ i) end else begin let j = skip_args (succ i) in match String.unsafe_get format j with '%' -> output_char outchan '%'; doprn (succ j) | 's' -> Obj.magic(fun s -> if j <= i+1 then output_string outchan s else begin let p = try int_of_string (String.sub format (i+1) (j-i-1)) with Failure _ -> invalid_arg "fprintf: bad %s format" in if p > 0 && String.length s < p then begin output_string outchan (String.make (p - String.length s) ' '); output_string outchan s end else if p < 0 && String.length s < -p then begin output_string outchan s; output_string outchan (String.make (-p - String.length s) ' ') end else output_string outchan s end; doprn (succ j)) | 'c' -> Obj.magic(fun c -> output_char outchan c; doprn (succ j)) | 'd' | 'i' | 'o' | 'x' | 'X' | 'u' -> Obj.magic(fun n -> output_string outchan (caml_format_int (String.sub format i (j-i+1)) n); doprn (succ j)) | 'f' | 'e' | 'E' | 'g' | 'G' -> Obj.magic(fun f -> output_string outchan (caml_format_float (String.sub format i (j-i+1)) f); doprn (succ j)) | 'b' -> Obj.magic(fun b -> output_string outchan (string_of_bool b); doprn (succ j)) | 'a' -> Obj.magic(fun printer arg -> printer outchan arg; doprn(succ j)) | 't' -> Obj.magic(fun printer -> printer outchan; doprn(succ j)) | c -> invalid_arg ("fprintf: unknown format") end end and skip_args j = match String.unsafe_get format j with '0' .. '9' | ' ' | '.' | '-' -> skip_args (succ j) | c -> j in doprn 0 let printf doafter fmt = fprintf stdout doafter fmt and eprintf doafter fmt = fprintf stderr doafter fmt unison-2.40.102/ubase/util.mli0000644006131600613160000001052011361646373016164 0ustar bcpiercebcpierce(* Unison file synchronizer: src/ubase/util.mli *) (* Copyright 1999-2009, Benjamin C. Pierce (see COPYING for details) *) (* Miscellaneous utility functions and datatypes *) (* ---------------------------------------------------------------------- *) (* Exceptions *) exception Fatal of string exception Transient of string val encodeException : string -> [`Transient | `Fatal] -> exn -> 'a val convertUnixErrorsToTransient : string -> (unit -> 'a) -> 'a val convertUnixErrorsToFatal : string -> (unit -> 'a) -> 'a val ignoreTransientErrors : (unit -> unit) -> unit (* [unwindProtect e1 e2] executes e1, catching the above two exceptions and executing e2 (passing it the exception packet, so that it can log a message or whatever) before re-raising them *) val unwindProtect : (unit -> 'a) -> (exn -> unit) -> 'a (* [finalize e1 e2] executes e1 and then e2. If e1 raises either of the above two exceptions e2 is still executed and the exception is reraised *) val finalize : (unit -> 'a) -> (unit -> unit) -> 'a (* For data structures that need to record when operations have succeeded or failed *) type confirmation = Succeeded | Failed of string val printException : exn -> string val process_status_to_string : Unix.process_status -> string (* ---------------------------------------------------------------------- *) (* Strings *) (* Case insensitive comparison *) val nocase_cmp : string -> string -> int val nocase_eq : string -> string -> bool (* Ready-build set and map implementations *) module StringSet : Set.S with type elt = string module StringMap : Map.S with type key = string val stringSetFromList : string list -> StringSet.t (* String manipulation *) val truncateString : string -> int -> string val startswith : string -> string -> bool val endswith : string -> string -> bool val findsubstring : string -> string -> int option val replacesubstring : string -> string -> string -> string (* IN,FROM,TO *) val replacesubstrings : string -> (string * string) list -> string val concatmap : string -> ('a -> string) -> 'a list -> string val removeTrailingCR : string -> string val trimWhitespace : string -> string val splitIntoWords : string -> char -> string list val splitIntoWordsByString : string -> string -> string list val padto : int -> string -> string (* ---------------------------------------------------------------------- *) (* Miscellaneous *) (* Architecture *) val osType : [`Unix | `Win32] val isCygwin: bool (* osType will be `Win32 in this case *) (* Options *) val extractValueFromOption : 'a option -> 'a val option2string: ('a -> string) -> ('a option -> string) (* Miscellaneous *) val time2string : float -> string val percentageOfTotal : int -> (* current value *) int -> (* total value *) int (* percentage of total *) val monthname : int -> string val percent2string : float -> string val fileInHomeDir : string -> System.fspath (* Just like the versions in the Unix module, but raising Transient instead of Unix_error *) val localtime : float -> Unix.tm val time : unit -> float (* Global debugging printer (it's exposed as a ref so that modules loaded before Trace can use it; the ref will always be set to Some(Trace.debug)) *) val debugPrinter : ((string -> (unit->unit) -> unit) option) ref (* A synonym for Trace.debug *) val debug : string -> (unit->unit) -> unit (* The UI must supply a function to warn the user *) val warnPrinter : (string -> unit) option ref val warn : string -> unit (* Someone should supply a function here that will convert a simple filename to a filename in the unison directory *) val supplyFileInUnisonDirFn : (string -> System.fspath) -> unit (* Use it like this: *) val fileInUnisonDir : string -> System.fspath (* Printing and formatting functions *) val format : ('a, Format.formatter, unit) format -> 'a (** Format some text on the current formatting channel. This is the only formatting function that should be called anywhere in the program! *) val flush : unit -> unit val format_to_string : (unit -> unit) -> string (** [format_to_string f] runs [f] in a context where the Format functions are redirected to a string, which it returns. *) (* Format and print messages on the standard error stream, being careful to flush the stream after each one *) val msg : ('a, out_channel, unit) format -> 'a (* Set the info line *) val set_infos : string -> unit unison-2.40.102/ubase/proplist.mli0000644006131600613160000000043711361646373017071 0ustar bcpiercebcpierce(* Unison file synchronizer: src/ubase/proplist.mli *) (* Copyright 1999-2009, Benjamin C. Pierce (see COPYING for details) *) type 'a key type t val register : string -> 'a key val empty : t val mem : 'a key -> t -> bool val find : 'a key -> t -> 'a val add : 'a key -> 'a -> t -> t unison-2.40.102/ubase/myMap.ml0000644006131600613160000002021211361646373016120 0ustar bcpiercebcpierce(* This file is taken from the Objective Caml standard library. Some functions have been added to suite Unison needs. *) (***********************************************************************) (* *) (* Objective Caml *) (* *) (* Xavier Leroy, projet Cristal, INRIA Rocquencourt *) (* *) (* Copyright 1996 Institut National de Recherche en Informatique et *) (* en Automatique. All rights reserved. This file is distributed *) (* under the terms of the GNU Library General Public License, with *) (* the special exception on linking described in file ../LICENSE. *) (* *) (***********************************************************************) module type OrderedType = sig type t val compare: t -> t -> int end module type S = sig type key type +'a t val empty: 'a t val is_empty: 'a t -> bool val add: key -> 'a -> 'a t -> 'a t val find: key -> 'a t -> 'a val findi: key -> 'a t -> key * 'a val remove: key -> 'a t -> 'a t val mem: key -> 'a t -> bool val iter: (key -> 'a -> unit) -> 'a t -> unit val map: ('a -> 'b) -> 'a t -> 'b t val mapi: (key -> 'a -> 'b) -> 'a t -> 'b t val mapii: (key -> 'a -> key * 'b) -> 'a t -> 'b t val fold: (key -> 'a -> 'b -> 'b) -> 'a t -> 'b -> 'b val compare: ('a -> 'a -> int) -> 'a t -> 'a t -> int val equal: ('a -> 'a -> bool) -> 'a t -> 'a t -> bool val validate: 'a t -> [`Ok | `Duplicate of key | `Invalid of key * key] end module Make(Ord: OrderedType) = struct type key = Ord.t type 'a t = Empty | Node of 'a t * key * 'a * 'a t * int let height = function Empty -> 0 | Node(_,_,_,_,h) -> h let create l x d r = let hl = height l and hr = height r in Node(l, x, d, r, (if hl >= hr then hl + 1 else hr + 1)) let bal l x d r = let hl = match l with Empty -> 0 | Node(_,_,_,_,h) -> h in let hr = match r with Empty -> 0 | Node(_,_,_,_,h) -> h in if hl > hr + 2 then begin match l with Empty -> invalid_arg "Map.bal" | Node(ll, lv, ld, lr, _) -> if height ll >= height lr then create ll lv ld (create lr x d r) else begin match lr with Empty -> invalid_arg "Map.bal" | Node(lrl, lrv, lrd, lrr, _)-> create (create ll lv ld lrl) lrv lrd (create lrr x d r) end end else if hr > hl + 2 then begin match r with Empty -> invalid_arg "Map.bal" | Node(rl, rv, rd, rr, _) -> if height rr >= height rl then create (create l x d rl) rv rd rr else begin match rl with Empty -> invalid_arg "Map.bal" | Node(rll, rlv, rld, rlr, _) -> create (create l x d rll) rlv rld (create rlr rv rd rr) end end else Node(l, x, d, r, (if hl >= hr then hl + 1 else hr + 1)) let empty = Empty let is_empty = function Empty -> true | _ -> false let rec add x data = function Empty -> Node(Empty, x, data, Empty, 1) | Node(l, v, d, r, h) -> let c = Ord.compare x v in if c = 0 then Node(l, x, data, r, h) else if c < 0 then bal (add x data l) v d r else bal l v d (add x data r) let rec find x = function Empty -> raise Not_found | Node(l, v, d, r, _) -> let c = Ord.compare x v in if c = 0 then d else find x (if c < 0 then l else r) let rec findi x = function Empty -> raise Not_found | Node(l, v, d, r, _) -> let c = Ord.compare x v in if c = 0 then (v, d) else findi x (if c < 0 then l else r) let rec mem x = function Empty -> false | Node(l, v, d, r, _) -> let c = Ord.compare x v in c = 0 || mem x (if c < 0 then l else r) let rec min_binding = function Empty -> raise Not_found | Node(Empty, x, d, r, _) -> (x, d) | Node(l, x, d, r, _) -> min_binding l let rec remove_min_binding = function Empty -> invalid_arg "Map.remove_min_elt" | Node(Empty, x, d, r, _) -> r | Node(l, x, d, r, _) -> bal (remove_min_binding l) x d r let merge t1 t2 = match (t1, t2) with (Empty, t) -> t | (t, Empty) -> t | (_, _) -> let (x, d) = min_binding t2 in bal t1 x d (remove_min_binding t2) let rec remove x = function Empty -> Empty | Node(l, v, d, r, h) -> let c = Ord.compare x v in if c = 0 then merge l r else if c < 0 then bal (remove x l) v d r else bal l v d (remove x r) let rec iter f = function Empty -> () | Node(l, v, d, r, _) -> iter f l; f v d; iter f r let rec map f = function Empty -> Empty | Node(l, v, d, r, h) -> let l' = map f l in let d' = f d in let r' = map f r in Node(l', v, d', r', h) let rec mapi f = function Empty -> Empty | Node(l, v, d, r, h) -> let l' = mapi f l in let d' = f v d in let r' = mapi f r in Node(l', v, d', r', h) let rec mapii f = function Empty -> Empty | Node(l, v, d, r, h) -> let l' = mapii f l in let (v', d') = f v d in if v' != v && Ord.compare v v' <> 0 then invalid_arg "Map.mapii"; let r' = mapii f r in Node(l', v', d', r', h) let rec fold f m accu = match m with Empty -> accu | Node(l, v, d, r, _) -> fold f l (f v d (fold f r accu)) type 'a enumeration = End | More of key * 'a * 'a t * 'a enumeration let rec cons_enum m e = match m with Empty -> e | Node(l, v, d, r, _) -> cons_enum l (More(v, d, r, e)) let compare cmp m1 m2 = let rec compare_aux e1 e2 = match (e1, e2) with (End, End) -> 0 | (End, _) -> -1 | (_, End) -> 1 | (More(v1, d1, r1, e1), More(v2, d2, r2, e2)) -> let c = Ord.compare v1 v2 in if c <> 0 then c else let c = cmp d1 d2 in if c <> 0 then c else compare_aux (cons_enum r1 e1) (cons_enum r2 e2) in compare_aux (cons_enum m1 End) (cons_enum m2 End) let equal cmp m1 m2 = let rec equal_aux e1 e2 = match (e1, e2) with (End, End) -> true | (End, _) -> false | (_, End) -> false | (More(v1, d1, r1, e1), More(v2, d2, r2, e2)) -> Ord.compare v1 v2 = 0 && cmp d1 d2 && equal_aux (cons_enum r1 e1) (cons_enum r2 e2) in equal_aux (cons_enum m1 End) (cons_enum m2 End) let val_combine r r' = match r, r' with `Ok , _ -> r' | `Duplicate _, `Ok -> r | `Duplicate _, _ -> r' | _ , _ -> r let rec validate_both v m v' = match m with Empty -> let c = Ord.compare v v' in if c < 0 then `Ok else if c = 0 then `Duplicate v else `Invalid (v, v') | Node (l, v'', _, r, _) -> val_combine (validate_both v l v'') (validate_both v'' r v') let rec validate_left m v = match m with Empty -> `Ok | Node (l, v', _, r, _) -> val_combine (validate_left l v') (validate_both v' r v) let rec validate_right v m = match m with Empty -> `Ok | Node (l, v', _, r, _) -> val_combine (validate_both v l v') (validate_right v' r) let validate m = match m with Empty -> `Ok | Node (l, v, _, r, _) -> val_combine (validate_left l v) (validate_right v r) end unison-2.40.102/ubase/safelist.mli0000644006131600613160000000412711361646373017027 0ustar bcpiercebcpierce(* Unison file synchronizer: src/ubase/safelist.mli *) (* Copyright 1999-2009, Benjamin C. Pierce (see COPYING for details) *) (* All functions here are tail recursive and will work for arbitrary sized lists (unlike some of the standard ones). The intention is that the built-in List module should not be referred to outside this module. *) (* Functions from built-in List module *) val map : ('a -> 'b) -> 'a list -> 'b list val rev_map : ('a -> 'b) -> 'a list -> 'b 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 combine : 'a list -> 'b list -> ('a * 'b) list val iter : ('a -> unit) -> 'a list -> unit val iteri : (int -> 'a -> unit) -> 'a list -> unit (* zero-based *) val rev : 'a list -> 'a list val fold_right : ('a -> 'b -> 'b) -> 'a list -> 'b -> 'b val hd : 'a list -> 'a val tl : 'a list -> 'a list val nth : 'a list -> int -> 'a val length : 'a list -> int val mem : 'a -> 'a list -> bool val flatten : 'a list list -> 'a list val assoc : 'a -> ('a * 'b) list -> 'b val for_all : ('a -> bool) -> 'a list -> bool val exists : ('a -> bool) -> 'a list -> bool val split : ('a * 'b) list -> 'a list * 'b list val find : ('a -> bool) -> 'a list -> 'a val filter : ('a -> bool) -> 'a list -> 'a list val partition : ('a -> bool) -> 'a list -> 'a list * 'a list val remove_assoc : 'a -> ('a * 'b) list -> ('a * 'b) list val fold_left : ('a -> 'b -> 'a) -> 'a -> 'b list -> 'a val map2 : ('a -> 'b -> 'c) -> 'a list -> 'b list -> 'c list val iter2 : ('a -> 'b -> unit) -> 'a list -> 'b list -> unit val stable_sort : ('a -> 'a -> int) -> 'a list -> 'a list val sort : ('a -> 'a -> int) -> 'a list -> 'a list (* Other useful list-processing functions *) val filterMap : ('a -> 'b option) -> 'a list -> 'b list val filterMap2 : ('a -> 'b option * 'c option) -> 'a list -> 'b list * 'c list val transpose : 'a list list -> 'a list list val filterBoth : ('a -> bool) -> 'a list -> ('a list * 'a list) val allElementsEqual : 'a list -> bool val flatten_map : ('a -> 'b list) -> 'a list -> 'b list val remove : 'a -> 'a list -> 'a list unison-2.40.102/ubase/META0000644006131600613160000000013511361646373015156 0ustar bcpiercebcpiercerequires = "unix" version = "0.1" archive(byte) = "ubase.cma" archive(native) = "ubase.cmxa" unison-2.40.102/ubase/prefs.ml0000644006131600613160000004340411361646373016164 0ustar bcpiercebcpierce(* Unison file synchronizer: src/ubase/prefs.ml *) (* $I3: Copyright 1999-2002 (see COPYING for details) $ *) let debug = Util.debug "prefs" type 'a t = { mutable value : 'a; defaultValue : 'a; mutable names : string list; mutable setInProfile : bool } let read p = p.value let set p v = p.setInProfile <- true; p.value <- v let overrideDefault p v = if not p.setInProfile then p.value <- v let name p = p.names let readDefault p = p.defaultValue let rawPref default name = { value = default; defaultValue = default; names = [name]; setInProfile = false } (* ------------------------------------------------------------------------- *) let profileName = ref None let profileFiles = ref [] let profilePathname n = let f = Util.fileInUnisonDir n in if System.file_exists f then f else Util.fileInUnisonDir (n ^ ".prf") let thePrefsFile () = match !profileName with None -> raise (Util.Transient("No preference file has been specified")) | Some(n) -> profilePathname n let profileUnchanged () = List.for_all (fun (path, info) -> try let newInfo = System.stat path in newInfo.Unix.LargeFile.st_kind = Unix.S_REG && info.Unix.LargeFile.st_mtime = newInfo.Unix.LargeFile.st_mtime && info.Unix.LargeFile.st_size = newInfo.Unix.LargeFile.st_size with Unix.Unix_error _ -> false) !profileFiles (* ------------------------------------------------------------------------- *) (* When preferences change, we need to dump them out to the file we loaded *) (* them from. This is accomplished by associating each preference with a *) (* printing function. *) let printers = ref ([] : (string * (unit -> string list)) list) let addprinter name f = printers := (name, f) :: !printers (* ---------------------------------------------------------------------- *) (* When we load a new profile, we need to reset all preferences to their *) (* default values. Each preference has a resetter for doing this. *) let resetters = ref [] let addresetter f = resetters := f :: !resetters let resetToDefaults () = Safelist.iter (fun f -> f()) !resetters; profileFiles := [] (* ------------------------------------------------------------------------- *) (* When the server starts up, we need to ship it the current state of all *) (* the preference settings. This is accomplished by dumping them on the *) (* client side and loading on the server side; as each preference is *) (* created, a dumper (marshaler) and a loader (parser) are added to the list *) (* kept here... *) type dumpedPrefs = (string * bool * string) list let dumpers = ref ([] : (string * bool * (unit->string)) list) let loaders = ref (Util.StringMap.empty : (string->unit) Util.StringMap.t) let adddumper name optional f = dumpers := (name,optional,f) :: !dumpers let addloader name f = loaders := Util.StringMap.add name f !loaders let dump () = Safelist.map (fun (name, opt, f) -> (name, opt, f())) !dumpers let load d = Safelist.iter (fun (name, opt, dumpedval) -> match try Some (Util.StringMap.find name !loaders) with Not_found -> None with Some loaderfn -> loaderfn dumpedval | None -> if not opt then raise (Util.Fatal ("Preference "^name^" not found: \ inconsistent Unison versions??"))) d (* For debugging *) let dumpPrefsToStderr() = Printf.eprintf "Preferences:\n"; Safelist.iter (fun (name,f) -> Safelist.iter (fun s -> Printf.eprintf "%s = %s\n" name s) (f())) !printers (* ------------------------------------------------------------------------- *) (* Each preference is associated with a handler function taking an argument *) (* of appropriate type. These functions should raise IllegalValue if they *) (* are invoked with a value that falls outside the range they expect. This *) (* exception will be caught within the preferences module and used to *) (* generate an appropriate usage message. *) exception IllegalValue of string (* aliasMap: prefName -> prefName *) let aliasMap = ref (Util.StringMap.empty : string Util.StringMap.t) let canonicalName nm = try Util.StringMap.find nm !aliasMap with Not_found -> nm type typ = [`BOOL | `INT | `STRING | `STRING_LIST | `BOOLDEF | `CUSTOM | `UNKNOWN] (* prefType : prefName -> type *) let prefType = ref (Util.StringMap.empty : typ Util.StringMap.t) let typ nm = try Util.StringMap.find nm !prefType with Not_found -> `UNKNOWN (* prefs: prefName -> (doc, pspec, fulldoc) *) let prefs = ref (Util.StringMap.empty : (string * Uarg.spec * string) Util.StringMap.t) let documentation nm = try let (doc, _, fulldoc) = Util.StringMap.find nm !prefs in if doc <> "" && doc.[0] = '*' then raise Not_found; let basic = doc = "" || doc.[0] <> '!' in let doc = if not basic then String.sub doc 1 (String.length doc - 1) else doc in (doc, fulldoc, basic) with Not_found -> ("", "", false) let list () = List.sort String.compare (Util.StringMap.fold (fun nm _ l -> nm :: l) !prefType []) (* aliased pref has *-prefixed doc and empty fulldoc *) let alias pref newname = (* pref must have been registered, so name pref is not empty, and will be *) (* found in the map, no need for catching exception *) let (_,pspec,_) = Util.StringMap.find (Safelist.hd (name pref)) !prefs in prefs := Util.StringMap.add newname ("*", pspec, "") !prefs; aliasMap := Util.StringMap.add newname (Safelist.hd (name pref)) !aliasMap; pref.names <- newname :: pref.names let registerPref name typ pspec doc fulldoc = if Util.StringMap.mem name !prefs then raise (Util.Fatal ("Preference " ^ name ^ " registered twice")); prefs := Util.StringMap.add name (doc, pspec, fulldoc) !prefs; (* Ignore internal preferences *) if doc = "" || doc.[0] <> '*' then prefType := Util.StringMap.add name typ !prefType let createPrefInternal name typ local default doc fulldoc printer parsefn = let newCell = rawPref default name in registerPref name typ (parsefn newCell) doc fulldoc; adddumper name local (fun () -> Marshal.to_string (newCell.value, newCell.names) []); addprinter name (fun () -> printer newCell.value); addresetter (fun () -> newCell.setInProfile <- false; newCell.value <- newCell.defaultValue); addloader name (fun s -> let (value, names) = Marshal.from_string s 0 in newCell.value <- value); newCell let create name ?(local=false) default doc fulldoc intern printer = createPrefInternal name `CUSTOM local default doc fulldoc printer (fun cell -> Uarg.String (fun s -> set cell (intern (read cell) s))) let createBool name ?(local=false) default doc fulldoc = let doc = if default then doc ^ " (default true)" else doc in createPrefInternal name `BOOL local default doc fulldoc (fun v -> [if v then "true" else "false"]) (fun cell -> Uarg.Bool (fun b -> set cell b)) let createInt name ?(local=false) default doc fulldoc = createPrefInternal name `INT local default doc fulldoc (fun v -> [string_of_int v]) (fun cell -> Uarg.Int (fun i -> set cell i)) let createString name ?(local=false) default doc fulldoc = createPrefInternal name `STRING local default doc fulldoc (fun v -> [v]) (fun cell -> Uarg.String (fun s -> set cell s)) let createFspath name ?(local=false) default doc fulldoc = createPrefInternal name `STRING local default doc fulldoc (fun v -> [System.fspathToString v]) (fun cell -> Uarg.String (fun s -> set cell (System.fspathFromString s))) let createStringList name ?(local=false) doc fulldoc = createPrefInternal name `STRING_LIST local [] doc fulldoc (fun v -> v) (fun cell -> Uarg.String (fun s -> set cell (s:: read cell))) let createBoolWithDefault name ?(local=false) doc fulldoc = createPrefInternal name `BOOLDEF local `Default doc fulldoc (fun v -> [match v with `True -> "true" | `False -> "false" | `Default -> "default"]) (fun cell -> Uarg.String (fun s -> let v = match s with "yes" | "true" -> `True | "default" | "auto" -> `Default | _ -> `False in set cell v)) (*****************************************************************************) (* Command-line parsing *) (*****************************************************************************) let prefArg = function Uarg.Bool(_) -> "" | Uarg.Int(_) -> "n" | Uarg.String(_) -> "xxx" | _ -> assert false let argspecs hook = Util.StringMap.fold (fun name (doc, pspec, _) l -> ("-" ^ name, hook name pspec, "")::l) !prefs [] let oneLineDocs u = let formatOne name pspec doc p = if not p then "" else let doc = if doc.[0] = '!' then String.sub doc 1 ((String.length doc) - 1) else doc in let arg = prefArg pspec in let arg = if arg = "" then "" else " " ^ arg in let spaces = String.make (max 1 (18 - String.length (name ^ arg))) ' ' in " -" ^ name ^ arg ^ spaces ^ doc ^ "\n" in let formatAll p = String.concat "" (Safelist.rev (Util.StringMap.fold (fun name (doc, pspec, _) l -> (formatOne name pspec doc (String.length doc > 0 && doc.[0] <> '*' && p doc)) :: l) !prefs [])) in u ^ "\n" ^ "Basic options: \n" ^ formatAll (fun doc -> doc.[0] <> '!') ^ "\nAdvanced options: \n" ^ formatAll (fun doc -> doc.[0] = '!') let printUsage usage = Uarg.usage (argspecs (fun _ s -> s)) (oneLineDocs usage) let processCmdLine usage hook = Uarg.current := 0; let argspecs = argspecs hook in let defaultanonfun _ = print_string "Anonymous arguments not allowed\n"; Uarg.usage argspecs (oneLineDocs usage); exit 2 in let anonfun = try let (_, p, _) = Util.StringMap.find "rest" !prefs in match hook "rest" p with Uarg.String stringFunction -> stringFunction | _ -> defaultanonfun with Not_found -> defaultanonfun in try Uarg.parse argspecs anonfun (oneLineDocs usage) with IllegalValue str -> raise(Util.Fatal(Printf.sprintf "%s \n%s\n" (oneLineDocs usage) str)) let parseCmdLine usage = processCmdLine usage (fun _ sp -> sp) (* Scan command line without actually setting any preferences; return a *) (* string map associating a list of strings with each option appearing on *) (* the command line. *) let scanCmdLine usage = let m = ref (Util.StringMap.empty : (string list) Util.StringMap.t) in let insert name s = let old = try Util.StringMap.find name !m with Not_found -> [] in m := Util.StringMap.add name (s :: old) !m in processCmdLine usage (fun name p -> match p with Uarg.Bool _ -> Uarg.Bool (fun b -> insert name (string_of_bool b)) | Uarg.Int _ -> Uarg.Int (fun i -> insert name (string_of_int i)) | Uarg.String _ -> Uarg.String (fun s -> insert name s) | _ -> assert false); !m (*****************************************************************************) (* Preferences file parsing *) (*****************************************************************************) let string2bool name = function "true" -> true | "false" -> false | other -> raise (Util.Fatal (name^" expects a boolean value, but \n"^other ^ " is not a boolean")) let string2int name string = try int_of_string string with Failure "int_of_string" -> raise (Util.Fatal (name ^ " expects an integer value, but\n" ^ string ^ " is not an integer")) (* Takes a filename and returns a list of "parsed lines" containing (filename, lineno, varname, value) in the same order as in the file. *) let rec readAFile filename : (string * int * string * string) list = let chan = try let path = profilePathname filename in profileFiles := (path, System.stat path) :: !profileFiles; System.open_in_bin path with Unix.Unix_error _ | Sys_error _ -> raise(Util.Fatal(Printf.sprintf "Preference file %s not found" filename)) in let bom = "\xef\xbb\xbf" in (* BOM: UTF-8 byte-order mark *) let rec loop lines = match (try Some(input_line chan) with End_of_file -> None) with None -> close_in chan; parseLines filename lines | Some(theLine) -> let theLine = (* A lot of Windows tools start a UTF-8 encoded file by a byte-order mark. We skip it. *) if lines = [] && Util.startswith theLine bom then String.sub theLine 3 (String.length theLine - 3) else theLine in loop (theLine::lines) in loop [] (* Takes a list of strings in reverse order and yields a list of "parsed lines" in correct order *) and parseLines filename lines = let rec loop lines lineNum res = match lines with [] -> res | theLine :: rest -> let theLine = Util.removeTrailingCR theLine in let l = Util.trimWhitespace theLine in if l = "" || l.[0]='#' then loop rest (lineNum+1) res else if Util.startswith theLine "include " then match Util.splitIntoWords theLine ' ' with [_;f] -> let sublines = readAFile f in loop rest (lineNum+1) (Safelist.append sublines res) | _ -> raise (Util.Fatal(Printf.sprintf "File \"%s\", line %d:\nGarbled 'include' directive: %s" filename lineNum theLine)) else try let pos = String.index theLine '=' in let varName = Util.trimWhitespace (String.sub theLine 0 pos) in let theResult = Util.trimWhitespace (String.sub theLine (pos+1) (String.length theLine - pos - 1)) in loop rest (lineNum+1) ((filename, lineNum, varName, theResult)::res) with Not_found -> (* theLine does not contain '=' *) raise(Util.Fatal(Printf.sprintf "File \"%s\", line %d:\nGarbled line (no '='):\n%s" filename lineNum theLine)) in loop lines 1 [] let processLines lines = Safelist.iter (fun (fileName, lineNum, varName,theResult) -> try let _, theFunction, _ = Util.StringMap.find varName !prefs in match theFunction with Uarg.Bool boolFunction -> boolFunction (string2bool varName theResult) | Uarg.Int intFunction -> intFunction (string2int varName theResult) | Uarg.String stringFunction -> stringFunction theResult | _ -> assert false with Not_found -> raise (Util.Fatal ("File \""^ fileName ^ "\", line " ^ string_of_int lineNum ^ ": `" ^ varName ^ "' is not a valid option")) | IllegalValue str -> raise(Util.Fatal("File \""^ fileName ^ "\", line " ^ string_of_int lineNum ^ ": " ^ str))) lines let loadTheFile () = match !profileName with None -> () | Some(n) -> processLines(readAFile n) let loadStrings l = processLines (parseLines "" l) (*****************************************************************************) (* Printing *) (*****************************************************************************) let listVisiblePrefs () = let l = Util.StringMap.fold (fun name (_, pspec, fulldoc) l -> if String.length fulldoc > 0 then begin (name, pspec, fulldoc) :: l end else l) !prefs [] in Safelist.stable_sort (fun (name1,_,_) (name2,_,_) -> compare name1 name2) l let printFullDocs () = Printf.eprintf "\\begin{description}\n"; Safelist.iter (fun (name, pspec, fulldoc) -> Printf.eprintf "\\item [{%s \\tt %s}]\n%s\n\n" name (prefArg pspec) fulldoc) (listVisiblePrefs()); Printf.eprintf "\\end{description}\n" (*****************************************************************************) (* Adding stuff to the prefs file *) (*****************************************************************************) let addprefsto = createString "addprefsto" "" "!file to add new prefs to" "By default, new preferences added by Unison (e.g., new \\verb|ignore| \ clauses) will be appended to whatever preference file Unison was told \ to load at the beginning of the run. Setting the preference \ \\texttt{addprefsto \\ARG{filename}} makes Unison \ add new preferences to the file named \\ARG{filename} instead." let addLine l = let filename = if read addprefsto <> "" then profilePathname (read addprefsto) else thePrefsFile() in try debug (fun() -> Util.msg "Adding '%s' to %s\n" l (System.fspathToDebugString filename)); let resultmsg = l ^ "' added to profile " ^ System.fspathToPrintString filename in let ochan = System.open_out_gen [Open_wronly; Open_creat; Open_append] 0o600 filename in output_string ochan l; output_string ochan "\n"; close_out ochan; resultmsg with Sys_error e -> begin let resultmsg = (Printf.sprintf "Could not write preferences file (%s)\n" e) in Util.warn resultmsg; resultmsg end let add name value = addLine (name ^ " = " ^ value) let addComment c = ignore (addLine ("# " ^ c)) unison-2.40.102/ubase/util.ml0000644006131600613160000003514411361646373016024 0ustar bcpiercebcpierce(* Unison file synchronizer: src/ubase/util.ml *) (* Copyright 1999-2009, Benjamin C. Pierce This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . *) (*****************************************************************************) (* CASE INSENSITIVE COMPARISON *) (*****************************************************************************) let nocase_cmp a b = let alen = String.length a in let blen = String.length b in let minlen = if alen=minlen then compare alen blen else let c = compare (Char.lowercase(String.get a i)) (Char.lowercase(String.get b i)) in if c<>0 then c else loop (i+1) in loop 0 let nocase_eq a b = (0 = (nocase_cmp a b)) (*****************************************************************************) (* PRE-BUILT MAP AND SET MODULES *) (*****************************************************************************) module StringMap = Map.Make (String) module StringSet = Set.Make (String) let stringSetFromList l = Safelist.fold_right StringSet.add l StringSet.empty (*****************************************************************************) (* Debugging / error messages *) (*****************************************************************************) let infos = ref "" let clear_infos () = if !infos <> "" then begin print_string "\r"; print_string (String.make (String.length !infos) ' '); print_string "\r"; flush stdout end let show_infos () = if !infos <> "" then begin print_string !infos; flush stdout end let set_infos s = if s <> !infos then begin clear_infos (); infos := s; show_infos () end let msg f = clear_infos (); Uprintf.eprintf (fun () -> flush stderr; show_infos ()) f let msg : ('a, out_channel, unit) format -> 'a = msg (* ------------- Formatting stuff --------------- *) let curr_formatter = ref Format.std_formatter let format f = Format.fprintf (!curr_formatter) f let format : ('a, Format.formatter, unit) format -> 'a = format let format_to_string f = let old_formatter = !curr_formatter in curr_formatter := Format.str_formatter; f (); let s = Format.flush_str_formatter () in curr_formatter := old_formatter; s let flush () = Format.pp_print_flush (!curr_formatter) () (*****************************************************************************) (* GLOBAL DEBUGGING SWITCH *) (*****************************************************************************) let debugPrinter = ref None let debug s th = match !debugPrinter with None -> assert false | Some p -> p s th (* This should be set by the UI to a function that can be used to warn users *) let warnPrinter = ref None (* The rest of the program invokes this function to warn users. *) let warn message = match !warnPrinter with None -> () | Some p -> p message (*****************************************************************************) (* EXCEPTION HANDLING *) (*****************************************************************************) exception Fatal of string exception Transient of string let encodeException m kind e = let reraise s = match kind with `Fatal -> raise (Fatal s) | `Transient -> raise (Transient s) in let kindStr = match kind with `Fatal -> "Fatal" | `Transient -> "Transient" in match e with Unix.Unix_error(err,fnname,param) -> let s = "Error in " ^ m ^ ":\n" ^ (Unix.error_message err) ^ " [" ^ fnname ^ "(" ^ param ^ ")]%s" ^ (match err with Unix.EUNKNOWNERR n -> Format.sprintf " (code %d)" n | _ -> "") in debug "exn" (fun() -> msg "Converting a Unix error to %s:\n%s\n" kindStr s); reraise s | Transient(s) -> debug "exn" (fun() -> if kind = `Fatal then msg "In %s: Converting a Transient error to %s:\n%s\n" m kindStr s else msg "In %s: Propagating Transient error\n" m); reraise s | Not_found -> let s = "Not_found raised in " ^ m ^ " (this indicates a bug!)" in debug "exn" (fun() -> msg "Converting a Not_found to %s:\n%s\n" kindStr s); reraise s | Invalid_argument a -> let s = "Invalid_argument("^a^") raised in " ^ m ^ " (this indicates a bug!)" in debug "exn" (fun() -> msg "Converting an Invalid_argument to %s:\n%s\n" kindStr s); reraise s | Sys_error(s) -> let s = "Error in " ^ m ^ ":\n" ^ s in debug "exn" (fun() -> msg "Converting a Sys_error to %s:\n%s\n" kindStr s); reraise s | Sys_blocked_io -> let s = "Blocked IO error in " ^ m in debug "exn" (fun() -> msg "Converting a Sys_blocked_io to %s:\n%s\n" kindStr s); reraise s | _ -> raise e let convertUnixErrorsToExn m f n e = try f() with Unix.Unix_error(err,fnname,param) -> let s = "Error in " ^ m ^ ":\n" ^ (Unix.error_message err) ^ " [" ^ fnname ^ "(" ^ param ^ ")]" in debug "exn" (fun() -> msg "Converting a Unix error to %s:\n%s\n" n s); raise (e s) | Transient(s) -> debug "exn" (fun() -> if n="Fatal" then msg "In %s: Converting a Transient error to %s:\n%s\n" m n s else msg "In %s: Propagating Transient error\n" m); raise (e s) | Not_found -> let s = "Not_found raised in " ^ m ^ " (this indicates a bug!)" in debug "exn" (fun() -> msg "Converting a Not_found to %s:\n%s\n" n s); raise (e s) | End_of_file -> let s = "End_of_file exception raised in " ^ m ^ " (this indicates a bug!)" in debug "exn" (fun() -> msg "Converting an End_of_file to %s:\n%s\n" n s); raise (e s) | Sys_error(s) -> let s = "Error in " ^ m ^ ":\n" ^ s in debug "exn" (fun() -> msg "Converting a Sys_error to %s:\n%s\n" n s); raise (e s) | Sys_blocked_io -> let s = "Blocked IO error in " ^ m in debug "exn" (fun() -> msg "Converting a Sys_blocked_io to %s:\n%s\n" n s); raise (e s) let convertUnixErrorsToFatal m f = convertUnixErrorsToExn m f "Fatal" (fun str -> Fatal(str)) let convertUnixErrorsToTransient m f = convertUnixErrorsToExn m f "Transient" (fun str -> Transient(str)) let unwindProtect f cleanup = try f () with Transient _ as e -> debug "exn" (fun () -> msg "Exception caught by unwindProtect\n"); convertUnixErrorsToFatal "unwindProtect" (fun()-> cleanup e); raise e let finalize f cleanup = try let res = f () in cleanup (); res with Transient _ as e -> debug "exn" (fun () -> msg "Exception caught by finalize\n"); convertUnixErrorsToFatal "finalize" cleanup; raise e type confirmation = Succeeded | Failed of string let ignoreTransientErrors thunk = try thunk() with Transient(s) -> () let printException e = try raise e with Transient s -> s | Fatal s -> s | e -> Printexc.to_string e (* Safe version of Unix getenv -- raises a comprehensible error message if called with an env variable that doesn't exist *) let safeGetenv var = convertUnixErrorsToFatal "querying environment" (fun () -> try System.getenv var with Not_found -> raise (Fatal ("Environment variable " ^ var ^ " not found"))) let process_status_to_string = function Unix.WEXITED i -> Printf.sprintf "Exited with status %d" i | Unix.WSIGNALED i -> Printf.sprintf "Killed by signal %d" i | Unix.WSTOPPED i -> Printf.sprintf "Stopped by signal %d" i (*****************************************************************************) (* OS TYPE *) (*****************************************************************************) let osType = match Sys.os_type with "Win32" | "Cygwin" -> `Win32 | "Unix" -> `Unix | other -> raise (Fatal ("Unknown OS: " ^ other)) let isCygwin = (Sys.os_type = "Cygwin") (*****************************************************************************) (* MISCELLANEOUS *) (*****************************************************************************) let monthname n = Safelist.nth ["Jan";"Feb";"Mar";"Apr";"May";"Jun";"Jul";"Aug";"Sep";"Oct";"Nov";"Dec"] n let localtime f = convertUnixErrorsToTransient "localtime" (fun()-> Unix.localtime f) let time () = convertUnixErrorsToTransient "time" Unix.time let time2string timef = try let time = localtime timef in (* Old-style: Printf.sprintf "%2d:%.2d:%.2d on %2d %3s, %4d" time.Unix.tm_hour time.Unix.tm_min time.Unix.tm_sec time.Unix.tm_mday (monthname time.Unix.tm_mon) (time.Unix.tm_year + 1900) *) Printf.sprintf "%4d-%02d-%02d at %2d:%.2d:%.2d" (time.Unix.tm_year + 1900) (time.Unix.tm_mon + 1) time.Unix.tm_mday time.Unix.tm_hour time.Unix.tm_min time.Unix.tm_sec with Transient _ -> "(invalid date)" let percentageOfTotal current total = (int_of_float ((float current) *. 100.0 /. (float total))) let percent2string p = Printf.sprintf "%3d%%" (truncate (max 0. (min 100. p))) let extractValueFromOption = function None -> raise (Fatal "extractValueFromOption failed") | Some(v) -> v let option2string (prt: 'a -> string) = function Some x -> prt x | None -> "N.A." (*****************************************************************************) (* String utility functions *) (*****************************************************************************) let truncateString string length = let actualLength = String.length string in if actualLength <= length then string^(String.make (length - actualLength) ' ') else if actualLength < 3 then string else (String.sub string 0 (length - 3))^ "..." let findsubstring s1 s2 = let l1 = String.length s1 in let l2 = String.length s2 in let rec loop i = if i+l1 > l2 then None else if s1 = String.sub s2 i l1 then Some(i) else loop (i+1) in loop 0 let rec replacesubstring s fromstring tostring = match findsubstring fromstring s with None -> s | Some(i) -> let before = String.sub s 0 i in let afterpos = i + (String.length fromstring) in let after = String.sub s afterpos ((String.length s) - afterpos) in before ^ tostring ^ (replacesubstring after fromstring tostring) let replacesubstrings s pairs = Safelist.fold_left (fun s' (froms,tos) -> replacesubstring s' froms tos) s pairs let startswith s1 s2 = let l1 = String.length s1 in let l2 = String.length s2 in if l1 < l2 then false else let rec loop i = if i>=l2 then true else if s1.[i] <> s2.[i] then false else loop (i+1) in loop 0 let endswith s1 s2 = let l1 = String.length s1 in let l2 = String.length s2 in let offset = l1 - l2 in if l1 < l2 then false else let rec loop i = if i>=l2 then true else if s1.[i+offset] <> s2.[i] then false else loop (i+1) in loop 0 let concatmap sep f l = String.concat sep (Safelist.map f l) let removeTrailingCR s = let l = String.length s in if l = 0 || s.[l - 1] <> '\r' then s else String.sub s 0 (l - 1) (* FIX: quadratic! *) let rec trimWhitespace s = let l = String.length s in if l=0 then s else if s.[0]=' ' || s.[0]='\t' || s.[0]='\n' || s.[0]='\r' then trimWhitespace (String.sub s 1 (l-1)) else if s.[l-1]=' ' || s.[l-1]='\t' || s.[l-1]='\n' || s.[l-1]='\r' then trimWhitespace (String.sub s 0 (l-1)) else s let splitIntoWords (s:string) (c:char) = let rec inword acc start pos = if pos >= String.length(s) || s.[pos] = c then betweenwords ((String.sub s start (pos-start)) :: acc) pos else inword acc start (pos+1) and betweenwords acc pos = if pos >= (String.length s) then (Safelist.rev acc) else if s.[pos]=c then betweenwords acc (pos+1) else inword acc pos pos in betweenwords [] 0 let rec splitIntoWordsByString s sep = match findsubstring sep s with None -> [s] | Some(i) -> let before = String.sub s 0 i in let afterpos = i + (String.length sep) in let after = String.sub s afterpos ((String.length s) - afterpos) in before :: (splitIntoWordsByString after sep) let padto n s = s ^ (String.make (max 0 (n - String.length s)) ' ') (*****************************************************************************) (* Building pathnames in the user's home dir *) (*****************************************************************************) let homeDir () = System.fspathFromString (if (osType = `Unix) || isCygwin then safeGetenv "HOME" else if osType = `Win32 then (*We don't want the behavior of Unison to depends on whether it is run from a Cygwin shell (where HOME is set) or in any other way (where HOME is usually not set) try System.getenv "HOME" (* Windows 9x with Cygwin HOME set *) with Not_found -> *) try System.getenv "USERPROFILE" (* Windows NT/2K standard *) with Not_found -> try System.getenv "UNISON" (* Use UNISON dir if it is set *) with Not_found -> "c:/" (* Default *) else assert false (* osType can't be anything else *)) let fileInHomeDir n = System.fspathConcat (homeDir ()) n (*****************************************************************************) (* "Upcall" for building pathnames in the .unison dir *) (*****************************************************************************) let fileInUnisonDirFn = ref None let supplyFileInUnisonDirFn f = fileInUnisonDirFn := Some(f) let fileInUnisonDir n = match !fileInUnisonDirFn with None -> assert false | Some(f) -> f n unison-2.40.102/ubase/proplist.ml0000644006131600613160000000234111361646373016714 0ustar bcpiercebcpierce(* Unison file synchronizer: src/ubase/proplist.ml *) (* Copyright 1999-2009, Benjamin C. Pierce This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . *) type 'a key = string type t = Obj.t Util.StringMap.t let names = ref Util.StringSet.empty let register nm = if (Util.StringSet.mem nm !names) then raise (Util.Fatal (Format.sprintf "Property lists: %s already registered!" nm)); names := Util.StringSet.add nm !names; nm let empty = Util.StringMap.empty let mem = Util.StringMap.mem let find (k : 'a key) m : 'a = Obj.obj (Util.StringMap.find k m) let add (k : 'a key) (v : 'a) m = Util.StringMap.add k (Obj.repr v) m unison-2.40.102/ubase/safelist.ml0000644006131600613160000001051511361646373016654 0ustar bcpiercebcpierce(* Unison file synchronizer: src/ubase/safelist.ml *) (* Copyright 1999-2009, Benjamin C. Pierce This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . *) let filterBoth f l = let rec loop r1 r2 = function [] -> (List.rev r1, List.rev r2) | hd::tl -> if f hd then loop (hd::r1) r2 tl else loop r1 (hd::r2) tl in loop [] [] l let filterMap f l = let rec loop r = function [] -> List.rev r | hd::tl -> begin match f hd with None -> loop r tl | Some x -> loop (x::r) tl end in loop [] l let filterMap2 f l = let rec loop r s = function [] -> List.rev r, List.rev s | hd::tl -> begin let (a, b) = f hd in let r' = match a with None -> r | Some x -> x::r in let s' = match b with None -> s | Some x -> x::s in loop r' s' tl end in loop [] [] l (* These are tail-recursive versions of the standard ones from the List module *) let rec concat_rec accu = function [] -> List.rev accu | l::r -> concat_rec (List.rev_append l accu) r let concat l = concat_rec [] l let flatten = concat let append l l' = match l' with [] -> l | _ -> List.rev_append (List.rev l) l' let rev_map f l = let rec rmap_f accu = function | [] -> accu | a::l -> rmap_f (f a :: accu) l in rmap_f [] l let map f l = List.rev (rev_map f l) let rev_map2 f l1 l2 = let rec rmap2_f accu l1 l2 = match (l1, l2) with | ([], []) -> accu | (a1::l1, a2::l2) -> rmap2_f (f a1 a2 :: accu) l1 l2 | (_, _) -> invalid_arg "List.rev_map2" in rmap2_f [] l1 l2 ;; let map2 f l1 l2 = List.rev (rev_map2 f l1 l2) let rec allElementsEqual = function [] -> true | [a] -> true | a::b::rest -> a=b && (allElementsEqual (b::rest)) let rec fold_left f accu l = match l with [] -> accu | a::_ -> (* We don't want l to be live when f is called *) let l' = List.tl l in fold_left f (f accu a) l' let split l = let rec loop acc1 acc2 = function [] -> (List.rev acc1, List.rev acc2) | (x,y)::l -> loop (x::acc1) (y::acc2) l in loop [] [] l let rec transpose_rec accu l = match l with [] | []::_ -> accu | [x]::_ -> (map (function [x] -> x | _ -> invalid_arg "Safelist.transpose") l)::accu | _ -> let (l0, r) = fold_left (fun (l0, r) l1 -> match l1 with [] -> invalid_arg "Safelist.transpose (2)" | a::r1 -> (a::l0, r1::r)) ([], []) l in transpose_rec ((List.rev l0)::accu) (List.rev r) let transpose l = List.rev (transpose_rec [] l) let combine l1 l2 = let rec loop acc = function ([], []) -> List.rev acc | (a1::l1r, a2::l2r) -> loop ((a1, a2)::acc) (l1r,l2r) | (_, _) -> invalid_arg "Util.combine" in loop [] (l1,l2) let remove_assoc x l = let rec loop acc = function | [] -> List.rev acc | (a, b as pair) :: rest -> if a = x then loop acc rest else loop (pair::acc) rest in loop [] l let fold_right f l accu = fold_left (fun x y -> f y x) accu (List.rev l) let flatten_map f l = flatten (map f l) let remove x l = let rec loop acc = function | [] -> List.rev acc | a :: rest -> if a = x then loop acc rest else loop (a::acc) rest in loop [] l let iteri f l = let rec loop n = function | [] -> () | h::t -> ((f n h); loop (n+1) t) in loop 0 l (* These are already tail recursive in the List module *) let iter = List.iter let iter2 = List.iter2 let rev = List.rev let rev_append = List.rev_append let hd = List.hd let tl = List.tl let nth = List.nth let length = List.length let mem = List.mem let assoc = List.assoc let for_all = List.for_all let exists = List.exists let find = List.find let filter = List.filter let stable_sort = List.stable_sort let sort = List.sort let partition = List.partition unison-2.40.102/ui.mli0000644006131600613160000000044011361646373014525 0ustar bcpiercebcpierce(* Unison file synchronizer: src/ui.mli *) (* Copyright 1999-2009, Benjamin C. Pierce (see COPYING for details) *) (* The module Ui provides only the user interface signature. Implementations are provided by Uitext and Uitk. *) module type SIG = sig val start : unit -> unit end unison-2.40.102/pty.c0000644006131600613160000000265611361646373014400 0ustar bcpiercebcpierce/* Stub code for controlling terminals on Mac OS X. */ #include #include // alloc_tuple #include // Store_field #include // failwith #include // ENOSYS extern void unix_error (int errcode, char * cmdname, value arg) Noreturn; extern void uerror (char * cmdname, value arg) Noreturn; // openpty #if defined(__linux) #include #define HAS_OPENPTY 1 #endif #if defined(__APPLE__) || defined(__NetBSD__) #include #define HAS_OPENPTY 1 #endif #ifdef __FreeBSD__ #include #include #define HAS_OPENPTY 1 #endif #ifdef HAS_OPENPTY #include #include CAMLprim value setControllingTerminal(value fdVal) { int fd = Int_val(fdVal); if (ioctl(fd, TIOCSCTTY, (char *) 0) < 0) uerror("ioctl", (value) 0); return Val_unit; } /* c_openpty: unit -> (int * Unix.file_descr) */ CAMLprim value c_openpty() { int master,slave; value pair; if (openpty(&master,&slave,NULL,NULL,NULL) < 0) uerror("openpty", (value) 0); pair = alloc_tuple(2); Store_field(pair,0,Val_int(master)); Store_field(pair,1,Val_int(slave)); return pair; } #else // not HAS_OPENPTY #define Nothing ((value) 0) CAMLprim value setControllingTerminal(value fdVal) { unix_error (ENOSYS, "setControllingTerminal", Nothing); } CAMLprim value c_openpty() { unix_error (ENOSYS, "openpty", Nothing); } #endif unison-2.40.102/README0000644006131600613160000000216111361646373014267 0ustar bcpiercebcpierce THE UNISON FILE SYNCHRONIZER http://www.cis.upenn.edu/~bcpierce/unison This directory is the source distribution for the unison file synchronizer. Installation instructions are in the file INSTALL. License and copying information can be found in the file COPYING Full documentation can be found on the Unison home page. Contacts: - Bug reports should be sent to unison-help@cis.upenn.edu - General questions and discussion should be sent to unison-users@groups.yahoo.com - You can subscribe to this list using Yahoo's web interface http://groups.yahoo.com/group/unison-users Credits: OS X Unison Icon taken from Mac4Lin (LGPL) http://sourceforge.net/projects/mac4lin/ Some icons in the OSX GUI are directly taken from Matt Ball's developer icons (Creative Commons Attribution 3.0) Others are based on Matt Ball's developer icons (Creative Commons Attribution 3.0) http://www.mattballdesign.com/blog/2009/11/23/developer-icons-are-back-online/ OSX GUI elements from BWToolkit (three-clause BSD license) http://www.brandonwalkin.com/bwtoolkit/ unison-2.40.102/fspath.ml0000644006131600613160000003225612025627377015237 0ustar bcpiercebcpierce(* Unison file synchronizer: src/fspath.ml *) (* Copyright 1999-2009, Benjamin C. Pierce This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . *) (* Defines an abstract type of absolute filenames (fspaths). Keeping the *) (* type abstract lets us enforce some invariants which are important for *) (* correct behavior of some system calls. *) (* - *) (* Invariants: *) (* Fspath "" is not allowed *) (* All root directories end in / *) (* All non-root directories end in some other character *) (* All separator characters are /, even in Windows *) (* All fspaths are absolute *) (* - *) module Fs = System_impl.Fs let debug = Util.debug "fspath" let debugverbose = Util.debug "fsspath+" type t = Fspath of string let toString (Fspath f) = f let toPrintString (Fspath f) = f let toDebugString (Fspath f) = String.escaped f let toSysPath (Fspath f) = System.fspathFromString f (* Needed to hack around some ocaml/Windows bugs, see comment at stat, below *) let winRootRx = Rx.rx "(([a-zA-Z]:)?/|//[^/]+/[^/]+/)" (* FIX I think we could just check the last character of [d]. *) let isRootDir d = (* We assume all path separators are slashes in d *) d="/" || (Util.osType = `Win32 && Rx.match_string winRootRx d) let winRootFixRx = Rx.rx "//[^/]+/[^/]+" let winRootFix d = if Rx.match_string winRootFixRx d then d^"/" else d (* [differentSuffix: fspath -> fspath -> (string * string)] returns the *) (* least distinguishing suffixes of two fspaths, for displaying in the user *) (* interface. *) let differentSuffix (Fspath f1) (Fspath f2) = if isRootDir f1 or isRootDir f2 then (f1,f2) else begin (* We use the invariant that neither f1 nor f2 ends in slash *) let len1 = String.length f1 in let len2 = String.length f2 in let n = (* The position of the character from the right where the fspaths *) (* differ *) let rec loop n = let i1 = len1-n in if i1<0 then n else let i2 = len2-n in if i2<0 then n else if compare (String.get f1 i1) (String.get f2 i2) = 0 then loop (n+1) else n in loop 1 in let suffix f len = if n > len then f else try let n' = String.rindex_from f (len-n) '/' in String.sub f (n'+1) (len-n'-1) with Not_found -> f in let s1 = suffix f1 len1 in let s2 = suffix f2 len2 in (s1,s2) end (* When an HFS file is stored on a non-HFS system it is stored as two files, the data fork, and the rest of the file including resource fork is stored in the AppleDouble file, which has the same name as the data fork file with ._ prepended. *) let appleDouble (Fspath f) = if isRootDir f then raise(Invalid_argument "Fspath.appleDouble") else let len = String.length f in try let i = 1 + String.rindex f '/' in let res = String.create (len + 2) in String.blit f 0 res 0 i; res.[i] <- '.'; res.[i + 1] <- '_'; String.blit f i res (i + 2) (len - i); Fspath res with Not_found -> assert false let rsrc (Fspath f) = if isRootDir f then raise(Invalid_argument "Fspath.rsrc") else Fspath(f^"/..namedfork/rsrc") (* WRAPPED SYSTEM CALLS *) (* CAREFUL! Windows porting issue: Unix.LargeFile.stat "c:\\windows\\" will fail, you must use Unix.LargeFile.stat "c:\\windows" instead. The standard file selection dialog, however, will return a directory with a trailing backslash. Therefore, be careful to remove a trailing slash or backslash before calling this in Windows. BUT Windows shares are weird! //raptor/trevor and //raptor/trevor/mirror are directories and //raptor/trevor/.bashrc is a file. We observe the following: Unix.LargeFile.stat "//raptor" will fail. Unix.LargeFile.stat "//raptor/" will fail. Unix.LargeFile.stat "//raptor/trevor" will fail. Unix.LargeFile.stat "//raptor/trevor/" will succeed. Unix.LargeFile.stat "//raptor/trevor/mirror" will succeed. Unix.LargeFile.stat "//raptor/trevor/mirror/" will fail. Unix.LargeFile.stat "//raptor/trevor/.bashrc/" will fail. Unix.LargeFile.stat "//raptor/trevor/.bashrc" will succeed. Not sure what happens for, e.g., Unix.LargeFile.stat "//raptor/FOO" where //raptor/FOO is a file. I guess the best we can do is: To stat //host/xxx, assume xxx is a directory, and use Unix.LargeFile.stat "//host/xxx/". If xxx is not a directory, who knows. To stat //host/path where path has length >1, don't use a trailing slash. The way I did this was to assume //host/xxx/ is a root directory. Then by the invariants of fspath it should always end in /. Unix.LargeFile.stat "c:" will fail. Unix.LargeFile.stat "c:/" will succeed. Unix.LargeFile.stat "c://" will fail. (The Unix version of ocaml handles either a trailing slash or no trailing slash.) Invariant on fspath will guarantee that argument is OK for stat *) (* HACK: Under Windows 98, Unix.opendir "c:/" fails Unix.opendir "c:/*" works Unix.opendir "/" fails Under Windows 2000, Unix.opendir "c:/" works Unix.opendir "c:/*" fails Unix.opendir "/" fails Unix.opendir "c:" works as well, but, this refers to the current working directory AFAIK. let opendir (Fspath d) = if Util.osType<>`Win32 || not(isRootDir d) then Unix.opendir d else try Unix.opendir d with Unix.Unix_error _ -> Unix.opendir (d^"*") *) let child (Fspath f) n = (* Note, f is not "" by invariants on Fspath *) if (* We use the invariant that f ends in / iff f is a root filename *) isRootDir f then Fspath(Printf.sprintf "%s%s" f (Name.toString n)) else Fspath (Printf.sprintf "%s%c%s" f '/' (Name.toString n)) let concat fspath path = if Path.isEmpty path then fspath else begin let Fspath fspath = fspath in if (* We use the invariant that f ends in / iff f is a root filename *) isRootDir fspath then Fspath (fspath ^ Path.toString path) else let p = Path.toString path in let l = String.length fspath in let l' = String.length p in let s = String.create (l + l' + 1) in String.blit fspath 0 s 0 l; s.[l] <- '/'; String.blit p 0 s (l + 1) l'; Fspath s end (* Filename.dirname is screwed up in Windows so we use this function. It *) (* assumes that path separators are slashes. *) let winBadDirnameArg = Rx.rx "[a-zA-Z]:/[^/]*" let myDirname s = if Util.osType=`Win32 && Rx.match_string winBadDirnameArg s then String.sub s 0 3 else Filename.dirname s (*****************************************************************************) (* CANONIZING PATHS *) (*****************************************************************************) (* Convert a string to an fspath. HELP ENFORCE INVARIANTS listed above. *) let localString2fspath s = (* Force path separators to be slashes in Windows, handle weirdness in *) (* Windows network names *) let s = if Util.osType = `Win32 then winRootFix (Fileutil.backslashes2forwardslashes s) else s in (* Note: s may still contain backslashes under Unix *) if isRootDir s then Fspath s else if String.length s > 0 then let s' = Fileutil.removeTrailingSlashes s in if String.length s' = 0 then Fspath "/" (* E.g., s="///" *) else Fspath s' else (* Prevent Fspath "" *) raise(Invalid_argument "Os.localString2fspath") (* Return the canonical fspath of a filename (string), relative to the *) (* current host, current directory. *) (* THIS IS A HACK. It has to take account of some porting issues between *) (* the Unix and Windows versions of ocaml, etc. In particular, the Unix, *) (* Filename, and Sys modules of ocaml have subtle differences under Windows *) (* and Unix. So, be very careful with any changes !!! *) let canonizeFspath p0 = let p = match p0 with None -> "." | Some "" -> "." | Some s -> s in let p' = begin let original = Fs.getcwd() in try let newp = (Fs.chdir p; (* This might raise Sys_error *) Fs.getcwd()) in Fs.chdir original; newp with Sys_error why -> (* We could not chdir to p. Either *) (* - *) (* (1) p does not exist *) (* (2) p is a file *) (* (3) p is a dir but we don't have permission *) (* - *) (* In any case, we try to cd to the parent of p, and if that *) (* fails, we just quit. This works nicely for most cases of (1), *) (* it works for (2), and on (3) it may leave a mess for someone *) (* else to pick up. *) let p = if Util.osType = `Win32 then Fileutil.backslashes2forwardslashes p else p in if isRootDir p then raise (Util.Fatal (Printf.sprintf "Cannot find canonical name of root directory %s\n(%s)" p why)); let parent = myDirname p in let parent' = begin (try Fs.chdir parent with Sys_error why2 -> raise (Util.Fatal (Printf.sprintf "Cannot find canonical name of %s: unable to cd either to it\n (%s)\nor to its parent %s\n(%s)" p why parent why2))); Fs.getcwd() end in Fs.chdir original; let bn = Filename.basename p in if bn="" then parent' else toString(child (localString2fspath parent') (Name.fromString bn)) end in localString2fspath p' (* (* TJ--I'm disabling this for now. It is causing directories to be created *) (* with the wrong case, e.g., an upper case directory that needs to be *) (* propagated will be created with a lower case name. We'll see if the *) (* weird problem with changing case is still happening. *) if Util.osType<>`Win32 then localString2fspath p' else (* A strange bug turns up in Windows: sometimes p' has mixed case, *) (* sometimes it is all lower case. (Sys.getcwd seems to make a random *) (* choice.) Since file names are not case-sensitive in Windows we just *) (* force everything to lower case. *) (* NOTE: WE DON'T ENFORCE THAT FSPATHS CREATED BY CHILDFSPATH ARE ALL *) (* LOWER CASE!! *) let p' = String.lowercase p' in localString2fspath p' *) let canonize x = Util.convertUnixErrorsToFatal "canonizing path" (fun () -> canonizeFspath x) let maxlinks = 100 let findWorkingDir fspath path = let abspath = toString (concat fspath path) in let realpath = if not (Path.followLink path) then abspath else let rec followlinks n p = if n>=maxlinks then raise (Util.Transient (Printf.sprintf "Too many symbolic links from %s" abspath)); try let link = Fs.readlink p in let linkabs = if Filename.is_relative link then Fs.fspathConcat (Fs.fspathDirname p) link else link in followlinks (n+1) linkabs with Unix.Unix_error _ -> p in followlinks 0 abspath in if isRootDir realpath then raise (Util.Transient(Printf.sprintf "The path %s is a root directory" abspath)); let realpath = Fileutil.removeTrailingSlashes realpath in let p = Filename.basename realpath in debug (fun() -> Util.msg "Os.findWorkingDir(%s,%s) = (%s,%s)\n" (toString fspath) (Path.toString path) (myDirname realpath) p); (localString2fspath (myDirname realpath), Path.fromString p) let quotes (Fspath f) = Uutil.quotes f let compare (Fspath f1) (Fspath f2) = compare f1 f2 unison-2.40.102/main.ml0000644006131600613160000002062011361646373014665 0ustar bcpiercebcpierce(* Unison file synchronizer: src/main.ml *) (* Copyright 1999-2009, Benjamin C. Pierce This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . *) (* ---------------------------------------------------------------------- *) (* This is the main program -- the thing that gets executed first when unison is run. The Main module is actually a functor that takes the user interface (e.g., Uitext or Uigtk) as a parameter. This allows us to build with just one user interface at a time, which avoids having to always link in all the libraries needed by all the user interfaces. A non-functor interface is provided to allow the Mac GUI to reuse the startup code for non-GUI options. *) (* ---------------------------------------------------------------------- *) (* Some command-line arguments are handled specially during startup, e.g., -doc -help -version -server -socket -ui They are expected to appear on the command-line only, not in a profile. In particular, -version and -doc will print to the standard output, so they only make sense if invoked from the command-line (and not a click-launched gui that has no standard output). Furthermore, the actions associated with these command-line arguments are executed without loading a profile or doing the usual command-line parsing. This is because we want to run the actions without loading a profile; and then we can't do command-line parsing because it is intertwined with profile loading. NB: the Mac GUI handles these options itself and needs to change if any more are added. *) let versionPrefName = "version" let printVersionAndExit = Prefs.createBool versionPrefName false "print version and exit" ("Print the current version number and exit. " ^ "(This option only makes sense on the command line.)") let docsPrefName = "doc" let docs = Prefs.createString docsPrefName "" "show documentation ('-doc topics' lists topics)" ( "The command-line argument \\texttt{-doc \\ARG{secname}} causes unison to " ^ "display section \\ARG{secname} of the manual on the standard output " ^ "and then exit. Use \\verb|-doc all| to display the whole manual, " ^ "which includes exactly the same information as the printed and HTML " ^ "manuals, modulo " ^ "formatting. Use \\verb|-doc topics| to obtain a list of the " ^ "names of the various sections that can be printed.") let prefsdocsPrefName = "prefsdocs" let prefsdocs = Prefs.createBool prefsdocsPrefName false "*show full documentation for all preferences (and then exit)" "" let serverPrefName = "server" let server = Prefs.createBool serverPrefName false "*normal or server mode" "" let socketPrefName = "socket" let socket = Prefs.create socketPrefName None "!act as a server on a socket" "" (fun _ -> fun i -> (try Some(int_of_string i) with Failure "int_of_string" -> raise(Prefs.IllegalValue "-socket must be followed by a number"))) (function None -> [] | Some(i) -> [string_of_int i]) ;; let serverHostName = "host" let serverHost = Prefs.createString serverHostName "" "!bind the socket to this host name in server socket mode" "" (* User preference for which UI to use if there is a choice *) let uiPrefName = "ui" let interface = Prefs.create uiPrefName Uicommon.Graphic "!select UI ('text' or 'graphic'); command-line only" ("This preference selects either the graphical or the textual user " ^ "interface. Legal values are \\verb|graphic| or \\verb|text|. " ^ "\n\nBecause this option is processed specially during Unison's " ^ "start-up sequence, it can {\\em only} be used on the command line. " ^ "In preference files it has no effect." ^ "\n\nIf " ^ "the Unison executable was compiled with only a textual interface, " ^ "this option has " ^ "no effect. (The pre-compiled binaries are all compiled with both " ^ "interfaces available.)") (fun _ -> function "text" -> Uicommon.Text | "graphic" -> Uicommon.Graphic | other -> raise (Prefs.IllegalValue ("option ui :\n\ text -> textual user interface\n\ graphic -> graphic user interface\n" ^other^ " is not a legal value"))) (function Uicommon.Text -> ["text"] | Uicommon.Graphic -> ["graphic"]);; let init() = begin ignore (Gc.set {(Gc.get ()) with Gc.max_overhead = 150}); let argv = Prefs.scanCmdLine Uicommon.usageMsg in let catch_all f = (try f () with e -> Util.msg "%s\n" (Uicommon.exn2string e); exit 1) in (* Print version if requested *) if Util.StringMap.mem versionPrefName argv then begin Printf.printf "%s version %s\n" Uutil.myName Uutil.myVersion; exit 0 end; (* Print docs for all preferences if requested (this is used when building the manual) *) if Util.StringMap.mem prefsdocsPrefName argv then begin Prefs.printFullDocs(); exit 0 end; (* Display documentation if requested *) begin try begin match Util.StringMap.find docsPrefName argv with [] -> assert false | "topics"::_ -> Printf.printf "Documentation topics:\n"; Safelist.iter (fun (sn,(n,doc)) -> if sn<>"" then Printf.printf " %12s %s\n" sn n) Strings.docs; Printf.printf "\nType \"%s -doc \" for detailed information about \n" Uutil.myName; Printf.printf "or \"%s -doc all\" for the whole manual\n\n" Uutil.myName | "all"::_ -> Printf.printf "\n"; Safelist.iter (fun (sn,(n,doc)) -> if n<>"Junk" then Printf.printf "%s\n" doc) Strings.docs | topic::_ -> (try let (_,d) = Safelist.assoc topic Strings.docs in Printf.printf "\n%s\n" d with Not_found -> Printf.printf "Documentation topic %s not recognized:" topic; Printf.printf "\nType \"%s -doc topics\" for a list\n" Uutil.myName) end; exit 0 with Not_found -> () end; (* Install an appropriate function for finding preference files. (We put this in Util just because the Prefs module lives below the Os module in the dependency hierarchy, so Prefs can't call Os directly.) *) Util.supplyFileInUnisonDirFn (fun n -> Os.fileInUnisonDir(n)); (* Start a server if requested *) if Util.StringMap.mem serverPrefName argv then begin catch_all (fun () -> Os.createUnisonDir(); Remote.beAServer(); exit 0) end; (* Start a socket server if requested *) begin try let i = List.hd (Util.StringMap.find socketPrefName argv) in catch_all (fun () -> Os.createUnisonDir(); Remote.waitOnPort (begin try match Util.StringMap.find serverHostName argv with [] -> None | s :: _ -> Some s with Not_found -> None end) i); exit 0 with Not_found -> () end; argv end (* non-GUI startup for Mac GUI version *) let nonGuiStartup() = begin let argv = init() in (* might not return *) (* if it returns start a UI *) (try (match Util.StringMap.find uiPrefName argv with "text"::_ -> (Uitext.Body.start Uicommon.Text; exit 0) | "graphic"::_ -> () (* fallthru *) | _ -> Prefs.printUsage Uicommon.usageMsg; exit 1) with Not_found -> ()); () end module Body = functor(Ui : Uicommon.UI) -> struct let argv = init() in (* might not return *) (* if it returns start a UI *) Ui.start (try (match Util.StringMap.find uiPrefName argv with "text"::_ -> Uicommon.Text | "graphic"::_ -> Uicommon.Graphic | _ -> Prefs.printUsage Uicommon.usageMsg; exit 1) with Not_found -> Ui.defaultUi) end unison-2.40.102/uigtk.ml0000644006131600613160000022552011361646373015072 0ustar bcpiercebcpierce(* $I1: Unison file synchronizer: src/uigtk.ml $ *) (* $I2: Last modified by vouillon on Thu, 09 Sep 2004 08:43:03 -0400 $ *) (* $I3: Copyright 1999-2004 (see COPYING for details) $ *) open Common open Lwt module Private = struct let debug = Trace.debug "ui" (********************************************************************** LOW-LEVEL STUFF **********************************************************************) (********************************************************************** Some message strings (build them here because they look ugly in the middle of other code. **********************************************************************) let tryAgainMessage = Printf.sprintf "You can use %s to synchronize a local directory with another local directory, or with a remote directory. Please enter the first (local) directory that you want to synchronize." Uutil.myName (* ---- *) let helpmessage = Printf.sprintf "%s can synchronize a local directory with another local directory, or with a directory on a remote machine. To synchronize with a local directory, just enter the file name. To synchronize with a remote directory, you must first choose a protocol that %s will use to connect to the remote machine. Each protocol has different requirements: 1) To synchronize using SSH, there must be an SSH client installed on this machine and an SSH server installed on the remote machine. You must enter the host to connect to, a user name (if different from your user name on this machine), and the directory on the remote machine (relative to your home directory on that machine). 2) To synchronize using RSH, there must be an RSH client installed on this machine and an RSH server installed on the remote machine. You must enter the host to connect to, a user name (if different from your user name on this machine), and the directory on the remote machine (relative to your home directory on that machine). 3) To synchronize using %s's socket protocol, there must be a %s server running on the remote machine, listening to the port that you specify here. (Use \"%s -socket xxx\" on the remote machine to start the %s server.) You must enter the host, port, and the directory on the remote machine (relative to the working directory of the %s server running on that machine)." Uutil.myName Uutil.myName Uutil.myName Uutil.myName Uutil.myName Uutil.myName Uutil.myName (********************************************************************** Font preferences **********************************************************************) let fontMonospaceMedium = if Util.osType = `Win32 then lazy (Gdk.Font.load "-*-Courier New-Medium-R-Normal--*-110-*-*-*-*-*-*") else lazy (Gdk.Font.load "-*-Clean-Medium-R-Normal--*-130-*-*-*-*-*-*") let fontMonospaceBold = if Util.osType = `Win32 then lazy (Gdk.Font.load "-*-Courier New-Bold-R-Normal--*-110-*-*-*-*-*-*") else lazy (Gdk.Font.load "-*-Courier-Bold-R-Normal--*-120-*-*-*-*-*-*") (********************************************************************* UI state variables *********************************************************************) type stateItem = { mutable ri : reconItem; mutable bytesTransferred : Uutil.Filesize.t; mutable whatHappened : Util.confirmation option } let theState = ref [||] let current = ref None (* ---- *) let currentWindow = ref None let grabFocus t = match !currentWindow with Some w -> t#set_transient_for w; w#misc#set_sensitive false | None -> () let releaseFocus () = begin match !currentWindow with Some w -> w#misc#set_sensitive true | None -> () end (********************************************************************* Lock management *********************************************************************) let busy = ref false let getLock f = if !busy then Trace.status "Synchronizer is busy, please wait.." else begin busy := true; f (); busy := false end (********************************************************************** Miscellaneous **********************************************************************) let gtk_sync () = while Glib.Main.iteration false do () done (********************************************************************** USEFUL LOW-LEVEL WIDGETS **********************************************************************) class scrolled_text ?editable ?word_wrap ?width ?height ?packing ?show () = let sw = GBin.scrolled_window ?width ?height ?packing ~show:false ~hpolicy:`NEVER ~vpolicy:`AUTOMATIC () in let text = GEdit.text ?editable ?word_wrap ~packing:sw#add () in object inherit GObj.widget_full sw#as_widget method text = text method insert ?(font=fontMonospaceMedium) s = text#freeze (); text#delete_text ~start:0 ~stop:text#length; text#insert ~font:(Lazy.force font) s; text#thaw () method show () = sw#misc#show () initializer if show <> Some false then sw#misc#show () end (* ------ *) (* oneBox: Display a message in a window and wait for the user to hit the button. *) let oneBox ~title ~message ~label = let t = GWindow.dialog ~title ~wm_name:title ~modal:true ~position:`CENTER () in grabFocus t; let h = GPack.hbox ~packing:(t#vbox#pack ~expand:false ~padding:20) () in ignore(GMisc.label ~justify:`LEFT ~text:message ~packing:(h#pack ~expand:false ~padding:20) ()); let b = GButton.button ~label ~packing:t#action_area#add () in b#grab_default (); ignore (b#connect#clicked ~callback:(fun () -> t#destroy())); t#show (); (* Do nothing until user destroys window *) ignore (t#connect#destroy ~callback:GMain.Main.quit); GMain.Main.main (); releaseFocus () let okBox ~title ~message = oneBox ~title ~message ~label:"OK" (* ------ *) (* twoBox: Display a message in a window and wait for the user to hit one of two buttons. Return true if the first button is chosen, false if the second button is chosen. *) let twoBox ~title ~message ~alabel ~blabel = let result = ref false in let t = GWindow.dialog ~title ~wm_name:title ~modal:true ~position:`CENTER () in grabFocus t; let h = GPack.hbox ~packing:(t#vbox#pack ~expand:false ~padding:20) () in ignore(GMisc.label ~justify:`LEFT ~text:message ~packing:(h#pack ~expand:false ~padding:20) ()); (* ignore(GMisc.label ~text:message ~packing:(t#vbox#pack ~expand:false ~padding:4) ()); *) let yes = GButton.button ~label:alabel ~packing:t#action_area#add () and no = GButton.button ~label:blabel ~packing:t#action_area#add () in yes#grab_default (); ignore (yes#connect#clicked ~callback:(fun () -> t#destroy (); result := true)); ignore (no#connect#clicked ~callback:(fun () -> t#destroy (); result := false)); t#show (); (* Do nothing until user destroys window *) ignore (t#connect#destroy ~callback:GMain.Main.quit); GMain.Main.main (); releaseFocus (); !result (* ------ *) (* Avoid recursive invocations of the function below (a window receives delete events even when it is not sensitive) *) let inExit = ref false let doExit () = Lwt_unix.run (Update.unlockArchives ()); exit 0 let safeExit () = if not !inExit then begin inExit := true; if not !busy then exit 0 else if twoBox ~title:"Premature exit" ~message:"Unison is working, exit anyway ?" ~alabel:"Yes" ~blabel:"No" then exit 0; inExit := false end (* ------ *) (* warnBox: Display a warning message in a window and wait (unless we're in batch mode) for the user to hit "OK" or "Exit". *) let warnBox title message = if Prefs.read Globals.batch then begin (* In batch mode, just pop up a window and go ahead *) let t = GWindow.dialog ~title ~wm_name:title ~position:`CENTER () in let h = GPack.hbox ~packing:(t#vbox#pack ~expand:false ~padding:20) () in ignore(GMisc.label ~justify:`LEFT ~text:message ~packing:(h#pack ~expand:false ~padding:20) ()); let t_dismiss = GButton.button ~label:"Dismiss" ~packing:t#action_area#add () in t_dismiss#grab_default (); let dismiss () = t#destroy () in ignore (t_dismiss#connect#clicked ~callback:dismiss); ignore (t#event#connect#delete ~callback:(fun _ -> dismiss (); true)); t#show () end else begin inExit := true; let ok = twoBox ~title ~message ~alabel:"OK" ~blabel:"Exit" in if not(ok) then doExit (); inExit := false end (********************************************************************** CHARACTER SET TRANSCODING ***********************************************************************) (* Transcodage from Microsoft Windows Codepage 1252 to Unicode *) (* Unison currently uses the "ASCII" Windows filesystem API. With this API, filenames are encoded using a proprietary character encoding. This encoding depends on the Windows setup, but in Western Europe, the Windows Codepage 1252 is usually used. GTK, on the other hand, uses the UTF-8 encoding. This code perform the translation from Codepage 1252 to UTF-8. A call to [transcode] should be wrapped around every string below that might contain non-ASCII characters. *) let code = [| 0; 1; 2; 3; 4; 5; 6; 7; 8; 9; 10; 11; 12; 13; 14; 15; 16; 17; 18; 19; 20; 21; 22; 23; 24; 25; 26; 27; 28; 29; 30; 31; 32; 33; 34; 35; 36; 37; 38; 39; 40; 41; 42; 43; 44; 45; 46; 47; 48; 49; 50; 51; 52; 53; 54; 55; 56; 57; 58; 59; 60; 61; 62; 63; 64; 65; 66; 67; 68; 69; 70; 71; 72; 73; 74; 75; 76; 77; 78; 79; 80; 81; 82; 83; 84; 85; 86; 87; 88; 89; 90; 91; 92; 93; 94; 95; 96; 97; 98; 99; 100; 101; 102; 103; 104; 105; 106; 107; 108; 109; 110; 111; 112; 113; 114; 115; 116; 117; 118; 119; 120; 121; 122; 123; 124; 125; 126; 127; 8364; 129; 8218; 131; 8222; 8230; 8224; 8225; 136; 8240; 352; 8249; 346; 356; 381; 377; 144; 8216; 8217; 8220; 8221; 8226; 8211; 8212; 152; 8482; 353; 8250; 347; 357; 382; 378; 160; 711; 728; 321; 164; 260; 166; 167; 168; 169; 350; 171; 172; 173; 174; 379; 176; 177; 731; 322; 180; 181; 182; 183; 184; 261; 351; 187; 376; 733; 317; 380; 340; 193; 194; 258; 196; 313; 262; 199; 268; 201; 280; 203; 282; 205; 206; 270; 272; 323; 327; 211; 212; 336; 214; 215; 344; 366; 218; 368; 220; 221; 354; 223; 341; 225; 226; 259; 228; 314; 263; 231; 269; 233; 281; 235; 283; 237; 238; 271; 273; 324; 328; 243; 244; 337; 246; 247; 345; 367; 250; 369; 252; 253; 355; 729 |] let rec transcode_rec buf s i l = if i < l then begin let c = code.(Char.code s.[i]) in if c < 0x80 then Buffer.add_char buf (Char.chr c) else if c < 0x800 then begin Buffer.add_char buf (Char.chr (c lsr 6 + 0xC0)); Buffer.add_char buf (Char.chr (c land 0x3f + 0x80)) end else if c < 0x10000 then begin Buffer.add_char buf (Char.chr (c lsr 12 + 0xE0)); Buffer.add_char buf (Char.chr ((c lsr 6) land 0x3f + 0x80)); Buffer.add_char buf (Char.chr (c land 0x3f + 0x80)) end; transcode_rec buf s (i + 1) l end let transcode s = if Util.osType = `Win32 then let buf = Buffer.create 32 in transcode_rec buf s 0 (String.length s); Buffer.contents buf else s (********************************************************************** HIGHER-LEVEL WIDGETS ***********************************************************************) (* XXX * Accurate write accounting: - Local copies on the remote side are ignored - What about failures? *) class stats width height = let pixmap = GDraw.pixmap ~width ~height () in let area = pixmap#set_foreground `WHITE; pixmap#rectangle ~filled:true ~x:0 ~y:0 ~width ~height (); GMisc.pixmap pixmap ~width ~height ~xpad:4 ~ypad:8 () in object (self) inherit GObj.widget_full area#as_widget val mutable maxim = ref 0. val mutable scale = ref 1. val mutable min_scale = 1. val values = Array.make width 0. val mutable active = false method activate a = active <- a method scale h = truncate ((float height) *. h /. !scale) method private rect i v' v = let h = self#scale v in let h' = self#scale v' in let h1 = min h' h in let h2 = max h' h in pixmap#set_foreground `BLACK; pixmap#rectangle ~filled:true ~x:i ~y:(height - h1) ~width:1 ~height:h1 (); for h = h1 + 1 to h2 do let v = truncate (65535. *. (float (h - h1) /. float (h2 - h1))) in pixmap#set_foreground (`RGB (v, v, v)); pixmap#rectangle ~filled:true ~x:i ~y:(height - h) ~width:1 ~height:1 (); done method push v = let need_max = values.(0) = !maxim in for i = 0 to width - 2 do values.(i) <- values.(i + 1) done; values.(width - 1) <- v; if need_max then begin maxim := 0.; for i = 0 to width - 1 do maxim := max !maxim values.(i) done end else maxim := max !maxim v; if active then begin let need_resize = !maxim > !scale || (!maxim > min_scale && !maxim < !scale /. 1.5) in if need_resize then begin scale := min_scale; while !maxim > !scale do scale := !scale *. 1.5 done; pixmap#set_foreground `WHITE; pixmap#rectangle ~filled:true ~x:0 ~y:0 ~width ~height (); pixmap#set_foreground `BLACK; for i = 0 to width - 1 do self#rect i values.(max 0 (i - 1)) values.(i) done end else begin pixmap#put_pixmap ~x:0 ~y:0 ~xsrc:1 (pixmap#pixmap); pixmap#set_foreground `WHITE; pixmap#rectangle ~filled:true ~x:(width - 1) ~y:0 ~width:1 ~height (); self#rect (width - 1) values.(width - 2) values.(width - 1) end; area#misc#draw None end end let clientWritten = ref 0. let serverWritten = ref 0. let statistics () = let title = "Statistics" in let t = GWindow.dialog ~title ~wm_name:title () in let t_dismiss = GButton.button ~label:"Dismiss" ~packing:t#action_area#add () in t_dismiss#grab_default (); let dismiss () = t#misc#hide () in ignore (t_dismiss#connect#clicked ~callback:dismiss); ignore (t#event#connect#delete ~callback:(fun _ -> dismiss (); true)); let emission = new stats 320 50 in t#vbox#pack ~expand:false ~padding:4 (emission :> GObj.widget); let reception = new stats 320 50 in t#vbox#pack ~expand:false ~padding:4 (reception :> GObj.widget); let lst = GList.clist ~packing:(t#vbox#add) ~titles_active:false ~titles:[""; "Client"; "Server"; "Total"] () in lst#set_column ~auto_resize:true 0; lst#set_column ~auto_resize:true ~justification:`RIGHT 1; lst#set_column ~auto_resize:true ~justification:`RIGHT 2; lst#set_column ~auto_resize:true ~justification:`RIGHT 3; ignore (lst#append ["Reception rate"]); ignore (lst#append ["Data received"]); ignore (lst#append ["File data written"]); let style = lst#misc#style#copy in style#set_font (Lazy.force fontMonospaceMedium); for r = 0 to 2 do lst#set_row ~selectable:false r; for c = 1 to 3 do lst#set_cell ~style r c done done; ignore (t#event#connect#map (fun _ -> emission#activate true; reception#activate true; false)); ignore (t#event#connect#unmap (fun _ -> emission#activate false; reception#activate false; false)); let delay = 0.5 in let a = 0.5 in let b = 0.8 in let emittedBytes = ref 0. in let emitRate = ref 0. in let emitRate2 = ref 0. in let receivedBytes = ref 0. in let receiveRate = ref 0. in let receiveRate2 = ref 0. in let timeout _ = emitRate := a *. !emitRate +. (1. -. a) *. (!Remote.emittedBytes -. !emittedBytes) /. delay; emitRate2 := b *. !emitRate2 +. (1. -. b) *. (!Remote.emittedBytes -. !emittedBytes) /. delay; emission#push !emitRate; receiveRate := a *. !receiveRate +. (1. -. a) *. (!Remote.receivedBytes -. !receivedBytes) /. delay; receiveRate2 := b *. !receiveRate2 +. (1. -. b) *. (!Remote.receivedBytes -. !receivedBytes) /. delay; reception#push !receiveRate; emittedBytes := !Remote.emittedBytes; receivedBytes := !Remote.receivedBytes; let kib2str v = Format.sprintf "%.0f B" v in let rate2str v = if v > 9.9e3 then begin if v > 9.9e6 then Format.sprintf "%4.0f MiB/s" (v /. 1e6) else if v > 999e3 then Format.sprintf "%4.1f MiB/s" (v /. 1e6) else Format.sprintf "%4.0f KiB/s" (v /. 1e3) end else begin if v > 990. then Format.sprintf "%4.1f KiB/s" (v /. 1e3) else if v > 99. then Format.sprintf "%4.2f KiB/s" (v /. 1e3) else " " end in lst#set_cell ~text:(rate2str !receiveRate2) 0 1; lst#set_cell ~text:(rate2str !emitRate2) 0 2; lst#set_cell ~text: (rate2str (!receiveRate2 +. !emitRate2)) 0 3; lst#set_cell ~text:(kib2str !receivedBytes) 1 1; lst#set_cell ~text:(kib2str !emittedBytes) 1 2; lst#set_cell ~text: (kib2str (!receivedBytes +. !emittedBytes)) 1 3; lst#set_cell ~text:(kib2str !clientWritten) 2 1; lst#set_cell ~text:(kib2str !serverWritten) 2 2; lst#set_cell ~text: (kib2str (!clientWritten +. !serverWritten)) 2 3; true in ignore (GMain.Timeout.add ~ms:(truncate (delay *. 1000.)) ~callback:timeout); t (****) (* Standard file dialog *) let file_dialog ~title ~callback ?filename () = let sel = GWindow.file_selection ~title ~modal:true ?filename () in grabFocus sel; ignore (sel#cancel_button#connect#clicked ~callback:sel#destroy); ignore (sel#ok_button#connect#clicked ~callback: (fun () -> let name = sel#get_filename in sel#destroy (); callback name)); sel#show (); ignore (sel#connect#destroy ~callback:GMain.Main.quit); GMain.Main.main (); releaseFocus () (* ------ *) let fatalError message = Trace.log ((transcode message) ^ "\n"); oneBox ~title:(Printf.sprintf "%s: Fatal error" (String.capitalize Uutil.myName)) ~message ~label:"Quit" (* ------ *) let tryAgainOrQuit message = twoBox ~title:"Error" ~message ~alabel:"Try again" ~blabel:"Quit";; (* ------ *) let getFirstRoot() = let t = GWindow.dialog ~title:"Root selection" ~wm_name:"Root selection" ~modal:true ~allow_grow:true () in t#misc#grab_focus (); let hb = GPack.hbox ~packing:(t#vbox#pack ~expand:false ~padding:15) () in ignore(GMisc.label ~text:tryAgainMessage ~justify:`LEFT ~packing:(hb#pack ~expand:false ~padding:15) ()); let f1 = GPack.hbox ~spacing:4 ~packing:(t#vbox#pack ~expand:true ~padding:4) () in ignore (GMisc.label ~text:"Dir:" ~packing:(f1#pack ~expand:false) ()); let fileE = GEdit.entry ~packing:f1#add () in fileE#misc#grab_focus (); let browseCommand() = file_dialog ~title:"Select a local directory" ~callback:fileE#set_text ~filename:fileE#text () in let b = GButton.button ~label:"Browse" ~packing:(f1#pack ~expand:false) () in ignore (b#connect#clicked ~callback:browseCommand); let f3 = t#action_area in let result = ref None in let contCommand() = result := Some(fileE#text); t#destroy () in let contButton = GButton.button ~label:"Continue" ~packing:f3#add () in ignore (contButton#connect#clicked ~callback:contCommand); ignore (fileE#connect#activate ~callback:contCommand); contButton#grab_default (); let quitButton = GButton.button ~label:"Quit" ~packing:f3#add () in ignore (quitButton#connect#clicked ~callback:(fun () -> result := None; t#destroy())); t#show (); ignore (t#connect#destroy ~callback:GMain.Main.quit); GMain.Main.main (); match !result with None -> None | Some file -> Some(Clroot.clroot2string(Clroot.ConnectLocal(Some file))) (* ------ *) let getSecondRoot () = let t = GWindow.dialog ~title:"Root selection" ~wm_name:"Root selection" ~modal:true ~allow_grow:true () in t#misc#grab_focus (); let message = "Please enter the second directory you want to synchronize." in let vb = t#vbox in let hb = GPack.hbox ~packing:(vb#pack ~expand:false ~padding:15) () in ignore(GMisc.label ~text:message ~justify:`LEFT ~packing:(hb#pack ~expand:false ~padding:15) ()); let helpB = GButton.button ~label:"Help" ~packing:hb#add () in ignore (helpB#connect#clicked ~callback:(fun () -> okBox ~title:"Picking roots" ~message:helpmessage)); let result = ref None in let f = GPack.vbox ~packing:(vb#pack ~expand:false) () in let f1 = GPack.hbox ~spacing:4 ~packing:f#add () in ignore (GMisc.label ~text:"Directory:" ~packing:(f1#pack ~expand:false) ()); let fileE = GEdit.entry ~packing:f1#add () in fileE#misc#grab_focus (); let browseCommand() = file_dialog ~title:"Select a local directory" ~callback:fileE#set_text ~filename:fileE#text () in let b = GButton.button ~label:"Browse" ~packing:(f1#pack ~expand:false) () in ignore (b#connect#clicked ~callback:browseCommand); let f0 = GPack.hbox ~spacing:4 ~packing:f#add () in let localB = GButton.radio_button ~packing:(f0#pack ~expand:false) ~label:"Local" () in let sshB = GButton.radio_button ~group:localB#group ~packing:(f0#pack ~expand:false) ~label:"SSH" () in let rshB = GButton.radio_button ~group:localB#group ~packing:(f0#pack ~expand:false) ~label:"RSH" () in let socketB = GButton.radio_button ~group:sshB#group ~packing:(f0#pack ~expand:false) ~label:"Socket" () in let f2 = GPack.hbox ~spacing:4 ~packing:f#add () in ignore (GMisc.label ~text:"Host:" ~packing:(f2#pack ~expand:false) ()); let hostE = GEdit.entry ~packing:f2#add () in ignore (GMisc.label ~text:"(Optional) User:" ~packing:(f2#pack ~expand:false) ()); let userE = GEdit.entry ~packing:f2#add () in ignore (GMisc.label ~text:"Port:" ~packing:(f2#pack ~expand:false) ()); let portE = GEdit.entry ~packing:f2#add () in let varLocalRemote = ref (`Local : [`Local|`SSH|`RSH|`SOCKET]) in let localState() = varLocalRemote := `Local; hostE#misc#set_sensitive false; userE#misc#set_sensitive false; portE#misc#set_sensitive false; b#misc#set_sensitive true in let remoteState() = hostE#misc#set_sensitive true; b#misc#set_sensitive false; match !varLocalRemote with `SOCKET -> (portE#misc#set_sensitive true; userE#misc#set_sensitive false) | _ -> (portE#misc#set_sensitive false; userE#misc#set_sensitive true) in let protoState x = varLocalRemote := x; remoteState() in ignore (localB#connect#clicked ~callback:localState); ignore (sshB#connect#clicked ~callback:(fun () -> protoState(`SSH))); ignore (rshB#connect#clicked ~callback:(fun () -> protoState(`RSH))); ignore (socketB#connect#clicked ~callback:(fun () -> protoState(`SOCKET))); localState(); let getRoot() = let file = fileE#text in let user = userE#text in let host = hostE#text in match !varLocalRemote with `Local -> Clroot.clroot2string(Clroot.ConnectLocal(Some file)) | `SSH | `RSH -> Clroot.clroot2string( Clroot.ConnectByShell((if !varLocalRemote=`SSH then "ssh" else "rsh"), host, (if user="" then None else Some user), Some portE#text, Some file)) | `SOCKET -> Clroot.clroot2string( (* FIX: report an error if the port entry is not well formed *) Clroot.ConnectBySocket(host, portE#text, Some file)) in let contCommand() = try let root = getRoot() in result := Some root; t#destroy () with Failure "int_of_string" -> if portE#text="" then okBox ~title:"Error" ~message:"Please enter a port" else okBox ~title:"Error" ~message:"The port you specify must be an integer" | _ -> okBox ~title:"Error" ~message:"Something's wrong with the values you entered, try again" in let f3 = t#action_area in let contButton = GButton.button ~label:"Continue" ~packing:f3#add () in ignore (contButton#connect#clicked ~callback:contCommand); contButton#grab_default (); ignore (fileE#connect#activate ~callback:contCommand); let quitButton = GButton.button ~label:"Quit" ~packing:f3#add () in ignore (quitButton#connect#clicked ~callback:safeExit); t#show (); ignore (t#connect#destroy ~callback:GMain.Main.quit); GMain.Main.main (); !result (* ------ *) type profileInfo = {roots:string list; label:string option} (* ------ *) let termInteract() = (* if Util.isOSX then Some(fun s -> "") (*FIXTJ*) else *) None (* ------ *) let profileKeymap = Array.create 10 None let provideProfileKey filename k profile info = try let i = int_of_string k in if 0<=i && i<=9 then match profileKeymap.(i) with None -> profileKeymap.(i) <- Some(profile,info) | Some(otherProfile,_) -> raise (Util.Fatal ("Error scanning profile "^filename^":\n" ^ "shortcut key "^k^" is already bound to profile " ^ otherProfile)) else raise (Util.Fatal ("Error scanning profile "^filename^":\n" ^ "Value of 'key' preference must be a single digit (0-9), " ^ "not " ^ k)) with int_of_string -> raise (Util.Fatal ("Error scanning profile "^filename^":\n" ^ "Value of 'key' preference must be a single digit (0-9), " ^ "not " ^ k)) (* ------ *) let profilesAndRoots = ref [] let scanProfiles () = Array.iteri (fun i _ -> profileKeymap.(i) <- None) profileKeymap; profilesAndRoots := (Safelist.map (fun f -> let f = Filename.chop_suffix f ".prf" in let filename = Prefs.profilePathname f in let fileContents = Safelist.map (fun (_, _, n, v) -> (n, v)) (Prefs.readAFile f) in let roots = Safelist.map snd (Safelist.filter (fun (n, _) -> n = "root") fileContents) in let label = try Some(Safelist.assoc "label" fileContents) with Not_found -> None in let info = {roots=roots; label=label} in (* If this profile has a 'key' binding, put it in the keymap *) (try let k = Safelist.assoc "key" fileContents in provideProfileKey filename k f info with Not_found -> ()); (f, info)) (Safelist.filter (fun name -> not ( Util.startswith name ".#" || Util.startswith name Os.tempFilePrefix)) (Files.ls Os.unisonDir "*.prf"))) let getProfile () = (* The selected profile *) let result = ref None in (* Build the dialog *) let t = GWindow.dialog ~title:"Profiles" ~wm_name:"Profiles" ~width:400 () in let okCommand() = currentWindow := None; t#destroy () in let okButton = GButton.button ~label:"OK" ~packing:t#action_area#add () in ignore (okButton#connect#clicked ~callback:okCommand); okButton#misc#set_sensitive false; okButton#grab_default (); let cancelCommand() = t#destroy (); exit 0 in let cancelButton = GButton.button ~label:"Cancel" ~packing:t#action_area#add () in ignore (cancelButton#connect#clicked ~callback:cancelCommand); cancelButton#misc#set_can_default true; let vb = t#vbox in ignore (GMisc.label ~text:"Select an existing profile or create a new one" ~xpad:2 ~ypad:5 ~packing:(vb#pack ~expand:false) ()); let sw = GBin.scrolled_window ~packing:(vb#add) ~height:200 ~hpolicy:`AUTOMATIC ~vpolicy:`AUTOMATIC () in let lst = GList.clist_poly ~selection_mode:`BROWSE ~packing:(sw#add) () in let selRow = ref 0 in let fillLst default = scanProfiles(); lst#freeze (); lst#clear (); let i = ref 0 in (* FIX: Work around a lablgtk bug *) Safelist.iter (fun (profile, info) -> let labeltext = match info.label with None -> "" | Some(l) -> " ("^l^")" in let s = profile ^ labeltext in ignore (lst#append [s]); if profile = default then selRow := !i; lst#set_row_data !i (profile, info); incr i) (Safelist.sort (fun (p, _) (p', _) -> compare p p') !profilesAndRoots); let r = lst#rows in let p = if r < 2 then 0. else float !selRow /. float (r - 1) in lst#scroll_vertical `JUMP p; lst#thaw () in let tbl = GPack.table ~rows:2 ~columns:2 ~packing:(vb#pack ~expand:true) () in tbl#misc#set_sensitive false; ignore (GMisc.label ~text:"Root 1:" ~xpad:2 ~packing:(tbl#attach ~left:0 ~top:0 ~expand:`NONE) ()); ignore (GMisc.label ~text:"Root 2:" ~xpad:2 ~packing:(tbl#attach ~left:0 ~top:1 ~expand:`NONE) ()); let root1 = GEdit.entry ~packing:(tbl#attach ~left:1 ~top:0 ~expand:`X) ~editable:false () in let root2 = GEdit.entry ~packing:(tbl#attach ~left:1 ~top:1 ~expand:`X) ~editable:false () in root1#misc#set_can_focus false; root2#misc#set_can_focus false; let hb = GPack.hbox ~border_width:2 ~spacing:2 ~packing:(vb#pack ~expand:false) () in let nw = GButton.button ~label:"Create new profile" ~packing:(hb#pack ~expand:false) () in ignore (nw#connect#clicked ~callback:(fun () -> let t = GWindow.dialog ~title:"New profile" ~wm_name:"New profile" ~modal:true () in let vb = GPack.vbox ~border_width:4 ~packing:t#vbox#add () in let f = GPack.vbox ~packing:(vb#pack ~expand:true ~padding:4) () in let f0 = GPack.hbox ~spacing:4 ~packing:f#add () in ignore (GMisc.label ~text:"Profile name:" ~packing:(f0#pack ~expand:false) ()); let prof = GEdit.entry ~packing:f0#add () in prof#misc#grab_focus (); let exit () = t#destroy (); GMain.Main.quit () in ignore (t#event#connect#delete ~callback:(fun _ -> exit (); true)); let f3 = t#action_area in let okCommand () = let profile = prof#text in if profile <> "" then let filename = Prefs.profilePathname profile in if System.file_exists filename then okBox ~title:(Uutil.myName ^ " error") ~message:("Profile \"" ^ profile ^ "\" already exists!\nPlease select another name.") else (* Make an empty file *) let ch = System.open_out_gen [Open_wronly; Open_creat; Open_trunc] 0o600 filename in close_out ch; fillLst profile; exit () in let okButton = GButton.button ~label:"OK" ~packing:f3#add () in ignore (okButton#connect#clicked ~callback:okCommand); okButton#grab_default (); let cancelButton = GButton.button ~label:"Cancel" ~packing:f3#add () in ignore (cancelButton#connect#clicked ~callback:exit); t#show (); grabFocus t; GMain.Main.main (); releaseFocus ())); ignore (lst#connect#unselect_row ~callback:(fun ~row:_ ~column:_ ~event:_ -> root1#set_text ""; root2#set_text ""; result := None; tbl#misc#set_sensitive false; okButton#misc#set_sensitive false)); let select_row i = (* Inserting the first row triggers the signal, even before the row data is set. So, we need to catch the corresponding exception *) (try let (profile, info) = lst#get_row_data i in result := Some profile; begin match info.roots with [r1; r2] -> root1#set_text r1; root2#set_text r2; tbl#misc#set_sensitive true | _ -> root1#set_text ""; root2#set_text ""; tbl#misc#set_sensitive false end; okButton#misc#set_sensitive true with Gpointer.Null -> ()) in ignore (lst#connect#select_row ~callback:(fun ~row:i ~column:_ ~event:_ -> select_row i)); ignore (lst#event#connect#button_press ~callback:(fun ev -> match GdkEvent.get_type ev with `TWO_BUTTON_PRESS -> okCommand (); true | _ -> false)); fillLst "default"; select_row !selRow; lst#misc#grab_focus (); currentWindow := Some (t :> GWindow.window); ignore (t#connect#destroy ~callback:GMain.Main.quit); t#show (); GMain.Main.main (); !result (* ------ *) let documentation sect = let title = "Documentation" in let t = GWindow.dialog ~title ~wm_name:title () in let t_dismiss = GButton.button ~label:"Dismiss" ~packing:t#action_area#add () in t_dismiss#grab_default (); let dismiss () = t#destroy () in ignore (t_dismiss#connect#clicked ~callback:dismiss); ignore (t#event#connect#delete ~callback:(fun _ -> dismiss (); true)); let (name, docstr) = List.assoc sect Strings.docs in let hb = GPack.hbox ~packing:(t#vbox#pack ~expand:false ~padding:2) () in let optionmenu = GMenu.option_menu ~packing:(hb#pack ~expand:true ~fill:false) () in let charW = Gdk.Font.char_width (Lazy.force fontMonospaceMedium) 'M' in let charH = 16 in let t_text = new scrolled_text ~editable:false ~width:(charW * 80) ~height:(charH * 20) ~packing:t#vbox#add () in t_text#insert docstr; let sect_idx = ref 0 in let idx = ref 0 in let menu = GMenu.menu () in let addDocSection (shortname, (name, docstr)) = if shortname <> "" && name <> "" then begin if shortname = sect then sect_idx := !idx; incr idx; let item = GMenu.menu_item ~label:name ~packing:menu#append () in ignore (item#connect#activate ~callback:(fun () -> t_text#insert docstr)) end in Safelist.iter addDocSection Strings.docs; optionmenu#set_menu menu; optionmenu#set_history !sect_idx; t#show () (* ------ *) let messageBox ~title ?(label = "Dismiss") ?(action = fun t -> t#destroy) ?(modal = false) message = let t = GWindow.dialog ~title ~wm_name:title ~modal ~position:`CENTER () in let t_dismiss = GButton.button ~label ~packing:t#action_area#add () in t_dismiss#grab_default (); ignore (t_dismiss#connect#clicked ~callback:(action t)); let charW = Gdk.Font.char_width (Lazy.force fontMonospaceMedium) 'M' in let charH = 16 in let t_text = new scrolled_text ~editable:false ~width:(charW * 80) ~height:(charH * 20) ~packing:t#vbox#add () in t_text#insert (transcode message); ignore (t#event#connect#delete ~callback:(fun _ -> action t (); true)); t#show (); if modal then begin grabFocus t; GMain.Main.main (); releaseFocus () end (********************************************************************** TOP-LEVEL WINDOW **********************************************************************) let myWindow = ref None let getMyWindow () = if not (Prefs.read Uicommon.reuseToplevelWindows) then begin (match !myWindow with Some(w) -> w#destroy() | None -> ()); myWindow := None; end; let w = match !myWindow with Some(w) -> Safelist.iter w#remove w#children; w | None -> (* Used to be ~position:`CENTER -- maybe that was better... *) GWindow.window ~kind:`TOPLEVEL ~position:`CENTER ~wm_name:Uutil.myName () in myWindow := Some(w); w#set_border_width 4; w (* ------ *) let displayWaitMessage () = if not (Prefs.read Uicommon.contactquietly) then begin let w = getMyWindow() in ignore (GMisc.label ~text: (Uicommon.contactingServerMsg()) ~packing:(w#add) ()); w#set_border_width 20; w#show(); ignore (w#event#connect#delete ~callback:(fun _ -> exit 0)) end (* ------ *) let rec createToplevelWindow () = let toplevelWindow = getMyWindow() in let toplevelVBox = GPack.vbox ~packing:toplevelWindow#add () in (******************************************************************* Statistic window *******************************************************************) (* FIX: currently statistics window unavailable in the Cygwin version; enabling it causes core dump. *) let stat_win = (if Util.isCygwin then GWindow.dialog () else statistics ()) in (******************************************************************* Groups of things that are sensitive to interaction at the same time *******************************************************************) let grAction = ref [] in let grDiff = ref [] in let grGo = ref [] in let grRestart = ref [] in let grAdd gr w = gr := w#misc::!gr in let grSet gr st = List.iter (fun x -> x#set_sensitive st) !gr in (********************************************************************* Create the menu bar *********************************************************************) let topHBox = GPack.hbox ~packing:(toplevelVBox#pack ~expand:false) () in let menuBar = GMenu.menu_bar ~border_width:0 ~packing:(topHBox#pack ~expand:true) () in let menus = new GMenu.factory ~accel_modi:[] menuBar in let accel_group = menus#accel_group in toplevelWindow#add_accel_group accel_group; let add_submenu ?(modi=[]) ~label () = new GMenu.factory ~accel_group ~accel_modi:modi (menus#add_submenu label) in let profileLabel = GMisc.label ~text:"" ~packing:(topHBox#pack ~expand:false ~padding:2) () in let displayNewProfileLabel p = let label = Prefs.read Uicommon.profileLabel in let s = if p="" then "" else if p="default" then label else if label="" then p else p ^ " (" ^ label ^ ")" in let s = if s="" then "" else "Profile: " ^ s in profileLabel#set_text s in begin match !Prefs.profileName with None -> () | Some(p) -> displayNewProfileLabel p end; (********************************************************************* Create the menus *********************************************************************) let fileMenu = add_submenu ~label:"Synchronization" () and actionsMenu = add_submenu ~label:"Actions" () and ignoreMenu = add_submenu ~modi:[`SHIFT] ~label:"Ignore" () and sortMenu = add_submenu ~label:"Sort" () and helpMenu = add_submenu ~label:"Help" () in (********************************************************************* Create the main window *********************************************************************) let mainWindow = let sw = GBin.scrolled_window ~packing:(toplevelVBox#add) ~height:(Prefs.read Uicommon.mainWindowHeight * 12) ~hpolicy:`AUTOMATIC ~vpolicy:`AUTOMATIC () in GList.clist ~columns:5 ~titles_show:true ~selection_mode:`BROWSE ~packing:sw#add () in mainWindow#misc#grab_focus (); let setMainWindowColumnHeaders () = (* FIX: roots2string should return a pair *) let s = Uicommon.roots2string () in Array.iteri (fun i data -> mainWindow#set_column ~title_active:false ~auto_resize:true ~title:data i) [| " " ^ String.sub s 0 12 ^ " "; " Action "; " " ^ String.sub s 15 12 ^ " "; " Status "; " Path" |]; let status_width = let font = mainWindow#misc#style#font in 4 + max (Gdk.Font.string_width font "working") (Gdk.Font.string_width font "skipped") in mainWindow#set_column ~justification:`CENTER 1; mainWindow#set_column ~justification:`CENTER ~auto_resize:false ~width:status_width 3 in setMainWindowColumnHeaders(); (********************************************************************* Create the details window *********************************************************************) let charW = Gdk.Font.char_width (Lazy.force fontMonospaceMedium) 'M' in let charH = if Util.osType = `Win32 then 20 else 16 in let detailsWindow = let sw = GBin.scrolled_window ~packing:(toplevelVBox#pack ~expand:false) ~hpolicy:`AUTOMATIC ~vpolicy:`AUTOMATIC () in GEdit.text ~editable:false ~height:(3 * charH) ~width: (128 * charW) ~line_wrap:false ~packing:sw#add () in detailsWindow#misc#set_can_focus false; let style = detailsWindow#misc#style#copy in style#set_font (Lazy.force fontMonospaceMedium); detailsWindow#misc#set_style style; let updateButtons () = match !current with None -> grSet grAction false; grSet grDiff false | Some row -> let (activate1, activate2) = match !theState.(row).whatHappened, !theState.(row).ri.replicas with | None, Different((`FILE, _, _, _),(`FILE, _, _, _), _, _) -> (true, true) | Some _, Different((`FILE, _, _, _),(`FILE, _, _, _), _, _) -> (false, true) | Some _, _ -> (false, false) | None, _ -> (true, false) in grSet grAction activate1; grSet grDiff activate2 in let makeRowVisible row = if mainWindow#row_is_visible row <> `FULL then begin let adj = mainWindow#vadjustment in let current = adj#value and upper = adj#upper and lower = adj#lower in let v = float row /. float (mainWindow#rows + 1) *. (upper-.lower) +. lower in adj#set_value (min v (upper -. adj#page_size)) end in let makeFirstUnfinishedVisible pRiInFocus = let im = Array.length !theState in let rec find i = if i >= im then () else match pRiInFocus (!theState.(i).ri), !theState.(i).whatHappened with true, None -> makeRowVisible i | _ -> find (i+1) in find 0 in let updateDetails () = detailsWindow#freeze (); detailsWindow#delete_text ~start:0 ~stop:detailsWindow#length; begin match !current with None -> () | Some row -> makeRowVisible row; let details = match !theState.(row).whatHappened with None -> Uicommon.details2string !theState.(row).ri " " | Some(Util.Succeeded) -> Uicommon.details2string !theState.(row).ri " " | Some(Util.Failed(s)) -> s in detailsWindow#insert (transcode (Path.toString !theState.(row).ri.path)); detailsWindow#insert "\n"; detailsWindow#insert details end; (* Display text *) detailsWindow#thaw (); updateButtons () in (********************************************************************* Status window *********************************************************************) let statusHBox = GPack.hbox ~packing:(toplevelVBox#pack ~expand:false) () in let statusWindow = GMisc.statusbar ~packing:(statusHBox#pack ~expand:true) () in let statusContext = statusWindow#new_context ~name:"status" in ignore (statusContext#push ""); let displayStatus m = statusContext#pop (); ignore (statusContext#push m); (* Force message to be displayed immediately *) gtk_sync () in let formatStatus major minor = (Util.padto 30 (major ^ " ")) ^ minor in (* Tell the Trace module about the status printer *) Trace.messageDisplayer := displayStatus; Trace.statusFormatter := formatStatus; Trace.sendLogMsgsToStderr := false; (********************************************************************* Functions used to print in the main window *********************************************************************) let select i = let r = mainWindow#rows in let p = if r < 2 then 0. else (float i +. 0.5) /. float (r - 1) in mainWindow#scroll_vertical `JUMP (min p 1.) in ignore (mainWindow#connect#unselect_row ~callback: (fun ~row ~column ~event -> current := None; updateDetails ())); ignore (mainWindow#connect#select_row ~callback: (fun ~row ~column ~event -> current := Some row; updateDetails ())); let nextInteresting () = let l = Array.length !theState in let start = match !current with Some i -> i + 1 | None -> 0 in let rec loop i = if i < l then match !theState.(i).ri.replicas with Different (_, _, dir, _) when not (Prefs.read Uicommon.auto) || !dir = Conflict -> select i | _ -> loop (i + 1) in loop start in let selectSomethingIfPossible () = if !current=None then nextInteresting () in let columnsOf i = let oldPath = if i = 0 then Path.empty else !theState.(i-1).ri.path in let status = match !theState.(i).whatHappened with None -> " " | Some conf -> match !theState.(i).ri.replicas with Different(_,_,{contents=Conflict},_) | Problem _ -> " " | _ -> match conf with Util.Succeeded -> "done " | Util.Failed _ -> "failed" in let s = Uicommon.reconItem2string oldPath !theState.(i).ri status in (* FIX: This is ugly *) (String.sub s 0 8, String.sub s 9 5, String.sub s 15 8, String.sub s 25 6, String.sub s 32 (String.length s - 32)) in let greenPixel = "00dd00" in let redPixel = "ff2040" in let yellowPixel = "999900" in let lightbluePixel = "8888FF" in let blackPixel = "000000" in let buildPixmap p = GDraw.pixmap_from_xpm_d ~window:toplevelWindow ~data:p () in let buildPixmaps f c1 = (buildPixmap (f c1), buildPixmap (f lightbluePixel)) in let rightArrow = buildPixmaps Pixmaps.copyAB greenPixel in let leftArrow = buildPixmaps Pixmaps.copyBA greenPixel in let ignoreAct = buildPixmaps Pixmaps.ignore redPixel in let doneIcon = buildPixmap Pixmaps.success in let failedIcon = buildPixmap Pixmaps.failure in let rightArrowBlack = buildPixmap (Pixmaps.copyAB blackPixel) in let leftArrowBlack = buildPixmap (Pixmaps.copyBA blackPixel) in let mergeLogo = buildPixmaps Pixmaps.mergeLogo greenPixel in let mergeLogoBlack = buildPixmap (Pixmaps.mergeLogo blackPixel) in let displayArrow i j action = let changedFromDefault = match !theState.(j).ri.replicas with Different(_,_,{contents=curr},default) -> curr<>default | _ -> false in let sel pixmaps = if changedFromDefault then snd pixmaps else fst pixmaps in match action with "<-?->" -> mainWindow#set_cell ~pixmap:(sel ignoreAct) i 1 | "<-M->" -> mainWindow#set_cell ~pixmap:(sel mergeLogo) i 1 | "---->" -> mainWindow#set_cell ~pixmap:(sel rightArrow) i 1 | "<----" -> mainWindow#set_cell ~pixmap:(sel leftArrow) i 1 | "error" -> mainWindow#set_cell ~pixmap:failedIcon i 1 | _ -> assert false in let displayStatusIcon i status = match status with | "failed" -> mainWindow#set_cell ~pixmap:failedIcon i 3 | "done " -> mainWindow#set_cell ~pixmap:doneIcon i 3 | _ -> mainWindow#set_cell ~text:status i 3 in let displayMain() = (* The call to mainWindow#clear below side-effect current, so we save the current value before we clear out the main window and rebuild it. *) let savedCurrent = !current in mainWindow#freeze (); mainWindow#clear (); for i = Array.length !theState - 1 downto 0 do let (r1, action, r2, status, path) = columnsOf i in ignore (mainWindow#prepend [ r1; ""; r2; status; transcode path ]); displayArrow 0 i action done; debug (fun()-> Util.msg "reset current to %s\n" (match savedCurrent with None->"None" | Some(i) -> string_of_int i)); if savedCurrent <> None then current := savedCurrent; selectSomethingIfPossible (); begin match !current with Some idx -> select idx | None -> () end; mainWindow#thaw (); updateDetails (); in let redisplay i = let (r1, action, r2, status, path) = columnsOf i in mainWindow#freeze (); mainWindow#set_cell ~text:r1 i 0; displayArrow i i action; mainWindow#set_cell ~text:r2 i 2; displayStatusIcon i status; mainWindow#set_cell ~text:(transcode path) i 4; if status = "failed" then begin mainWindow#set_cell ~text:(path ^ " [failed: click on this line for details]") i 4 end; mainWindow#thaw (); if !current = Some i then updateDetails (); updateButtons () in let globalProgressBar = GMisc.statusbar ~packing:(statusHBox#pack ~expand:false) () in let globalProgressContext = globalProgressBar#new_context ~name:"prog" in ignore (globalProgressContext#push ""); let totalBytesToTransfer = ref Uutil.Filesize.zero in let totalBytesTransferred = ref Uutil.Filesize.zero in let displayGlobalProgress s = globalProgressContext#pop (); ignore (globalProgressContext#push s); (* Force message to be displayed immediately *) gtk_sync () in let showGlobalProgress b = (* Concatenate the new message *) totalBytesTransferred := Uutil.Filesize.add !totalBytesTransferred b; let s = Util.percent2string (Uutil.Filesize.percentageOfTotalSize !totalBytesTransferred !totalBytesToTransfer) in displayGlobalProgress (s^" ") in let initGlobalProgress b = totalBytesToTransfer := b; totalBytesTransferred := Uutil.Filesize.zero; showGlobalProgress Uutil.Filesize.zero in let (root1,root2) = Globals.roots () in let root1IsLocal = fst root1 = Local in let root2IsLocal = fst root2 = Local in let showProgress i bytes dbg = (* XXX There should be a way to reset the amount of bytes transferred... *) let i = Uutil.File.toLine i in let item = !theState.(i) in item.bytesTransferred <- Uutil.Filesize.add item.bytesTransferred bytes; let b = item.bytesTransferred in let len = Common.riLength item.ri in let newstatus = if b = Uutil.Filesize.zero || len = Uutil.Filesize.zero then "start " else if len = Uutil.Filesize.zero then Printf.sprintf "%5s " (Uutil.Filesize.toString b) else Util.percent2string (Uutil.Filesize.percentageOfTotalSize b len) in let dbg = if Trace.enabled "progress" then dbg ^ "/" else "" in let newstatus = dbg ^ newstatus in mainWindow#set_cell ~text:newstatus i 3; showGlobalProgress bytes; gtk_sync (); begin match item.ri.replicas with Different (_, _, dir, _) -> begin match !dir with Replica1ToReplica2 -> if root2IsLocal then clientWritten := !clientWritten +. Uutil.Filesize.toFloat bytes else serverWritten := !serverWritten +. Uutil.Filesize.toFloat bytes | Replica2ToReplica1 -> if root1IsLocal then clientWritten := !clientWritten +. Uutil.Filesize.toFloat bytes else serverWritten := !serverWritten +. Uutil.Filesize.toFloat bytes | Conflict | Merge -> (* Diff / merge *) clientWritten := !clientWritten +. Uutil.Filesize.toFloat bytes end | _ -> assert false end in (* Install showProgress so that we get called back by low-level file transfer stuff *) Uutil.setProgressPrinter showProgress; (* Apply new ignore patterns to the current state, expecting that the number of reconitems will grow smaller. Adjust the display, being careful to keep the cursor as near as possible to its position before the new ignore patterns take effect. *) let ignoreAndRedisplay () = let lst = Array.to_list !theState in (* FIX: we should actually test whether any prefix is now ignored *) let keep sI = not (Globals.shouldIgnore sI.ri.path) in begin match !current with None -> theState := Array.of_list (Safelist.filter keep lst) | Some index -> let i = ref index in let l = ref [] in Array.iteri (fun j sI -> if keep sI then l := sI::!l else if j < !i then decr i) !theState; theState := Array.of_list (Safelist.rev !l); current := if !l = [] then None else Some (min (!i) ((Array.length !theState) - 1)); end; displayMain() in let sortAndRedisplay () = current := None; let compareRIs = Sortri.compareReconItems() in Array.stable_sort (fun si1 si2 -> compareRIs si1.ri si2.ri) !theState; displayMain() in (****************************************************************** Main detect-updates-and-reconcile logic ******************************************************************) let detectUpdatesAndReconcile () = grSet grAction false; grSet grDiff false; grSet grGo false; grSet grRestart false; let (r1,r2) = Globals.roots () in let t = Trace.startTimer "Checking for updates" in let findUpdates () = Trace.status "Looking for changes"; let updates = Update.findUpdates () in Trace.showTimer t; updates in let reconcile updates = let t = Trace.startTimer "Reconciling" in Recon.reconcileAll updates in let (reconItemList, thereAreEqualUpdates, dangerousPaths) = reconcile (findUpdates ()) in Trace.showTimer t; if reconItemList = [] then if thereAreEqualUpdates then Trace.status "Replicas have been changed only in identical ways since last sync" else Trace.status "Everything is up to date" else Trace.status "Check and/or adjust selected actions; then press Go"; theState := Array.of_list (Safelist.map (fun ri -> { ri = ri; bytesTransferred = Uutil.Filesize.zero; whatHappened = None }) reconItemList); current := None; displayMain(); grSet grGo (Array.length !theState > 0); grSet grRestart true; if dangerousPaths <> [] then begin Prefs.set Globals.batch false; Util.warn (Uicommon.dangerousPathMsg dangerousPaths) end; in (********************************************************************* Help menu *********************************************************************) let addDocSection (shortname, (name, docstr)) = if shortname <> "" && name <> "" then ignore (helpMenu#add_item ~callback:(fun () -> documentation shortname) name) in Safelist.iter addDocSection Strings.docs; (********************************************************************* Ignore menu *********************************************************************) let addRegExpByPath pathfunc = match !current with Some i -> Uicommon.addIgnorePattern (pathfunc !theState.(i).ri.path); ignoreAndRedisplay () | None -> () in grAdd grAction (ignoreMenu#add_item ~key:GdkKeysyms._i ~callback:(fun () -> getLock (fun () -> addRegExpByPath Uicommon.ignorePath)) "Permanently ignore this path"); grAdd grAction (ignoreMenu#add_item ~key:GdkKeysyms._E ~callback:(fun () -> getLock (fun () -> addRegExpByPath Uicommon.ignoreExt)) "Permanently ignore files with this extension"); grAdd grAction (ignoreMenu#add_item ~key:GdkKeysyms._N ~callback:(fun () -> getLock (fun () -> addRegExpByPath Uicommon.ignoreName)) "Permanently ignore files with this name (in any dir)"); (* grAdd grRestart (ignoreMenu#add_item ~callback: (fun () -> getLock ignoreDialog) "Edit ignore patterns"); *) (********************************************************************* Sort menu *********************************************************************) grAdd grAction (sortMenu#add_item ~callback:(fun () -> getLock (fun () -> Sortri.sortByName(); sortAndRedisplay())) "Sort entries by name"); grAdd grAction (sortMenu#add_item ~callback:(fun () -> getLock (fun () -> Sortri.sortBySize(); sortAndRedisplay())) "Sort entries by size"); grAdd grAction (sortMenu#add_item ~callback:(fun () -> getLock (fun () -> Sortri.sortNewFirst(); sortAndRedisplay())) "Sort new entries first"); grAdd grAction (sortMenu#add_item ~callback:(fun () -> getLock (fun () -> Sortri.restoreDefaultSettings(); sortAndRedisplay())) "Go back to default ordering"); (********************************************************************* Main function : synchronize *********************************************************************) let synchronize () = if Array.length !theState = 0 then Trace.status "Nothing to synchronize" else begin grSet grAction false; grSet grDiff false; grSet grGo false; grSet grRestart false; Trace.status "Propagating changes"; Transport.logStart (); let totalLength = Array.fold_left (fun l si -> Uutil.Filesize.add l (Common.riLength si.ri)) Uutil.Filesize.zero !theState in displayGlobalProgress " "; initGlobalProgress totalLength; let t = Trace.startTimer "Propagating changes" in let im = Array.length !theState in let rec loop i actions pRiThisRound = if i < im then begin let theSI = !theState.(i) in let action = match theSI.whatHappened with None -> if not (pRiThisRound theSI.ri) then return () else catch (fun () -> Transport.transportItem theSI.ri (Uutil.File.ofLine i) (fun title text -> Trace.status (Printf.sprintf "\n%s\n\n%s\n\n" title text); true) >>= (fun () -> return Util.Succeeded)) (fun e -> match e with Util.Transient s -> return (Util.Failed s) | _ -> fail e) >>= (fun res -> theSI.whatHappened <- Some res; redisplay i; makeFirstUnfinishedVisible pRiThisRound; gtk_sync (); return ()) | Some _ -> return () (* Already processed this one (e.g. merged it) *) in loop (i + 1) (action :: actions) pRiThisRound end else return actions in Lwt_unix.run (loop 0 [] (fun ri -> not (Common.isDeletion ri)) >>= (fun actions -> Lwt_util.join actions)); Lwt_unix.run (loop 0 [] Common.isDeletion >>= (fun actions -> Lwt_util.join actions)); Transport.logFinish (); Trace.showTimer t; Trace.status "Updating synchronizer state"; let t = Trace.startTimer "Updating synchronizer state" in Update.commitUpdates(); Trace.showTimer t; let failures = let count = Array.fold_left (fun l si -> l + (match si.whatHappened with Some(Util.Failed(_)) -> 1 | _ -> 0)) 0 !theState in if count = 0 then "" else Printf.sprintf "%d failure%s" count (if count=1 then "" else "s") in let skipped = let count = Array.fold_left (fun l si -> l + (if problematic si.ri then 1 else 0)) 0 !theState in if count = 0 then "" else Printf.sprintf "%d skipped" count in Trace.status (Printf.sprintf "Synchronization complete %s%s%s" failures (if failures=""||skipped="" then "" else ", ") skipped); displayGlobalProgress ""; grSet grRestart true end in (********************************************************************* Action bar *********************************************************************) let actionBar = GButton.toolbar ~orientation:`HORIZONTAL ~tooltips:true ~space_size:10 ~packing:(toplevelVBox#pack ~expand:false) () in (********************************************************************* Quit button *********************************************************************) actionBar#insert_space (); ignore (actionBar#insert_button ~text:"Quit" ~callback:safeExit ()); (********************************************************************* Go button *********************************************************************) actionBar#insert_space (); grAdd grGo (actionBar#insert_button ~text:"Go" (* tooltip:"Go with displayed actions" *) ~callback:(fun () -> getLock synchronize) ()); (********************************************************************* Restart button *********************************************************************) let detectCmdName = "Restart" in let detectCmd () = getLock detectUpdatesAndReconcile; if Prefs.read Globals.batch then begin Prefs.set Globals.batch false; synchronize() end in actionBar#insert_space (); grAdd grRestart (actionBar#insert_button ~text:detectCmdName ~callback:detectCmd ()); (********************************************************************* Buttons for <--, M, -->, Skip *********************************************************************) let doAction f = match !current with Some i -> let theSI = !theState.(i) in begin match theSI.whatHappened, theSI.ri.replicas with None, Different(_, _, dir, _) -> f dir; redisplay i; nextInteresting () | _ -> () end | None -> () in let leftAction _ = doAction (fun dir -> dir := Replica2ToReplica1) in let rightAction _ = doAction (fun dir -> dir := Replica1ToReplica2) in let questionAction _ = doAction (fun dir -> dir := Conflict) in let mergeAction _ = doAction (fun dir -> dir := Merge) in actionBar#insert_space (); grAdd grAction (actionBar#insert_button ~icon:((GMisc.pixmap leftArrowBlack ())#coerce) ~callback:leftAction ()); actionBar#insert_space (); grAdd grAction (actionBar#insert_button ~icon:((GMisc.pixmap mergeLogoBlack())#coerce) ~callback:mergeAction ()); actionBar#insert_space (); grAdd grAction (actionBar#insert_button ~icon:((GMisc.pixmap rightArrowBlack ())#coerce) ~callback:rightAction ()); actionBar#insert_space (); grAdd grAction (actionBar#insert_button ~text:"Skip" ~callback:questionAction ()); (********************************************************************* Diff / merge buttons *********************************************************************) let diffCmd () = match !current with Some i -> getLock (fun () -> Uicommon.showDiffs !theState.(i).ri (fun title text -> messageBox ~title text) Trace.status (Uutil.File.ofLine i)) | None -> () in actionBar#insert_space (); grAdd grDiff (actionBar#insert_button ~text:"Diff" ~callback:diffCmd ()); (* let mergeCmd () = match !current with Some i -> getLock (fun () -> toplevelWindow#misc#set_sensitive false; begin try Uicommon.applyMerge !theState.(i).ri (Uutil.File.ofLine i) (fun title text -> Trace.status (Printf.sprintf "%s: %s" title text)) true; !theState.(i).whatHappened <- Some(Util.Succeeded); toplevelWindow#misc#set_sensitive true with Util.Transient(s) -> toplevelWindow#misc#set_sensitive true; oneBox "Merge failed" s "Continue" end; redisplay i; nextInteresting(); gtk_sync()) | None -> () in actionBar#insert_space (); grAdd grDiff (actionBar#insert_button ~text:"Merge" ~callback:mergeCmd ()); *) (********************************************************************* Keyboard commands *********************************************************************) ignore (mainWindow#event#connect#key_press ~callback: begin fun ev -> let key = GdkEvent.Key.keyval ev in if key = GdkKeysyms._Left then begin leftAction (); GtkSignal.stop_emit (); true end else if key = GdkKeysyms._Right then begin rightAction (); GtkSignal.stop_emit (); true end else false end); (********************************************************************* Action menu *********************************************************************) let (root1,root2) = Globals.roots () in let loc1 = root2hostname root1 in let loc2 = root2hostname root2 in let descr = if loc1 = loc2 then "left to right" else Printf.sprintf "from %s to %s" loc1 loc2 in let left = actionsMenu#add_item ~key:GdkKeysyms._greater ~callback:rightAction ("Propagate this path " ^ descr) in grAdd grAction left; left#add_accelerator ~group:accel_group ~modi:[`SHIFT] GdkKeysyms._greater; let merge = actionsMenu#add_item ~key:GdkKeysyms._m ~callback:mergeAction "Merge the files" in grAdd grAction merge; merge#add_accelerator ~group:accel_group GdkKeysyms._m; let descl = if loc1 = loc2 then "right to left" else Printf.sprintf "from %s to %s" loc2 loc1 in let right = actionsMenu#add_item ~key:GdkKeysyms._less ~callback:leftAction ("Propagate this path " ^ descl) in grAdd grAction right; right#add_accelerator ~group:accel_group ~modi:[`SHIFT] GdkKeysyms._less; grAdd grAction (actionsMenu#add_item ~key:GdkKeysyms._slash ~callback:questionAction "Do not propagate changes to this path"); (* Override actions *) ignore (actionsMenu#add_separator ()); grAdd grAction (actionsMenu#add_item ~callback:(fun () -> getLock (fun () -> Array.iter (fun si -> Recon.setDirection si.ri `Replica1ToReplica2 `Prefer) !theState; displayMain())) "Resolve all conflicts in favor of first root"); grAdd grAction (actionsMenu#add_item ~callback:(fun () -> getLock (fun () -> Array.iter (fun si -> Recon.setDirection si.ri `Replica2ToReplica1 `Prefer) !theState; displayMain())) "Resolve all conflicts in favor of second root"); grAdd grAction (actionsMenu#add_item ~callback:(fun () -> getLock (fun () -> Array.iter (fun si -> Recon.setDirection si.ri `Newer `Prefer) !theState; displayMain())) "Resolve all conflicts in favor of most recently modified"); grAdd grAction (actionsMenu#add_item ~callback:(fun () -> getLock (fun () -> Array.iter (fun si -> Recon.setDirection si.ri `Older `Prefer) !theState; displayMain())) "Resolve all conflicts in favor of least recently modified"); ignore (actionsMenu#add_separator ()); grAdd grAction (actionsMenu#add_item ~callback:(fun () -> getLock (fun () -> Array.iter (fun si -> Recon.setDirection si.ri `Replica1ToReplica2 `Force) !theState; displayMain())) "Force all changes from first root to second"); grAdd grAction (actionsMenu#add_item ~callback:(fun () -> getLock (fun () -> Array.iter (fun si -> Recon.setDirection si.ri `Replica2ToReplica1 `Force) !theState; displayMain())) "Force all changes from second root to first"); grAdd grAction (actionsMenu#add_item ~callback:(fun () -> getLock (fun () -> Array.iter (fun si -> Recon.setDirection si.ri `Newer `Force) !theState; displayMain())) "Force newer files to replace older ones"); grAdd grAction (actionsMenu#add_item ~callback:(fun () -> getLock (fun () -> Array.iter (fun si -> Recon.setDirection si.ri `Older `Force) !theState; displayMain())) "Force older files to replace newer ones"); grAdd grAction (actionsMenu#add_item ~callback:(fun () -> getLock (fun () -> Array.iter (fun si -> Recon.setDirection si.ri `Merge `Force) !theState; displayMain())) "Revert all paths to the merging default, if avaible"); ignore (actionsMenu#add_separator ()); grAdd grAction (actionsMenu#add_item ~callback:(fun () -> getLock (fun () -> Array.iter (fun si -> Recon.revertToDefaultDirection si.ri) !theState; displayMain())) "Revert all paths to Unison's recommendations"); grAdd grAction (actionsMenu#add_item ~callback:(fun () -> getLock (fun () -> match !current with Some i -> let theSI = !theState.(i) in Recon.revertToDefaultDirection theSI.ri; redisplay i; nextInteresting () | None -> ())) "Revert selected path to Unison's recommendations"); (* Diff *) ignore (actionsMenu#add_separator ()); grAdd grDiff (actionsMenu#add_item ~key:GdkKeysyms._d ~callback:diffCmd "Show diffs for selected path"); (* grAdd grDiff (actionsMenu#add_item ~key:GdkKeysyms._m ~callback:mergeCmd "Merge versions of selected path");*) (********************************************************************* Synchronization menu *********************************************************************) let loadProfile p = debug (fun()-> Util.msg "Loading profile %s..." p); Uicommon.initPrefs p displayWaitMessage getFirstRoot getSecondRoot (termInteract()); displayNewProfileLabel p; setMainWindowColumnHeaders() in let reloadProfile () = match !Prefs.profileName with None -> () | Some(n) -> loadProfile n in grAdd grGo (fileMenu#add_item ~key:GdkKeysyms._g ~callback:(fun () -> getLock synchronize) "Go"); grAdd grRestart (fileMenu#add_item ~key:GdkKeysyms._r ~callback:(fun () -> reloadProfile(); detectCmd()) detectCmdName); grAdd grRestart (fileMenu#add_item ~key:GdkKeysyms._a ~callback:(fun () -> reloadProfile(); Prefs.set Globals.batch true; detectCmd()) "Detect updates and proceed (without waiting)"); grAdd grRestart (fileMenu#add_item ~key:GdkKeysyms._f ~callback:( fun () -> let rec loop i acc = if i >= Array.length (!theState) then acc else let notok = (match !theState.(i).whatHappened with None-> true | Some(Util.Failed _) -> true | Some(Util.Succeeded) -> false) || match !theState.(i).ri.replicas with Problem _ -> true | Different(rc1,rc2,dir,_) -> (match !dir with Conflict -> true | _ -> false) in if notok then loop (i+1) (i::acc) else loop (i+1) (acc) in let failedindices = loop 0 [] in let failedpaths = List.map (fun i -> !theState.(i).ri.path) failedindices in debug (fun()-> Util.msg "Restarting with paths = %s\n" (String.concat ", " (List.map (fun p -> "'"^(Path.toString p)^"'") failedpaths))); Prefs.set Globals.paths failedpaths; detectCmd()) "Recheck unsynchronized items"); ignore (fileMenu#add_separator ()); grAdd grRestart (fileMenu#add_item ~key:GdkKeysyms._p ~callback:(fun _ -> match getProfile() with None -> () | Some(p) -> loadProfile p; detectCmd()) "Select a new profile from the profile dialog"); let fastProf name key = grAdd grRestart (fileMenu#add_item ~key:key ~callback:(fun _ -> if System.file_exists (Prefs.profilePathname name) then begin Trace.status ("Loading profile " ^ name); loadProfile name; detectCmd() end else Trace.status ("Profile " ^ name ^ " not found")) ("Select profile " ^ name)) in let fastKeysyms = [| GdkKeysyms._0; GdkKeysyms._1; GdkKeysyms._2; GdkKeysyms._3; GdkKeysyms._4; GdkKeysyms._5; GdkKeysyms._6; GdkKeysyms._7; GdkKeysyms._8; GdkKeysyms._9 |] in Array.iteri (fun i v -> match v with None -> () | Some(profile, info) -> fastProf profile fastKeysyms.(i)) profileKeymap; if not Util.isCygwin then (ignore (fileMenu#add_separator ()); ignore (fileMenu#add_item ~callback:(fun _ -> stat_win#show ()) "Statistics")); ignore (fileMenu#add_separator ()); ignore (fileMenu#add_item ~key:GdkKeysyms._q ~callback:safeExit "Quit"); (********************************************************************* Expert menu *********************************************************************) if Prefs.read Uicommon.expert then begin let expertMenu = add_submenu ~label:"Expert" () in let addDebugToggle modname = let cm = expertMenu#add_check_item ~active:(Trace.enabled modname) ~callback:(fun b -> Trace.enable modname b) ("Debug '" ^ modname ^ "'") in cm#set_show_toggle true in addDebugToggle "all"; addDebugToggle "verbose"; addDebugToggle "update"; ignore (expertMenu#add_separator ()); ignore (expertMenu#add_item ~callback:(fun () -> Printf.fprintf stderr "\nGC stats now:\n"; Gc.print_stat stderr; Printf.fprintf stderr "\nAfter major collection:\n"; Gc.full_major(); Gc.print_stat stderr; flush stderr) "Show memory/GC stats") end; (********************************************************************* Finish up *********************************************************************) grSet grAction false; grSet grDiff false; grSet grGo false; grSet grRestart false; ignore (toplevelWindow#event#connect#delete ~callback: (fun _ -> safeExit (); true)); toplevelWindow#show (); currentWindow := Some toplevelWindow; detectCmd () (********************************************************************* STARTUP *********************************************************************) let start _ = begin try (* Initialize the GTK library *) ignore (GMain.Main.init ()); Util.warnPrinter := Some (warnBox "Warning"); (* Ask the Remote module to call us back at regular intervals during long network operations. *) let rec tick () = gtk_sync (); Lwt_unix.sleep 0.1 >>= tick in ignore_result (tick ()); Uicommon.uiInit fatalError tryAgainOrQuit displayWaitMessage getProfile getFirstRoot getSecondRoot (termInteract()); scanProfiles(); createToplevelWindow(); (* Display the ui *) ignore (GMain.Timeout.add 500 (fun _ -> true)); (* Hack: this allows signals such as SIGINT to be handled even when Gtk is waiting for events *) GMain.Main.main () with Util.Transient(s) | Util.Fatal(s) -> fatalError s | exn -> fatalError (Uicommon.exn2string exn) end end (* module Private *) (********************************************************************* UI SELECTION *********************************************************************) module Body : Uicommon.UI = struct let start = function Uicommon.Text -> Uitext.Body.start Uicommon.Text | Uicommon.Graphic -> let displayAvailable = Util.osType = `Win32 || try System.getenv "DISPLAY" <> "" with Not_found -> false in if displayAvailable then Private.start Uicommon.Graphic else Uitext.Body.start Uicommon.Text let defaultUi = Uicommon.Graphic end (* module Body *) unison-2.40.102/stasher.mli0000644006131600613160000000256411361646373015572 0ustar bcpiercebcpierce(* Unison file synchronizer: src/stasher.mli *) (* $I2: Last modified by lescuyer on *) (* $I3: Copyright 1999-2005 (see COPYING for details) $ *) (* This module maintains backups for general purpose and *) (* as archives for mergeable files. *) (* Make a backup copy of a file, if needed; if the third parameter is `AndRemove, then the file is either backed up by renaming or else deleted if no backup is needed. *) val backup: Fspath.t -> Path.local -> [`AndRemove | `ByCopying] -> Update.archive -> unit (* Stashes of current versions (so that we have archives when needed for merging) *) val stashCurrentVersion: Fspath.t (* fspath to stash *) -> Path.local (* path to stash *) -> Path.local option (* path to actual bits to be stashed (used to stash an additional archive version in addition to the current version) *) -> unit (* Retrieve a stashed version *) val getRecentVersion: Fspath.t -> Path.local -> Os.fullfingerprint -> Fspath.t option (* Return the location of the backup directory *) val backupDirectory : unit -> Fspath.t (* Check whether current version of a path is being stashed *) val shouldBackupCurrent : Path.t -> bool (* Low-level backupdir preference *) val backupdir : string Prefs.t (* Initialize the module *) val initBackups: unit -> unit unison-2.40.102/external.ml0000644006131600613160000000655611361646373015577 0ustar bcpiercebcpierce(* Unison file synchronizer: src/external.ml *) (* Copyright 1999-2009, Benjamin C. Pierce This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . *) (*****************************************************************************) (* RUNNING EXTERNAL PROGRAMS *) (*****************************************************************************) let debug = Util.debug "external" let (>>=) = Lwt.bind open Lwt let readChannelTillEof c = let rec loop lines = try let l = input_line c in (* Util.msg "%s\n" l; *) loop (l::lines) with End_of_file -> lines in String.concat "\n" (Safelist.rev (loop [])) let readChannelTillEof_lwt c = let rec loop lines = let lo = try Some(Lwt_unix.run (Lwt_unix.input_line c)) with End_of_file -> None in match lo with Some l -> loop (l :: lines) | None -> lines in String.concat "\n" (Safelist.rev (loop [])) let readChannelsTillEof l = let rec suckitdry lines c = Lwt.catch (fun() -> Lwt_unix.input_line c >>= (fun l -> return (Some l))) (fun e -> match e with End_of_file -> return None | _ -> raise e) >>= (fun lo -> match lo with None -> return lines | Some l -> suckitdry (l :: lines) c) in Lwt_util.map (fun c -> suckitdry [] c >>= (fun res -> return (String.concat "\n" (Safelist.rev res)))) l let runExternalProgram cmd = if Util.osType = `Win32 && not Util.isCygwin then begin debug (fun()-> Util.msg "Executing external program windows-style\n"); let c = System.open_process_in ("\"" ^ cmd ^ "\"") in let log = readChannelTillEof c in let returnValue = System.close_process_in c in let mergeResultLog = cmd ^ (if log <> "" then "\n\n" ^ log else "") ^ (if returnValue <> Unix.WEXITED 0 then "\n\n" ^ Util.process_status_to_string returnValue else "") in Lwt.return (returnValue,mergeResultLog) end else let (out, ipt, err) as desc = System.open_process_full cmd in let out = Lwt_unix.intern_in_channel out in let err = Lwt_unix.intern_in_channel err in readChannelsTillEof [out;err] >>= (function [logOut;logErr] -> let returnValue = System.close_process_full desc in let logOut = Util.trimWhitespace logOut in let logErr = Util.trimWhitespace logErr in return (returnValue, ( (* cmd ^ "\n\n" ^ *) (if logOut = "" || logErr = "" then logOut ^ logErr else logOut ^ "\n\n" ^ ("Error Output:" ^ logErr)) ^ (if returnValue = Unix.WEXITED 0 then "" else "\n\n" ^ Util.process_status_to_string returnValue))) (* Stop typechechecker from complaining about non-exhaustive pattern above *) | _ -> assert false) unison-2.40.102/osx.mli0000644006131600613160000000165211361646373014727 0ustar bcpiercebcpierce(* Unison file synchronizer: src/osx.mli *) (* Copyright 1999-2009, Benjamin C. Pierce (see COPYING for details) *) val init : bool -> unit val isMacOSX : bool val rsrc : bool Prefs.t type 'a ressInfo type ressStamp = unit ressInfo type info = { ressInfo : (Fspath.t * int64) ressInfo; finfo : string } val defaultInfos : [> `DIRECTORY | `FILE ] -> info val getFileInfos : Fspath.t -> Path.local -> [> `DIRECTORY | `FILE ] -> info val setFileInfos : Fspath.t -> Path.local -> string -> unit val ressUnchanged : 'a ressInfo -> 'b ressInfo -> float option -> bool -> bool val ressFingerprint : Fspath.t -> Path.local -> info -> Fingerprint.t val ressLength : 'a ressInfo -> Uutil.Filesize.t val ressDummy : ressStamp val ressStampToString : ressStamp -> string val stamp : info -> ressStamp val openRessIn : Fspath.t -> Path.local -> in_channel val openRessOut : Fspath.t -> Path.local -> Uutil.Filesize.t -> out_channel unison-2.40.102/unicode_tables.ml0000644006131600613160000022521611362021603016711 0ustar bcpiercebcpierce(*-*-coding: utf-8;-*-*) let norm_ascii = "\000\001\002\003\004\005\006\007\b\t\n\011\012\r\014\015\016\017\018\019\020\021\022\023\024\025\026\027\028\029\030\031 !\"#$%&'()*+,-./0123456789:;<=>?@abcdefghijklmnopqrstuvwxyz[\\]^_`abcdefghijklmnopqrstuvwxyz{|}~\127" let norm_repl = "\003à\003á\003â\003ã\003ä\003å\002æ\003ç\003è\003é\003ê\003ë\003ì\003í\003î\003ï\002ð\003ñ\003ò\003ó\003ô\003õ\003ö\002ø\003ù\003ú\003û\003ü\003ý\002þ\003ÿ\003ā\003ă\003ą\003ć\003ĉ\003ċ\003č\003ď\002đ\003ē\003ĕ\003ė\003ę\003ě\003ĝ\003ğ\003ġ\003ģ\003ĥ\002ħ\003ĩ\003ī\003ĭ\003į\003i̇\002ij\003ĵ\003ķ\003ĺ\003ļ\003ľ\002ŀ\002ł\003ń\003ņ\003ň\002ŋ\003ō\003ŏ\003ő\002œ\003ŕ\003ŗ\003ř\003ś\003ŝ\003ş\003š\003ţ\003ť\002ŧ\003ũ\003ū\003ŭ\003ů\003ű\003ų\003ŵ\003ŷ\003ź\003ż\003ž\002ɓ\002ƃ\002ƅ\002ɔ\002ƈ\002ɖ\002ɗ\002ƌ\002ǝ\002ə\002ɛ\002ƒ\002ɠ\002ɣ\002ɩ\002ɨ\002ƙ\002ɯ\002ɲ\002ɵ\003ơ\002ƣ\002ƥ\002ƨ\002ʃ\002ƭ\002ʈ\003ư\002ʊ\002ʋ\002ƴ\002ƶ\002ʒ\002ƹ\002ƽ\002dž\002lj\002nj\003ǎ\003ǐ\003ǒ\003ǔ\005ǖ\005ǘ\005ǚ\005ǜ\005ǟ\005ǡ\004ǣ\002ǥ\003ǧ\003ǩ\003ǫ\005ǭ\004ǯ\003ǰ\002dz\003ǵ\003ǹ\005ǻ\004ǽ\004ǿ\003ȁ\003ȃ\003ȅ\003ȇ\003ȉ\003ȋ\003ȍ\003ȏ\003ȑ\003ȓ\003ȕ\003ȗ\003ș\003ț\003ȟ\003ȧ\003ȩ\005ȫ\005ȭ\003ȯ\005ȱ\003ȳ\002̀\002́\002̓\004̈́\002ʹ\001;\004΅\004ά\002·\004έ\004ή\004ί\004ό\004ύ\004ώ\006ΐ\002α\002β\002γ\002δ\002ε\002ζ\002η\002θ\002ι\002κ\002λ\002μ\002ν\002ξ\002ο\002π\002ρ\002σ\002τ\002υ\002φ\002χ\002ψ\002ω\004ϊ\004ϋ\006ΰ\004ϓ\004ϔ\002ϣ\002ϥ\002ϧ\002ϩ\002ϫ\002ϭ\002ϯ\004ѐ\004ё\002ђ\004ѓ\002є\002ѕ\002і\004ї\002ј\002љ\002њ\002ћ\004ќ\004ѝ\004ў\002џ\002а\002б\002в\002г\002д\002е\002ж\002з\002и\004й\002к\002л\002м\002н\002о\002п\002р\002с\002т\002у\002ф\002х\002ц\002ч\002ш\002щ\002ъ\002ы\002ь\002э\002ю\002я\002ѡ\002ѣ\002ѥ\002ѧ\002ѩ\002ѫ\002ѭ\002ѯ\002ѱ\002ѳ\002ѵ\004ѷ\002ѹ\002ѻ\002ѽ\002ѿ\002ҁ\002ґ\002ғ\002ҕ\002җ\002ҙ\002қ\002ҝ\002ҟ\002ҡ\002ң\002ҥ\002ҧ\002ҩ\002ҫ\002ҭ\002ү\002ұ\002ҳ\002ҵ\002ҷ\002ҹ\002һ\002ҽ\002ҿ\004ӂ\002ӄ\002ӈ\002ӌ\004ӑ\004ӓ\002ӕ\004ӗ\002ә\004ӛ\004ӝ\004ӟ\002ӡ\004ӣ\004ӥ\004ӧ\002ө\004ӫ\004ӭ\004ӯ\004ӱ\004ӳ\004ӵ\004ӹ\002ա\002բ\002գ\002դ\002ե\002զ\002է\002ը\002թ\002ժ\002ի\002լ\002խ\002ծ\002կ\002հ\002ձ\002ղ\002ճ\002մ\002յ\002ն\002շ\002ո\002չ\002պ\002ջ\002ռ\002ս\002վ\002տ\002ր\002ց\002ւ\002փ\002ք\002օ\002ֆ\004آ\004أ\004ؤ\004إ\004ئ\004ۀ\004ۂ\004ۓ\006ऩ\006ऱ\006ऴ\006क़\006ख़\006ग़\006ज़\006ड़\006ढ़\006फ़\006य़\006ো\006ৌ\006ড়\006ঢ়\006য়\006ਲ਼\006ਸ਼\006ਖ਼\006ਗ਼\006ਜ਼\006ਫ਼\006ୈ\006ୋ\006ୌ\006ଡ଼\006ଢ଼\006ஔ\006ொ\006ோ\006ௌ\006ై\006ೀ\006ೇ\006ೈ\006ೊ\009ೋ\006ൊ\006ോ\006ൌ\006ේ\006ො\009ෝ\006ෞ\006གྷ\006ཌྷ\006དྷ\006བྷ\006ཛྷ\006ཀྵ\006ཱི\006ཱུ\006ྲྀ\006ླྀ\006ཱྀ\006ྒྷ\006ྜྷ\006ྡྷ\006ྦྷ\006ྫྷ\006ྐྵ\006ဦ\003ა\003ბ\003გ\003დ\003ე\003ვ\003ზ\003თ\003ი\003კ\003ლ\003მ\003ნ\003ო\003პ\003ჟ\003რ\003ს\003ტ\003უ\003ფ\003ქ\003ღ\003ყ\003შ\003ჩ\003ც\003ძ\003წ\003ჭ\003ხ\003ჯ\003ჰ\003ჱ\003ჲ\003ჳ\003ჴ\003ჵ\003ḁ\003ḃ\003ḅ\003ḇ\005ḉ\003ḋ\003ḍ\003ḏ\003ḑ\003ḓ\005ḕ\005ḗ\003ḙ\003ḛ\005ḝ\003ḟ\003ḡ\003ḣ\003ḥ\003ḧ\003ḩ\003ḫ\003ḭ\005ḯ\003ḱ\003ḳ\003ḵ\003ḷ\005ḹ\003ḻ\003ḽ\003ḿ\003ṁ\003ṃ\003ṅ\003ṇ\003ṉ\003ṋ\005ṍ\005ṏ\005ṑ\005ṓ\003ṕ\003ṗ\003ṙ\003ṛ\005ṝ\003ṟ\003ṡ\003ṣ\005ṥ\005ṧ\005ṩ\003ṫ\003ṭ\003ṯ\003ṱ\003ṳ\003ṵ\003ṷ\005ṹ\005ṻ\003ṽ\003ṿ\003ẁ\003ẃ\003ẅ\003ẇ\003ẉ\003ẋ\003ẍ\003ẏ\003ẑ\003ẓ\003ẕ\003ẖ\003ẗ\003ẘ\003ẙ\004ẛ\003ạ\003ả\005ấ\005ầ\005ẩ\005ẫ\005ậ\005ắ\005ằ\005ẳ\005ẵ\005ặ\003ẹ\003ẻ\003ẽ\005ế\005ề\005ể\005ễ\005ệ\003ỉ\003ị\003ọ\003ỏ\005ố\005ồ\005ổ\005ỗ\005ộ\005ớ\005ờ\005ở\005ỡ\005ợ\003ụ\003ủ\005ứ\005ừ\005ử\005ữ\005ự\003ỳ\003ỵ\003ỷ\003ỹ\004ἀ\004ἁ\006ἂ\006ἃ\006ἄ\006ἅ\006ἆ\006ἇ\004ἐ\004ἑ\006ἒ\006ἓ\006ἔ\006ἕ\004ἠ\004ἡ\006ἢ\006ἣ\006ἤ\006ἥ\006ἦ\006ἧ\004ἰ\004ἱ\006ἲ\006ἳ\006ἴ\006ἵ\006ἶ\006ἷ\004ὀ\004ὁ\006ὂ\006ὃ\006ὄ\006ὅ\004ὐ\004ὑ\006ὒ\006ὓ\006ὔ\006ὕ\006ὖ\006ὗ\004ὠ\004ὡ\006ὢ\006ὣ\006ὤ\006ὥ\006ὦ\006ὧ\004ὰ\004ὲ\004ὴ\004ὶ\004ὸ\004ὺ\004ὼ\006ᾀ\006ᾁ\008ᾂ\008ᾃ\008ᾄ\008ᾅ\008ᾆ\008ᾇ\006ᾐ\006ᾑ\008ᾒ\008ᾓ\008ᾔ\008ᾕ\008ᾖ\008ᾗ\006ᾠ\006ᾡ\008ᾢ\008ᾣ\008ᾤ\008ᾥ\008ᾦ\008ᾧ\004ᾰ\004ᾱ\006ᾲ\004ᾳ\006ᾴ\004ᾶ\006ᾷ\004῁\006ῂ\004ῃ\006ῄ\004ῆ\006ῇ\005῍\005῎\005῏\004ῐ\004ῑ\006ῒ\004ῖ\006ῗ\005῝\005῞\005῟\004ῠ\004ῡ\006ῢ\004ῤ\004ῥ\004ῦ\006ῧ\004῭\001`\006ῲ\004ῳ\006ῴ\004ῶ\006ῷ\002´\000\003ⅰ\003ⅱ\003ⅲ\003ⅳ\003ⅴ\003ⅵ\003ⅶ\003ⅷ\003ⅸ\003ⅹ\003ⅺ\003ⅻ\003ⅼ\003ⅽ\003ⅾ\003ⅿ\003ⓐ\003ⓑ\003ⓒ\003ⓓ\003ⓔ\003ⓕ\003ⓖ\003ⓗ\003ⓘ\003ⓙ\003ⓚ\003ⓛ\003ⓜ\003ⓝ\003ⓞ\003ⓟ\003ⓠ\003ⓡ\003ⓢ\003ⓣ\003ⓤ\003ⓥ\003ⓦ\003ⓧ\003ⓨ\003ⓩ\006が\006ぎ\006ぐ\006げ\006ご\006ざ\006じ\006ず\006ぜ\006ぞ\006だ\006ぢ\006づ\006で\006ど\006ば\006ぱ\006び\006ぴ\006ぶ\006ぷ\006べ\006ぺ\006ぼ\006ぽ\006ゔ\006ゞ\006ガ\006ギ\006グ\006ゲ\006ゴ\006ザ\006ジ\006ズ\006ゼ\006ゾ\006ダ\006ヂ\006ヅ\006デ\006ド\006バ\006パ\006ビ\006ピ\006ブ\006プ\006ベ\006ペ\006ボ\006ポ\006ヴ\006ヷ\006ヸ\006ヹ\006ヺ\006ヾ\001\001\001\001\001\001\001\001\001 \001 \001 \001 \001 \001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\"\001*\001:\001<\001>\001?\001\\\001|\001 \001.\004יִ\004ײַ\004שׁ\004שׂ\006שּׁ\006שּׂ\004אַ\004אָ\004אּ\004בּ\004גּ\004דּ\004הּ\004וּ\004זּ\004טּ\004יּ\004ךּ\004כּ\004לּ\004מּ\004נּ\004סּ\004ףּ\004פּ\004צּ\004קּ\004רּ\004שּ\004תּ\004וֹ\004בֿ\004כֿ\004פֿ\003a\003b\003c\003d\003e\003f\003g\003h\003i\003j\003k\003l\003m\003n\003o\003p\003q\003r\003s\003t\003u\003v\003w\003x\003y\003z" let norm_prim = "\000\000\000\002\003\004\005\006\007\000\000\000\000\008\009\010\011\012\013\014\015\016\000\000\017\000\000\018\000\000\000\000\000\000\000\000\019\020\000\021\022\023\000\000\000\024\025\026\000\027\000\028\000\029\000\030\000\000\000\000\000\031\032\000\033\000\034\035\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\036\037\038\039\040\041\042\043\044\045\000\000\000\046\000\000\000\000\000\000\000\000\000\000\000\000\047\048\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\049\050\051\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\052\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\053\054\000\000\000\000\000\000\000\000\000\000\000\000\000\055\056\000\000\000" let norm_second_high = "\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\002\002\002\002\002\002\002\002\002\002\002\002\002\002\002\002\002\002\002\002\002\002\002\000\002\002\002\002\002\002\002\000\002\002\002\002\002\002\000\002\002\002\002\002\002\002\002\002\000\002\002\002\002\002\002\000\000\002\002\002\002\002\000\002\002\002\002\002\002\002\002\002\002\002\002\002\002\002\002\002\002\000\002\002\002\002\002\002\002\002\002\002\002\002\002\002\002\002\002\002\002\002\002\000\002\002\002\002\002\002\002\002\002\000\002\000\002\002\002\002\000\002\002\002\002\002\002\002\000\002\000\002\002\002\002\002\002\000\003\000\003\003\003\003\003\003\003\000\003\003\003\003\003\003\003\003\003\003\003\003\003\003\003\003\003\003\003\000\003\003\003\003\003\003\003\003\003\003\003\003\003\003\003\003\002\003\003\003\003\003\003\000\000\003\003\000\003\000\003\003\000\003\003\003\000\000\003\003\003\003\000\003\003\000\003\003\003\000\000\000\003\003\000\003\003\003\003\000\003\000\000\003\000\003\000\000\003\000\003\003\003\003\003\003\000\003\000\003\003\000\000\000\003\000\000\000\000\000\000\000\003\003\000\003\003\000\003\003\000\003\003\003\003\003\003\003\003\003\003\003\003\003\003\003\003\000\004\004\004\004\004\004\004\000\004\004\004\004\004\004\004\004\004\004\004\004\004\000\004\004\000\000\004\004\004\004\004\004\004\004\004\004\004\004\004\004\004\004\004\004\004\004\004\004\004\004\004\004\004\004\004\004\004\004\004\004\004\004\000\000\004\004\000\000\000\000\000\000\004\004\004\004\004\004\004\004\004\004\004\004\004\004\000\000\000\000\000\000\000\000\000\000\000\000\004\004\000\004\004\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\004\000\000\000\000\000\000\000\000\000\004\000\000\000\000\000\000\004\004\004\004\004\004\000\004\000\004\004\004\004\004\004\004\004\005\005\005\005\005\005\005\005\005\005\005\005\000\005\005\005\005\005\005\005\005\005\004\004\004\004\005\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\005\000\000\000\000\000\000\000\005\005\004\004\004\000\000\000\000\005\005\000\000\000\000\000\000\000\000\000\000\000\000\000\005\000\005\000\005\000\005\000\005\000\005\000\005\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\005\005\005\005\005\005\005\005\005\005\005\005\005\005\005\005\005\005\005\005\005\005\005\005\005\005\005\005\005\005\005\005\005\005\005\005\005\005\005\005\005\005\005\005\005\006\006\006\000\000\000\000\000\000\000\000\000\005\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\005\005\000\005\000\000\000\005\000\000\000\000\005\005\005\000\006\000\006\000\006\000\006\000\006\000\006\000\006\000\006\000\006\000\006\000\006\000\006\006\006\000\006\000\006\000\006\000\006\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\006\000\006\000\006\000\006\000\006\000\006\000\006\000\006\000\006\000\006\000\006\000\006\000\006\000\006\000\006\000\006\000\006\000\006\000\006\000\006\000\006\000\006\000\006\000\006\000\000\006\006\006\000\000\000\006\000\000\000\006\000\000\000\000\006\006\006\006\006\000\006\006\006\000\006\006\006\006\006\006\006\000\006\006\006\006\006\006\006\000\006\006\006\006\006\006\006\006\006\006\006\006\000\000\006\006\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\006\006\006\006\006\006\007\007\007\007\007\007\007\007\007\007\007\007\007\007\007\007\007\007\007\007\007\007\007\007\007\007\007\007\007\007\007\007\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\007\007\007\007\007\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\007\000\007\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\007\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\007\000\000\000\000\000\000\000\007\000\000\007\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\007\007\007\007\007\007\007\007\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\007\007\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\007\007\000\007\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\007\000\000\008\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\008\008\008\000\000\008\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\008\000\000\008\008\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\008\008\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\008\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\008\008\008\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\008\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\008\000\000\000\000\000\000\008\008\000\008\008\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\008\008\008\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\008\000\008\008\008\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\008\000\000\000\000\000\000\000\000\000\008\000\000\000\000\008\000\000\000\000\008\000\000\000\000\008\000\000\000\000\000\000\000\000\000\000\000\000\008\000\000\000\000\000\000\000\000\000\008\000\008\008\000\009\000\000\000\000\000\000\000\000\009\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\009\000\000\000\000\000\000\000\000\000\009\000\000\000\000\009\000\000\000\000\009\000\000\000\000\009\000\000\000\000\000\000\000\000\000\000\000\000\009\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\009\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\009\009\009\009\009\009\009\009\009\009\009\009\009\009\009\009\009\009\009\009\009\009\009\009\009\009\009\009\009\009\009\009\009\009\009\009\009\009\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\009\009\009\009\009\009\009\009\009\009\009\009\009\009\009\009\009\009\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\000\011\000\000\000\000\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\012\012\012\012\012\012\012\012\012\012\012\012\012\012\012\012\000\000\000\000\000\000\012\012\012\012\012\012\012\012\012\012\012\012\012\012\012\012\012\012\012\012\012\012\000\000\012\012\012\012\012\012\000\000\012\012\012\012\012\012\012\012\012\012\012\012\012\012\012\012\012\012\012\012\012\012\012\012\012\012\012\012\012\012\012\012\012\012\012\012\013\013\000\000\012\012\012\012\013\013\000\000\013\013\013\013\013\013\013\013\000\013\000\013\000\013\000\013\013\013\013\013\013\013\013\013\013\013\013\013\013\013\013\013\013\004\013\004\013\004\013\004\013\004\013\004\013\004\000\000\013\013\013\013\013\013\013\013\013\013\013\013\013\013\013\013\013\013\013\013\014\014\014\014\013\013\013\013\014\014\014\014\014\014\014\014\014\014\014\014\014\014\014\014\014\014\014\014\014\014\014\014\014\000\014\014\014\014\013\004\014\000\005\000\000\014\014\014\014\000\014\014\013\004\013\004\014\014\014\014\014\014\014\004\000\000\014\014\014\014\013\004\000\014\014\014\014\014\015\005\015\015\015\015\014\014\013\004\015\015\004\015\000\000\015\015\015\000\015\015\013\004\013\004\015\015\000\000\000\000\000\000\000\000\000\000\000\000\000\000\015\015\015\015\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\015\015\015\015\015\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\015\015\015\015\015\015\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\015\015\015\015\015\015\015\015\015\015\015\015\015\015\015\015\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\015\015\015\015\015\015\015\015\015\015\015\015\015\015\015\015\015\015\015\015\015\015\015\015\015\015\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\015\000\015\000\015\000\016\000\016\000\016\000\016\000\016\000\016\000\016\000\016\000\016\000\000\016\000\016\000\016\000\000\000\000\000\000\016\016\000\016\016\000\016\016\000\016\016\000\016\016\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\016\000\000\000\000\000\000\000\000\000\016\000\000\000\000\000\000\000\000\000\000\000\000\000\016\000\016\000\016\000\016\000\016\000\016\000\016\000\016\000\016\000\016\000\016\000\016\000\000\017\000\017\000\017\000\000\000\000\000\000\017\017\000\017\017\000\017\017\000\017\017\000\017\017\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\017\000\000\017\017\017\017\000\000\000\017\000\000\017\017\017\017\017\017\017\017\017\017\017\017\017\017\017\017\017\017\017\017\017\017\017\017\017\017\017\017\017\017\017\017\017\017\017\017\017\017\017\017\017\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\017\000\017\000\000\000\000\000\000\000\000\000\000\017\017\017\017\017\018\018\018\018\018\018\018\018\000\018\018\018\018\018\000\018\000\018\018\000\018\018\000\018\018\018\018\018\018\018\018\018\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\015\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\018\018\018\018\018\018\018\018\018\018\018\018\018\018\018\018\018\018\018\018\018\018\018\018\018\018\000\000\000\000\000" let norm_second_low = "\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\004\008\012\016\020\024\027\031\035\039\043\047\051\055\059\063\066\070\074\078\082\086\000\090\093\097\101\105\109\113\000\000\004\008\012\016\020\000\027\031\035\039\043\047\051\055\059\000\066\070\074\078\082\086\000\000\093\097\101\105\109\000\116\120\120\124\124\128\128\132\132\136\136\140\140\144\144\148\148\152\000\155\155\159\159\163\163\167\167\171\171\175\175\179\179\183\183\187\187\191\191\195\000\198\198\202\202\206\206\210\210\214\000\218\000\221\221\225\225\000\229\229\233\233\237\237\241\000\244\000\247\247\251\251\255\255\000\003\000\006\006\010\010\014\014\018\000\021\021\025\025\029\029\033\033\037\037\041\041\045\045\049\049\053\053\057\000\060\060\064\064\068\068\072\072\076\076\080\080\084\084\088\088\116\092\092\096\096\100\100\000\000\104\107\000\110\000\113\116\000\119\122\125\000\000\128\131\134\137\000\140\143\000\146\149\152\000\000\000\155\158\000\161\164\164\168\000\171\000\000\174\000\177\000\000\180\000\183\186\186\190\193\196\000\199\000\202\205\000\000\000\208\000\000\000\000\000\000\000\211\211\000\214\214\000\217\217\000\220\220\224\224\228\228\232\232\236\236\242\242\248\248\254\254\000\004\004\010\010\016\016\021\000\024\024\028\028\032\032\036\036\042\042\047\051\051\000\054\054\000\000\058\058\062\062\068\068\073\073\078\078\082\082\086\086\090\090\094\094\098\098\102\102\106\106\110\110\114\114\118\118\122\122\126\126\130\130\000\000\134\134\000\000\000\000\000\000\138\138\142\142\146\146\152\152\158\158\162\162\168\168\000\000\000\000\000\000\000\000\000\000\000\000\172\175\000\178\181\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\186\000\000\000\000\000\000\000\000\000\189\000\000\000\000\000\000\191\196\201\204\209\214\000\219\000\224\229\234\241\244\247\250\253\000\003\006\009\012\015\018\021\024\027\030\033\000\036\039\042\045\048\051\054\057\062\196\204\209\214\067\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\036\000\000\000\000\000\000\000\057\062\219\224\229\000\000\000\000\074\079\000\000\000\000\000\000\000\000\000\000\000\000\000\084\000\087\000\090\000\093\000\096\000\099\000\102\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\105\110\115\118\123\126\129\132\137\140\143\146\149\154\159\164\167\170\173\176\179\182\185\188\191\194\199\202\205\208\211\214\217\220\223\226\229\232\235\238\241\244\247\250\253\000\003\006\000\000\000\000\000\000\000\000\000\194\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\105\110\000\118\000\000\000\132\000\000\000\000\149\154\159\000\009\000\012\000\015\000\018\000\021\000\024\000\027\000\030\000\033\000\036\000\039\000\042\042\047\000\050\000\053\000\056\000\059\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\062\000\065\000\068\000\071\000\074\000\077\000\080\000\083\000\086\000\089\000\092\000\095\000\098\000\101\000\104\000\107\000\110\000\113\000\116\000\119\000\122\000\125\000\128\000\131\000\000\134\134\139\000\000\000\142\000\000\000\145\000\000\000\000\148\148\153\153\158\000\161\161\166\000\169\169\174\174\179\179\184\000\187\187\192\192\197\197\202\000\205\205\210\210\215\215\220\220\225\225\230\230\000\000\235\235\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\240\243\246\249\252\255\002\005\008\011\014\017\020\023\026\029\032\035\038\041\044\047\050\053\056\059\062\065\068\071\074\077\080\083\086\089\092\095\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\098\103\108\113\118\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\123\000\128\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\133\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\138\000\000\000\000\000\000\000\145\000\000\152\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\159\166\173\180\187\194\201\208\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\215\222\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\229\236\000\243\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\250\000\000\001\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\008\015\022\000\000\029\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\036\000\000\043\050\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\057\064\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\071\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\078\085\092\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\099\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\106\000\000\000\000\000\000\113\120\000\127\134\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\144\151\158\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\165\000\172\179\189\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\196\000\000\000\000\000\000\000\000\000\203\000\000\000\000\210\000\000\000\000\217\000\000\000\000\224\000\000\000\000\000\000\000\000\000\000\000\000\231\000\000\000\000\000\000\000\000\000\238\000\245\252\000\003\000\000\000\000\000\000\000\000\010\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\017\000\000\000\000\000\000\000\000\000\024\000\000\000\000\031\000\000\000\000\038\000\000\000\000\045\000\000\000\000\000\000\000\000\000\000\000\000\052\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\059\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\066\070\074\078\082\086\090\094\098\102\106\110\114\118\122\126\130\134\138\142\146\150\154\158\162\166\170\174\178\182\186\190\194\198\202\206\210\214\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\218\218\222\222\226\226\230\230\234\234\240\240\244\244\248\248\252\252\000\000\004\004\010\010\016\016\020\020\024\024\030\030\034\034\038\038\042\042\046\046\050\050\054\054\058\058\062\062\068\068\072\072\076\076\080\080\084\084\090\090\094\094\098\098\102\102\106\106\110\110\114\114\118\118\122\122\126\126\132\132\138\138\144\144\150\150\154\154\158\158\162\162\166\166\172\172\176\176\180\180\184\184\190\190\196\196\202\202\206\206\210\210\214\214\218\218\222\222\226\226\230\230\236\236\242\242\246\246\250\250\254\254\002\002\006\006\010\010\014\014\018\018\022\022\026\026\030\030\034\034\038\042\046\050\000\054\000\000\000\000\059\059\063\063\067\067\073\073\079\079\085\085\091\091\097\097\103\103\109\109\115\115\121\121\127\127\131\131\135\135\139\139\145\145\151\151\157\157\163\163\169\169\173\173\177\177\181\181\185\185\191\191\197\197\203\203\209\209\215\215\221\221\227\227\233\233\239\239\245\245\249\249\253\253\003\003\009\009\015\015\021\021\027\027\031\031\035\035\039\039\000\000\000\000\000\000\043\048\053\060\067\074\081\088\043\048\053\060\067\074\081\088\095\100\105\112\119\126\000\000\095\100\105\112\119\126\000\000\133\138\143\150\157\164\171\178\133\138\143\150\157\164\171\178\185\190\195\202\209\216\223\230\185\190\195\202\209\216\223\230\237\242\247\254\005\012\000\000\237\242\247\254\005\012\000\000\019\024\029\036\043\050\057\064\000\024\000\036\000\050\000\064\071\076\081\088\095\102\109\116\071\076\081\088\095\102\109\116\123\196\128\204\133\209\138\214\143\219\148\224\153\229\000\000\158\165\172\181\190\199\208\217\158\165\172\181\190\199\208\217\226\233\240\249\002\011\020\029\226\233\240\249\002\011\020\029\038\045\052\061\070\079\088\097\038\045\052\061\070\079\088\097\106\111\116\123\128\000\135\140\106\111\123\196\123\000\009\000\000\147\152\159\164\000\171\176\128\204\133\209\159\183\189\195\201\206\211\234\000\000\218\223\201\206\138\214\000\230\236\242\248\253\002\067\009\014\019\024\248\253\148\224\014\031\191\036\000\000\038\045\050\000\057\062\143\219\153\229\045\069\000\000\000\000\000\000\000\000\000\000\000\000\000\000\072\072\072\072\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\072\072\072\072\072\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\072\072\072\072\072\072\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\073\077\081\085\089\093\097\101\105\109\113\117\121\125\129\133\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\137\141\145\149\153\157\161\165\169\173\177\181\185\189\193\197\201\205\209\213\217\221\225\229\233\237\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\241\000\248\000\255\000\006\000\013\000\020\000\027\000\034\000\041\000\048\000\055\000\062\000\000\069\000\076\000\083\000\000\000\000\000\000\090\097\000\104\111\000\118\125\000\132\139\000\146\153\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\160\000\000\000\000\000\000\000\000\000\167\000\000\000\000\000\000\000\000\000\000\000\000\000\174\000\181\000\188\000\195\000\202\000\209\000\216\000\223\000\230\000\237\000\244\000\251\000\000\002\000\009\000\016\000\000\000\000\000\000\023\030\000\037\044\000\051\058\000\065\072\000\079\086\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\093\000\000\100\107\114\121\000\000\000\128\000\000\135\137\139\141\143\145\147\149\151\153\155\157\159\161\163\165\167\169\171\173\175\177\179\181\183\185\187\189\191\193\195\197\199\201\203\205\207\209\211\213\215\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\217\000\222\000\000\000\000\000\000\000\000\000\000\227\232\237\244\251\000\005\010\015\020\025\030\035\000\040\045\050\055\060\000\065\000\070\075\000\080\085\000\090\095\100\105\110\115\120\125\130\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\072\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\135\139\143\147\151\155\159\163\167\171\175\179\183\187\191\195\199\203\207\211\215\219\223\227\231\235\000\000\000\000\000" let decomp_ascii = "\000\001\002\003\004\005\006\007\b\t\n\011\012\r\014\015\016\017\018\019\020\021\022\023\024\025\026\027\028\029\030\031 !\"#$%&'()*+,-./0123456789:;<=>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ[\\]^_`abcdefghijklmnopqrstuvwxyz{|}~\127" let decomp_repl = "\003À\003Á\003Â\003Ã\003Ä\003Å\003Ç\003È\003É\003Ê\003Ë\003Ì\003Í\003Î\003Ï\003Ñ\003Ò\003Ó\003Ô\003Õ\003Ö\003Ù\003Ú\003Û\003Ü\003Ý\003à\003á\003â\003ã\003ä\003å\003ç\003è\003é\003ê\003ë\003ì\003í\003î\003ï\003ñ\003ò\003ó\003ô\003õ\003ö\003ù\003ú\003û\003ü\003ý\003ÿ\003Ā\003ā\003Ă\003ă\003Ą\003ą\003Ć\003ć\003Ĉ\003ĉ\003Ċ\003ċ\003Č\003č\003Ď\003ď\003Ē\003ē\003Ĕ\003ĕ\003Ė\003ė\003Ę\003ę\003Ě\003ě\003Ĝ\003ĝ\003Ğ\003ğ\003Ġ\003ġ\003Ģ\003ģ\003Ĥ\003ĥ\003Ĩ\003ĩ\003Ī\003ī\003Ĭ\003ĭ\003Į\003į\003İ\003Ĵ\003ĵ\003Ķ\003ķ\003Ĺ\003ĺ\003Ļ\003ļ\003Ľ\003ľ\003Ń\003ń\003Ņ\003ņ\003Ň\003ň\003Ō\003ō\003Ŏ\003ŏ\003Ő\003ő\003Ŕ\003ŕ\003Ŗ\003ŗ\003Ř\003ř\003Ś\003ś\003Ŝ\003ŝ\003Ş\003ş\003Š\003š\003Ţ\003ţ\003Ť\003ť\003Ũ\003ũ\003Ū\003ū\003Ŭ\003ŭ\003Ů\003ů\003Ű\003ű\003Ų\003ų\003Ŵ\003ŵ\003Ŷ\003ŷ\003Ÿ\003Ź\003ź\003Ż\003ż\003Ž\003ž\003Ơ\003ơ\003Ư\003ư\003Ǎ\003ǎ\003Ǐ\003ǐ\003Ǒ\003ǒ\003Ǔ\003ǔ\005Ǖ\005ǖ\005Ǘ\005ǘ\005Ǚ\005ǚ\005Ǜ\005ǜ\005Ǟ\005ǟ\005Ǡ\005ǡ\004Ǣ\004ǣ\003Ǧ\003ǧ\003Ǩ\003ǩ\003Ǫ\003ǫ\005Ǭ\005ǭ\004Ǯ\004ǯ\003ǰ\003Ǵ\003ǵ\003Ǹ\003ǹ\005Ǻ\005ǻ\004Ǽ\004ǽ\004Ǿ\004ǿ\003Ȁ\003ȁ\003Ȃ\003ȃ\003Ȅ\003ȅ\003Ȇ\003ȇ\003Ȉ\003ȉ\003Ȋ\003ȋ\003Ȍ\003ȍ\003Ȏ\003ȏ\003Ȑ\003ȑ\003Ȓ\003ȓ\003Ȕ\003ȕ\003Ȗ\003ȗ\003Ș\003ș\003Ț\003ț\003Ȟ\003ȟ\003Ȧ\003ȧ\003Ȩ\003ȩ\005Ȫ\005ȫ\005Ȭ\005ȭ\003Ȯ\003ȯ\005Ȱ\005ȱ\003Ȳ\003ȳ\002̀\002́\002̓\004̈́\002ʹ\001;\004΅\004Ά\002·\004Έ\004Ή\004Ί\004Ό\004Ύ\004Ώ\006ΐ\004Ϊ\004Ϋ\004ά\004έ\004ή\004ί\006ΰ\004ϊ\004ϋ\004ό\004ύ\004ώ\004ϓ\004ϔ\004Ѐ\004Ё\004Ѓ\004Ї\004Ќ\004Ѝ\004Ў\004Й\004й\004ѐ\004ё\004ѓ\004ї\004ќ\004ѝ\004ў\004Ѷ\004ѷ\004Ӂ\004ӂ\004Ӑ\004ӑ\004Ӓ\004ӓ\004Ӗ\004ӗ\004Ӛ\004ӛ\004Ӝ\004ӝ\004Ӟ\004ӟ\004Ӣ\004ӣ\004Ӥ\004ӥ\004Ӧ\004ӧ\004Ӫ\004ӫ\004Ӭ\004ӭ\004Ӯ\004ӯ\004Ӱ\004ӱ\004Ӳ\004ӳ\004Ӵ\004ӵ\004Ӹ\004ӹ\004آ\004أ\004ؤ\004إ\004ئ\004ۀ\004ۂ\004ۓ\006ऩ\006ऱ\006ऴ\006क़\006ख़\006ग़\006ज़\006ड़\006ढ़\006फ़\006य़\006ো\006ৌ\006ড়\006ঢ়\006য়\006ਲ਼\006ਸ਼\006ਖ਼\006ਗ਼\006ਜ਼\006ਫ਼\006ୈ\006ୋ\006ୌ\006ଡ଼\006ଢ଼\006ஔ\006ொ\006ோ\006ௌ\006ై\006ೀ\006ೇ\006ೈ\006ೊ\009ೋ\006ൊ\006ോ\006ൌ\006ේ\006ො\009ෝ\006ෞ\006གྷ\006ཌྷ\006དྷ\006བྷ\006ཛྷ\006ཀྵ\006ཱི\006ཱུ\006ྲྀ\006ླྀ\006ཱྀ\006ྒྷ\006ྜྷ\006ྡྷ\006ྦྷ\006ྫྷ\006ྐྵ\006ဦ\003Ḁ\003ḁ\003Ḃ\003ḃ\003Ḅ\003ḅ\003Ḇ\003ḇ\005Ḉ\005ḉ\003Ḋ\003ḋ\003Ḍ\003ḍ\003Ḏ\003ḏ\003Ḑ\003ḑ\003Ḓ\003ḓ\005Ḕ\005ḕ\005Ḗ\005ḗ\003Ḙ\003ḙ\003Ḛ\003ḛ\005Ḝ\005ḝ\003Ḟ\003ḟ\003Ḡ\003ḡ\003Ḣ\003ḣ\003Ḥ\003ḥ\003Ḧ\003ḧ\003Ḩ\003ḩ\003Ḫ\003ḫ\003Ḭ\003ḭ\005Ḯ\005ḯ\003Ḱ\003ḱ\003Ḳ\003ḳ\003Ḵ\003ḵ\003Ḷ\003ḷ\005Ḹ\005ḹ\003Ḻ\003ḻ\003Ḽ\003ḽ\003Ḿ\003ḿ\003Ṁ\003ṁ\003Ṃ\003ṃ\003Ṅ\003ṅ\003Ṇ\003ṇ\003Ṉ\003ṉ\003Ṋ\003ṋ\005Ṍ\005ṍ\005Ṏ\005ṏ\005Ṑ\005ṑ\005Ṓ\005ṓ\003Ṕ\003ṕ\003Ṗ\003ṗ\003Ṙ\003ṙ\003Ṛ\003ṛ\005Ṝ\005ṝ\003Ṟ\003ṟ\003Ṡ\003ṡ\003Ṣ\003ṣ\005Ṥ\005ṥ\005Ṧ\005ṧ\005Ṩ\005ṩ\003Ṫ\003ṫ\003Ṭ\003ṭ\003Ṯ\003ṯ\003Ṱ\003ṱ\003Ṳ\003ṳ\003Ṵ\003ṵ\003Ṷ\003ṷ\005Ṹ\005ṹ\005Ṻ\005ṻ\003Ṽ\003ṽ\003Ṿ\003ṿ\003Ẁ\003ẁ\003Ẃ\003ẃ\003Ẅ\003ẅ\003Ẇ\003ẇ\003Ẉ\003ẉ\003Ẋ\003ẋ\003Ẍ\003ẍ\003Ẏ\003ẏ\003Ẑ\003ẑ\003Ẓ\003ẓ\003Ẕ\003ẕ\003ẖ\003ẗ\003ẘ\003ẙ\004ẛ\003Ạ\003ạ\003Ả\003ả\005Ấ\005ấ\005Ầ\005ầ\005Ẩ\005ẩ\005Ẫ\005ẫ\005Ậ\005ậ\005Ắ\005ắ\005Ằ\005ằ\005Ẳ\005ẳ\005Ẵ\005ẵ\005Ặ\005ặ\003Ẹ\003ẹ\003Ẻ\003ẻ\003Ẽ\003ẽ\005Ế\005ế\005Ề\005ề\005Ể\005ể\005Ễ\005ễ\005Ệ\005ệ\003Ỉ\003ỉ\003Ị\003ị\003Ọ\003ọ\003Ỏ\003ỏ\005Ố\005ố\005Ồ\005ồ\005Ổ\005ổ\005Ỗ\005ỗ\005Ộ\005ộ\005Ớ\005ớ\005Ờ\005ờ\005Ở\005ở\005Ỡ\005ỡ\005Ợ\005ợ\003Ụ\003ụ\003Ủ\003ủ\005Ứ\005ứ\005Ừ\005ừ\005Ử\005ử\005Ữ\005ữ\005Ự\005ự\003Ỳ\003ỳ\003Ỵ\003ỵ\003Ỷ\003ỷ\003Ỹ\003ỹ\004ἀ\004ἁ\006ἂ\006ἃ\006ἄ\006ἅ\006ἆ\006ἇ\004Ἀ\004Ἁ\006Ἂ\006Ἃ\006Ἄ\006Ἅ\006Ἆ\006Ἇ\004ἐ\004ἑ\006ἒ\006ἓ\006ἔ\006ἕ\004Ἐ\004Ἑ\006Ἒ\006Ἓ\006Ἔ\006Ἕ\004ἠ\004ἡ\006ἢ\006ἣ\006ἤ\006ἥ\006ἦ\006ἧ\004Ἠ\004Ἡ\006Ἢ\006Ἣ\006Ἤ\006Ἥ\006Ἦ\006Ἧ\004ἰ\004ἱ\006ἲ\006ἳ\006ἴ\006ἵ\006ἶ\006ἷ\004Ἰ\004Ἱ\006Ἲ\006Ἳ\006Ἴ\006Ἵ\006Ἶ\006Ἷ\004ὀ\004ὁ\006ὂ\006ὃ\006ὄ\006ὅ\004Ὀ\004Ὁ\006Ὂ\006Ὃ\006Ὄ\006Ὅ\004ὐ\004ὑ\006ὒ\006ὓ\006ὔ\006ὕ\006ὖ\006ὗ\004Ὑ\006Ὓ\006Ὕ\006Ὗ\004ὠ\004ὡ\006ὢ\006ὣ\006ὤ\006ὥ\006ὦ\006ὧ\004Ὠ\004Ὡ\006Ὢ\006Ὣ\006Ὤ\006Ὥ\006Ὦ\006Ὧ\004ὰ\004ὲ\004ὴ\004ὶ\004ὸ\004ὺ\004ὼ\006ᾀ\006ᾁ\008ᾂ\008ᾃ\008ᾄ\008ᾅ\008ᾆ\008ᾇ\006ᾈ\006ᾉ\008ᾊ\008ᾋ\008ᾌ\008ᾍ\008ᾎ\008ᾏ\006ᾐ\006ᾑ\008ᾒ\008ᾓ\008ᾔ\008ᾕ\008ᾖ\008ᾗ\006ᾘ\006ᾙ\008ᾚ\008ᾛ\008ᾜ\008ᾝ\008ᾞ\008ᾟ\006ᾠ\006ᾡ\008ᾢ\008ᾣ\008ᾤ\008ᾥ\008ᾦ\008ᾧ\006ᾨ\006ᾩ\008ᾪ\008ᾫ\008ᾬ\008ᾭ\008ᾮ\008ᾯ\004ᾰ\004ᾱ\006ᾲ\004ᾳ\006ᾴ\004ᾶ\006ᾷ\004Ᾰ\004Ᾱ\004Ὰ\004ᾼ\002ι\004῁\006ῂ\004ῃ\006ῄ\004ῆ\006ῇ\004Ὲ\004Ὴ\004ῌ\005῍\005῎\005῏\004ῐ\004ῑ\006ῒ\004ῖ\006ῗ\004Ῐ\004Ῑ\004Ὶ\005῝\005῞\005῟\004ῠ\004ῡ\006ῢ\004ῤ\004ῥ\004ῦ\006ῧ\004Ῠ\004Ῡ\004Ὺ\004Ῥ\004῭\001`\006ῲ\004ῳ\006ῴ\004ῶ\006ῷ\004Ὸ\004Ὼ\004ῼ\002´\006が\006ぎ\006ぐ\006げ\006ご\006ざ\006じ\006ず\006ぜ\006ぞ\006だ\006ぢ\006づ\006で\006ど\006ば\006ぱ\006び\006ぴ\006ぶ\006ぷ\006べ\006ぺ\006ぼ\006ぽ\006ゔ\006ゞ\006ガ\006ギ\006グ\006ゲ\006ゴ\006ザ\006ジ\006ズ\006ゼ\006ゾ\006ダ\006ヂ\006ヅ\006デ\006ド\006バ\006パ\006ビ\006ピ\006ブ\006プ\006ベ\006ペ\006ボ\006ポ\006ヴ\006ヷ\006ヸ\006ヹ\006ヺ\006ヾ\001\001\001\001\001\001\001\001\001 \001 \001 \001 \001 \001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\"\001*\001:\001<\001>\001?\001\\\001|\001 \001.\004יִ\004ײַ\004שׁ\004שׂ\006שּׁ\006שּׂ\004אַ\004אָ\004אּ\004בּ\004גּ\004דּ\004הּ\004וּ\004זּ\004טּ\004יּ\004ךּ\004כּ\004לּ\004מּ\004נּ\004סּ\004ףּ\004פּ\004צּ\004קּ\004רּ\004שּ\004תּ\004וֹ\004בֿ\004כֿ\004פֿ" let decomp_prim = "\000\000\000\002\003\004\005\006\007\000\000\000\000\008\009\010\011\012\000\013\000\000\000\000\014\000\000\015\000\000\000\000\000\000\000\000\016\017\000\018\019\020\000\000\000\021\022\023\000\024\000\025\000\026\000\027\000\000\000\000\000\028\029\000\030\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\031\032\033\034\035\036\037\038\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\039\040\041\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\042\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\043\044\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000" let decomp_second_high = "\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\001\002\002\002\002\002\002\000\002\002\002\002\002\002\002\002\002\000\002\002\002\002\002\002\000\000\002\002\002\002\002\000\000\002\002\002\002\002\002\000\002\002\002\002\002\002\002\002\002\000\002\002\002\002\002\002\000\000\002\002\002\002\002\000\002\002\002\002\002\002\002\002\002\002\002\002\003\003\003\003\003\000\000\003\003\003\003\003\003\003\003\003\003\003\003\003\003\003\003\003\003\003\003\000\000\003\003\003\003\003\003\003\003\003\000\000\000\003\003\003\003\000\003\003\003\003\003\003\000\000\000\000\003\003\003\003\003\003\000\000\000\003\003\003\003\003\003\000\000\003\003\003\003\003\003\003\003\004\004\004\004\004\004\004\004\004\004\000\000\004\004\004\004\004\004\004\004\004\004\004\004\004\004\004\004\004\004\004\004\004\004\004\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\004\004\000\000\000\000\000\000\000\000\000\000\000\000\000\004\004\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\004\004\004\004\004\004\004\004\004\004\004\004\004\004\004\004\000\004\004\004\004\004\005\000\000\005\005\005\005\005\005\005\005\005\005\005\000\000\000\005\005\000\000\005\005\005\005\005\005\005\005\005\005\005\005\005\005\005\005\005\005\005\005\005\005\005\005\005\005\005\005\005\005\005\005\005\005\005\005\000\000\005\005\000\000\000\000\000\000\005\005\005\005\005\005\005\006\006\006\006\006\006\006\000\000\000\000\000\000\000\000\000\000\000\000\006\006\000\006\006\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\006\000\000\000\000\000\000\000\000\000\006\000\000\000\000\000\000\006\006\006\006\006\006\000\006\000\006\006\006\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\006\006\006\006\006\006\006\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\006\006\006\006\006\000\000\000\000\006\006\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\006\006\000\006\000\000\000\006\000\000\000\000\006\006\006\000\000\000\000\000\000\000\000\000\000\006\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\006\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\006\006\000\006\000\000\000\006\000\000\000\000\006\006\006\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\007\007\000\000\000\000\000\000\000\000\000\007\007\000\000\000\000\000\000\000\000\000\000\000\000\000\007\007\007\007\000\000\007\007\000\000\007\007\007\007\007\007\000\000\007\007\007\007\007\007\000\000\007\007\007\007\007\007\007\007\007\007\007\007\000\000\007\007\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\007\007\007\007\007\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\007\000\007\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\007\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\007\000\000\000\000\000\000\000\007\000\000\007\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\007\007\008\008\008\008\008\008\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\008\008\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\008\008\000\008\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\008\000\000\008\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\008\008\008\000\000\008\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\008\000\000\008\008\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\008\008\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\008\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\008\008\008\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\008\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\008\000\000\000\000\000\000\008\008\000\008\008\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\008\008\008\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\008\000\008\009\009\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\009\000\000\000\000\000\000\000\000\000\009\000\000\000\000\009\000\000\000\000\009\000\000\000\000\009\000\000\000\000\000\000\000\000\000\000\000\000\009\000\000\000\000\000\000\000\000\000\009\000\009\009\000\009\000\000\000\000\000\000\000\000\009\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\009\000\000\000\000\000\000\000\000\000\009\000\000\000\000\009\000\000\000\000\009\000\000\000\000\009\000\000\000\000\000\000\000\000\000\000\000\000\009\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\009\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\009\009\009\009\009\009\009\009\009\009\009\009\009\009\009\009\009\009\009\009\009\009\009\009\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\010\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\011\012\012\012\012\012\012\012\012\012\012\012\012\012\012\012\000\012\000\000\000\000\012\012\012\012\012\012\012\012\012\012\012\012\012\012\012\012\012\012\012\012\012\012\012\012\012\012\012\012\012\012\012\012\012\012\012\013\013\013\013\013\013\013\013\013\013\013\013\013\013\013\013\013\013\013\013\013\013\013\013\013\013\013\013\013\013\013\013\013\013\013\013\013\013\013\013\013\013\013\013\013\013\013\014\014\014\014\014\014\014\014\000\000\000\000\000\000\014\014\014\014\014\014\014\014\014\014\014\014\014\014\014\014\014\014\014\014\014\014\000\000\014\014\014\014\014\014\000\000\014\014\014\014\014\014\014\015\015\015\015\015\015\015\015\015\015\015\015\015\015\015\015\015\015\015\015\015\015\015\015\015\015\015\015\015\015\015\000\000\015\015\015\015\015\015\000\000\015\015\015\016\016\016\016\016\000\016\000\016\000\016\000\016\016\016\016\016\016\016\016\016\016\016\016\016\016\016\016\016\016\006\016\006\016\006\016\006\016\006\016\006\016\006\000\000\016\016\016\016\016\016\016\017\017\017\017\017\017\017\017\017\017\017\017\017\017\017\017\017\017\017\017\017\017\017\017\017\017\017\017\017\017\018\018\018\018\018\018\018\018\018\018\018\018\018\018\018\018\000\018\018\018\018\018\006\018\000\018\000\000\018\018\018\018\000\018\018\018\006\018\006\018\018\018\018\018\018\018\006\000\000\018\018\019\019\019\006\000\019\019\019\019\019\019\006\019\019\019\019\019\019\019\006\019\019\006\019\000\000\019\019\019\000\019\019\019\006\019\006\019\019\000\000\000\000\000\000\000\000\000\000\000\000\000\000\019\000\019\000\019\000\019\000\019\000\019\000\019\000\019\000\019\000\019\000\019\000\019\000\000\019\000\019\000\019\000\000\000\000\000\000\020\020\000\020\020\000\020\020\000\020\020\000\020\020\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\020\000\000\000\000\000\000\000\000\000\020\000\000\000\000\000\000\000\000\000\000\000\000\000\020\000\020\000\020\000\020\000\020\000\020\000\020\000\020\000\020\000\020\000\020\000\020\000\000\020\000\020\000\020\000\000\000\000\000\000\020\020\000\020\020\000\020\020\000\020\020\000\020\020\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\021\000\000\021\021\021\021\000\000\000\021\000\000\021\021\021\021\021\021\021\021\021\021\021\021\021\021\021\021\021\021\021\021\021\021\021\021\021\021\021\021\021\021\021\021\021\021\021\021\021\021\021\021\021\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\021\000\021\000\000\000\000\000\000\000\000\000\000\021\021\021\021\021\021\021\021\021\021\021\021\021\000\021\021\021\021\021\000\021\000\021\021\000\021\021\000\022\022\022\022\022\022\022\022\022\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000" let decomp_second_low = "\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\004\008\012\016\020\000\024\028\032\036\040\044\048\052\056\000\060\064\068\072\076\080\000\000\084\088\092\096\100\000\000\104\108\112\116\120\124\000\128\132\136\140\144\148\152\156\160\000\164\168\172\176\180\184\000\000\188\192\196\200\204\000\208\212\216\220\224\228\232\236\240\244\248\252\000\004\008\012\016\000\000\020\024\028\032\036\040\044\048\052\056\060\064\068\072\076\080\084\088\092\096\000\000\100\104\108\112\116\120\124\128\132\000\000\000\136\140\144\148\000\152\156\160\164\168\172\000\000\000\000\176\180\184\188\192\196\000\000\000\200\204\208\212\216\220\000\000\224\228\232\236\240\244\248\252\000\004\008\012\016\020\024\028\032\036\000\000\040\044\048\052\056\060\064\068\072\076\080\084\088\092\096\100\104\108\112\116\120\124\128\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\132\136\000\000\000\000\000\000\000\000\000\000\000\000\000\140\144\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\148\152\156\160\164\168\172\176\180\186\192\198\204\210\216\222\000\228\234\240\246\252\001\000\000\006\010\014\018\022\026\030\036\042\047\052\000\000\000\056\060\000\000\064\068\072\078\084\089\094\099\104\108\112\116\120\124\128\132\136\140\144\148\152\156\160\164\168\172\176\180\184\188\192\196\200\204\208\212\000\000\216\220\000\000\000\000\000\000\224\228\232\236\240\246\252\002\008\012\016\022\028\032\000\000\000\000\000\000\000\000\000\000\000\000\036\039\000\042\045\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\050\000\000\000\000\000\000\000\000\000\053\000\000\000\000\000\000\055\060\065\068\073\078\000\083\000\088\093\098\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\105\110\115\120\125\130\135\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\142\147\152\157\162\000\000\000\000\167\172\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\177\182\000\187\000\000\000\192\000\000\000\000\197\202\207\000\000\000\000\000\000\000\000\000\000\212\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\217\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\222\227\000\232\000\000\000\237\000\000\000\000\242\247\252\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\001\006\000\000\000\000\000\000\000\000\000\011\016\000\000\000\000\000\000\000\000\000\000\000\000\000\021\026\031\036\000\000\041\046\000\000\051\056\061\066\071\076\000\000\081\086\091\096\101\106\000\000\111\116\121\126\131\136\141\146\151\156\161\166\000\000\171\176\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\181\186\191\196\201\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\206\000\211\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\216\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\221\000\000\000\000\000\000\000\228\000\000\235\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\242\249\000\007\014\021\028\035\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\042\049\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\056\063\000\070\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\077\000\000\084\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\091\098\105\000\000\112\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\119\000\000\126\133\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\140\147\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\154\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\161\168\175\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\182\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\189\000\000\000\000\000\000\196\203\000\210\217\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\227\234\241\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\248\000\255\006\016\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\023\000\000\000\000\000\000\000\000\000\030\000\000\000\000\037\000\000\000\000\044\000\000\000\000\051\000\000\000\000\000\000\000\000\000\000\000\000\058\000\000\000\000\000\000\000\000\000\065\000\072\079\000\086\000\000\000\000\000\000\000\000\093\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\100\000\000\000\000\000\000\000\000\000\107\000\000\000\000\114\000\000\000\000\121\000\000\000\000\128\000\000\000\000\000\000\000\000\000\000\000\000\135\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\142\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\149\153\157\161\165\169\173\177\181\187\193\197\201\205\209\213\217\221\225\229\233\239\245\251\001\005\009\013\017\023\029\033\037\041\045\049\053\057\061\065\069\073\077\081\085\089\093\099\105\109\113\117\121\125\129\133\137\143\149\153\157\161\165\169\173\177\181\185\189\193\197\201\205\209\213\217\221\227\233\239\245\251\001\007\013\017\021\025\029\033\037\041\045\051\057\061\065\069\073\077\081\087\093\099\105\111\117\121\125\129\133\137\141\145\149\153\157\161\165\169\173\179\185\191\197\201\205\209\213\217\221\225\229\233\237\241\245\249\253\001\005\009\013\017\021\025\029\033\037\041\045\049\053\057\000\061\000\000\000\000\066\070\074\078\082\088\094\100\106\112\118\124\130\136\142\148\154\160\166\172\178\184\190\196\202\206\210\214\218\222\226\232\238\244\250\000\006\012\018\024\030\034\038\042\046\050\054\058\062\068\074\080\086\092\098\104\110\116\122\128\134\140\146\152\158\164\170\176\182\186\190\194\198\204\210\216\222\228\234\240\246\252\002\006\010\014\018\022\026\030\000\000\000\000\000\000\034\039\044\051\058\065\072\079\086\091\096\103\110\117\124\131\138\143\148\155\162\169\000\000\176\181\186\193\200\207\000\000\214\219\224\231\238\245\252\003\010\015\020\027\034\041\048\055\062\067\072\079\086\093\100\107\114\119\124\131\138\145\152\159\166\171\176\183\190\197\000\000\204\209\214\221\228\235\000\000\242\247\252\003\010\017\024\031\000\038\000\043\000\050\000\057\064\069\074\081\088\095\102\109\116\121\126\133\140\147\154\161\168\115\173\120\178\125\183\130\188\152\193\157\198\162\000\000\203\210\217\226\235\244\253\006\015\022\029\038\047\056\065\074\083\090\097\106\115\124\133\142\151\158\165\174\183\192\201\210\219\226\233\242\251\004\013\022\031\038\045\054\063\072\081\090\099\104\109\116\121\000\128\133\140\145\150\060\155\000\160\000\000\163\168\175\180\000\187\192\199\068\204\073\209\214\220\226\232\237\242\098\000\000\249\254\005\010\015\078\000\020\026\032\038\043\048\135\055\060\065\070\077\082\087\088\092\097\055\102\000\000\104\111\116\000\123\128\135\083\140\093\145\150\000\000\000\000\000\000\000\000\000\000\000\000\000\000\153\000\160\000\167\000\174\000\181\000\188\000\195\000\202\000\209\000\216\000\223\000\230\000\000\237\000\244\000\251\000\000\000\000\000\000\002\009\000\016\023\000\030\037\000\044\051\000\058\065\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\072\000\000\000\000\000\000\000\000\000\079\000\000\000\000\000\000\000\000\000\000\000\000\000\086\000\093\000\100\000\107\000\114\000\121\000\128\000\135\000\142\000\149\000\156\000\163\000\000\170\000\177\000\184\000\000\000\000\000\000\191\198\000\205\212\000\219\226\000\233\240\000\247\254\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\005\000\000\012\019\026\033\000\000\000\040\000\000\047\049\051\053\055\057\059\061\063\065\067\069\071\073\075\077\079\081\083\085\087\089\091\093\095\097\099\101\103\105\107\109\111\113\115\117\119\121\123\125\127\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\129\000\134\000\000\000\000\000\000\000\000\000\000\139\144\149\156\163\168\173\178\183\188\193\198\203\000\208\213\218\223\228\000\233\000\238\243\000\248\253\000\002\007\012\017\022\027\032\037\042\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000" unison-2.40.102/uigtk2.mli0000644006131600613160000000022211361646373015313 0ustar bcpiercebcpierce(* Unison file synchronizer: src/uigtk2.mli *) (* Copyright 1999-2009, Benjamin C. Pierce (see COPYING for details) *) module Body : Uicommon.UI unison-2.40.102/copy.ml0000644006131600613160000010326711361646373014724 0ustar bcpiercebcpierce(* Unison file synchronizer: src/copy.ml *) (* Copyright 1999-2009, Benjamin C. Pierce This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . *) let (>>=) = Lwt.bind let debug = Trace.debug "copy" (****) let protect f g = try f () with Sys_error _ | Unix.Unix_error _ | Util.Transient _ as e -> begin try g () with Sys_error _ | Unix.Unix_error _ -> () end; raise e let lwt_protect f g = Lwt.catch f (fun e -> begin match e with Sys_error _ | Unix.Unix_error _ | Util.Transient _ -> begin try g () with Sys_error _ | Unix.Unix_error _ -> () end | _ -> () end; Lwt.fail e) (****) (* Check whether the source file has been modified during synchronization *) let checkContentsChangeLocal fspathFrom pathFrom archDesc archDig archStamp archRess paranoid = let info = Fileinfo.get true fspathFrom pathFrom in let clearlyModified = info.Fileinfo.typ <> `FILE || Props.length info.Fileinfo.desc <> Props.length archDesc || Osx.ressLength info.Fileinfo.osX.Osx.ressInfo <> Osx.ressLength archRess in let dataClearlyUnchanged = not clearlyModified && Props.same_time info.Fileinfo.desc archDesc && not (Fpcache.excelFile pathFrom) && match archStamp with Some (Fileinfo.InodeStamp inode) -> info.Fileinfo.inode = inode | Some (Fileinfo.CtimeStamp ctime) -> true | None -> false in let ressClearlyUnchanged = not clearlyModified && Osx.ressUnchanged archRess info.Fileinfo.osX.Osx.ressInfo None dataClearlyUnchanged in if dataClearlyUnchanged && ressClearlyUnchanged then begin if paranoid then begin let newDig = Os.fingerprint fspathFrom pathFrom info in if archDig <> newDig then begin Update.markPossiblyUpdated fspathFrom pathFrom; raise (Util.Transient (Printf.sprintf "The source file %s\n\ has been modified but the fast update detection mechanism\n\ failed to detect it. Try running once with the fastcheck\n\ option set to 'no'." (Fspath.toPrintString (Fspath.concat fspathFrom pathFrom)))) end end end else if clearlyModified || archDig <> Os.fingerprint fspathFrom pathFrom info then raise (Util.Transient (Printf.sprintf "The source file %s\nhas been modified during synchronization. \ Transfer aborted." (Fspath.toPrintString (Fspath.concat fspathFrom pathFrom)))) let checkContentsChangeOnRoot = Remote.registerRootCmd "checkContentsChange" (fun (fspathFrom, (pathFrom, archDesc, archDig, archStamp, archRess, paranoid)) -> checkContentsChangeLocal fspathFrom pathFrom archDesc archDig archStamp archRess paranoid; Lwt.return ()) let checkContentsChange root pathFrom archDesc archDig archStamp archRess paranoid = checkContentsChangeOnRoot root (pathFrom, archDesc, archDig, archStamp, archRess, paranoid) (****) let fileIsTransferred fspathTo pathTo desc fp ress = let info = Fileinfo.get false fspathTo pathTo in (info, info.Fileinfo.typ = `FILE && Props.length info.Fileinfo.desc = Props.length desc && Osx.ressLength info.Fileinfo.osX.Osx.ressInfo = Osx.ressLength ress && let fp' = Os.fingerprint fspathTo pathTo info in fp' = fp) (* We slice the files in 1GB chunks because that's the limit for Fingerprint.subfile on 32 bit architectures *) let fingerprintLimit = Uutil.Filesize.ofInt64 1072693248L let rec fingerprintPrefix fspath path offset len accu = if len = Uutil.Filesize.zero then accu else begin let l = min len fingerprintLimit in let fp = Fingerprint.subfile (Fspath.concat fspath path) offset l in fingerprintPrefix fspath path (Int64.add offset (Uutil.Filesize.toInt64 l)) (Uutil.Filesize.sub len l) (fp :: accu) end let fingerprintPrefixRemotely = Remote.registerServerCmd "fingerprintSubfile" (fun _ (fspath, path, len) -> Lwt.return (fingerprintPrefix fspath path 0L len [])) let appendThreshold = Uutil.Filesize.ofInt (1024 * 1024) let validFilePrefix connFrom fspathFrom pathFrom fspathTo pathTo info desc = let len = Props.length info.Fileinfo.desc in if info.Fileinfo.typ = `FILE && len >= appendThreshold && len < Props.length desc then begin Lwt.try_bind (fun () -> fingerprintPrefixRemotely connFrom (fspathFrom, pathFrom, len)) (fun fpFrom -> let fpTo = fingerprintPrefix fspathTo pathTo 0L len [] in Lwt.return (if fpFrom = fpTo then Some len else None)) (fun _ -> Lwt.return None) end else Lwt.return None type transferStatus = Success of Fileinfo.t | Failure of string (* Paranoid check: recompute the transferred file's digest to match it with the archive's *) let paranoidCheck fspathTo pathTo realPathTo desc fp ress = let info = Fileinfo.get false fspathTo pathTo in let fp' = Os.fingerprint fspathTo pathTo info in if fp' <> fp then begin Lwt.return (Failure (Os.reasonForFingerprintMismatch fp fp')) end else Lwt.return (Success info) let saveTempFileLocal (fspathTo, (pathTo, realPathTo, reason)) = let savepath = Os.tempPath ~fresh:true fspathTo (match Path.deconstructRev realPathTo with Some (nm, _) -> Path.addSuffixToFinalName (Path.child Path.empty nm) "-bad" | None -> Path.fromString "bad") in Os.rename "save temp" fspathTo pathTo fspathTo savepath; Lwt.fail (Util.Transient (Printf.sprintf "The file %s was incorrectly transferred (fingerprint mismatch in %s) \ -- temp file saved as %s" (Path.toString pathTo) reason (Fspath.toDebugString (Fspath.concat fspathTo savepath)))) let saveTempFileOnRoot = Remote.registerRootCmd "saveTempFile" saveTempFileLocal (****) let removeOldTempFile fspathTo pathTo = if Os.exists fspathTo pathTo then begin debug (fun() -> Util.msg "Removing old temp file %s / %s\n" (Fspath.toDebugString fspathTo) (Path.toString pathTo)); Os.delete fspathTo pathTo end let openFileIn fspath path kind = match kind with `DATA -> Fs.open_in_bin (Fspath.concat fspath path) | `DATA_APPEND len -> let ch = Fs.open_in_bin (Fspath.concat fspath path) in LargeFile.seek_in ch (Uutil.Filesize.toInt64 len); ch | `RESS -> Osx.openRessIn fspath path let openFileOut fspath path kind len = match kind with `DATA -> let fullpath = Fspath.concat fspath path in let flags = [Unix.O_WRONLY;Unix.O_CREAT] in let perm = 0o600 in begin match Util.osType with `Win32 -> Fs.open_out_gen [Open_wronly; Open_creat; Open_excl; Open_binary] perm fullpath | `Unix -> let fd = try Fs.openfile fullpath (Unix.O_EXCL :: flags) perm with Unix.Unix_error ((Unix.EOPNOTSUPP | Unix.EUNKNOWNERR 524), _, _) -> (* O_EXCL not supported under a Netware NFS-mounted filesystem. Solaris and Linux report different errors. *) Fs.openfile fullpath (Unix.O_TRUNC :: flags) perm in Unix.out_channel_of_descr fd end | `DATA_APPEND len -> let fullpath = Fspath.concat fspath path in let perm = 0o600 in let ch = Fs.open_out_gen [Open_wronly; Open_binary] perm fullpath in Fs.chmod fullpath perm; LargeFile.seek_out ch (Uutil.Filesize.toInt64 len); ch | `RESS -> Osx.openRessOut fspath path len let setFileinfo fspathTo pathTo realPathTo update desc = match update with `Update _ -> Fileinfo.set fspathTo pathTo (`Copy realPathTo) desc | `Copy -> Fileinfo.set fspathTo pathTo (`Set Props.fileDefault) desc (****) let copyContents fspathFrom pathFrom fspathTo pathTo fileKind fileLength ido = let use_id f = match ido with Some id -> f id | None -> () in let inFd = openFileIn fspathFrom pathFrom fileKind in protect (fun () -> let outFd = openFileOut fspathTo pathTo fileKind fileLength in protect (fun () -> Uutil.readWriteBounded inFd outFd fileLength (fun l -> use_id (fun id -> Uutil.showProgress id (Uutil.Filesize.ofInt l) "l")); close_in inFd; close_out outFd) (fun () -> close_out_noerr outFd)) (fun () -> close_in_noerr inFd) let localFile fspathFrom pathFrom fspathTo pathTo realPathTo update desc ressLength ido = Util.convertUnixErrorsToTransient "copying locally" (fun () -> debug (fun () -> Util.msg "Copy.localFile %s / %s to %s / %s\n" (Fspath.toDebugString fspathFrom) (Path.toString pathFrom) (Fspath.toDebugString fspathTo) (Path.toString pathTo)); removeOldTempFile fspathTo pathTo; copyContents fspathFrom pathFrom fspathTo pathTo `DATA (Props.length desc) ido; if ressLength > Uutil.Filesize.zero then copyContents fspathFrom pathFrom fspathTo pathTo `RESS ressLength ido; setFileinfo fspathTo pathTo realPathTo update desc) (****) let tryCopyMovedFile fspathTo pathTo realPathTo update desc fp ress id = if not (Prefs.read Xferhint.xferbycopying) then None else Util.convertUnixErrorsToTransient "tryCopyMovedFile" (fun() -> debug (fun () -> Util.msg "tryCopyMovedFile: -> %s /%s/\n" (Path.toString pathTo) (Os.fullfingerprint_to_string fp)); match Xferhint.lookup fp with None -> None | Some (candidateFspath, candidatePath, hintHandle) -> debug (fun () -> Util.msg "tryCopyMovedFile: found match at %s,%s. Try local copying\n" (Fspath.toDebugString candidateFspath) (Path.toString candidatePath)); try (* If candidateFspath is the replica root, the argument [true] is correct. Otherwise, we don't expect to point to a symlink, and therefore we still get the correct result. *) let info = Fileinfo.get true candidateFspath candidatePath in if info.Fileinfo.typ <> `ABSENT && Props.length info.Fileinfo.desc = Props.length desc then begin localFile candidateFspath candidatePath fspathTo pathTo realPathTo update desc (Osx.ressLength ress) (Some id); let (info, isTransferred) = fileIsTransferred fspathTo pathTo desc fp ress in if isTransferred then begin debug (fun () -> Util.msg "tryCopyMoveFile: success.\n"); let msg = Printf.sprintf "Shortcut: copied %s/%s from local file %s/%s\n" (Fspath.toPrintString fspathTo) (Path.toString realPathTo) (Fspath.toPrintString candidateFspath) (Path.toString candidatePath) in Some (info, msg) end else begin debug (fun () -> Util.msg "tryCopyMoveFile: candidate file %s modified!\n" (Path.toString candidatePath)); Xferhint.deleteEntry hintHandle; None end end else begin debug (fun () -> Util.msg "tryCopyMoveFile: candidate file %s disappeared!\n" (Path.toString candidatePath)); Xferhint.deleteEntry hintHandle; None end with Util.Transient s -> debug (fun () -> Util.msg "tryCopyMovedFile: local copy from %s didn't work [%s]" (Path.toString candidatePath) s); Xferhint.deleteEntry hintHandle; None) (****) (* The file transfer functions here depend on an external module 'transfer' that implements a generic transmission and the rsync algorithm for optimizing the file transfer in the case where a similar file already exists on the target. *) let rsyncActivated = Prefs.createBool "rsync" true "!activate the rsync transfer mode" ("Unison uses the 'rsync algorithm' for 'diffs-only' transfer " ^ "of updates to large files. Setting this flag to false makes Unison " ^ "use whole-file transfers instead. Under normal circumstances, " ^ "there is no reason to do this, but if you are having trouble with " ^ "repeated 'rsync failure' errors, setting it to " ^ "false should permit you to synchronize the offending files.") let decompressor = ref Remote.MsgIdMap.empty let processTransferInstruction conn (file_id, ti) = Util.convertUnixErrorsToTransient "processing a transfer instruction" (fun () -> ignore (Remote.MsgIdMap.find file_id !decompressor ti)) let marshalTransferInstruction = (fun (file_id, (data, pos, len)) rem -> (Remote.encodeInt file_id :: (data, pos, len) :: rem, len + Remote.intSize)), (fun buf pos -> let len = Bytearray.length buf - pos - Remote.intSize in (Remote.decodeInt buf pos, (buf, pos + Remote.intSize, len))) let streamTransferInstruction = Remote.registerStreamCmd "processTransferInstruction" marshalTransferInstruction processTransferInstruction let showPrefixProgress id kind = match kind with `DATA_APPEND len -> Uutil.showProgress id len "r" | _ -> () let compress conn (biOpt, fspathFrom, pathFrom, fileKind, sizeFrom, id, file_id) = Lwt.catch (fun () -> streamTransferInstruction conn (fun processTransferInstructionRemotely -> (* We abort the file transfer on error if it has not already started *) if fileKind <> `RESS then Abort.check id; let infd = openFileIn fspathFrom pathFrom fileKind in lwt_protect (fun () -> showPrefixProgress id fileKind; let showProgress count = Uutil.showProgress id (Uutil.Filesize.ofInt count) "r" in let compr = match biOpt with None -> Transfer.send infd sizeFrom showProgress | Some bi -> Transfer.Rsync.rsyncCompress bi infd sizeFrom showProgress in compr (fun ti -> processTransferInstructionRemotely (file_id, ti)) >>= fun () -> close_in infd; Lwt.return ()) (fun () -> close_in_noerr infd))) (fun e -> (* We cannot wrap the code above with the handler below, as the code is executed asynchronously. *) Util.convertUnixErrorsToTransient "transferring file contents" (fun () -> raise e)) let compressRemotely = Remote.registerServerCmd "compress" compress let close_all infd outfd = Util.convertUnixErrorsToTransient "closing files" (fun () -> begin match !infd with Some fd -> close_in fd; infd := None | None -> () end; begin match !outfd with Some fd -> close_out fd; outfd := None | None -> () end) let close_all_no_error infd outfd = begin match !infd with Some fd -> close_in_noerr fd | None -> () end; begin match !outfd with Some fd -> close_out_noerr fd | None -> () end (* Lazy creation of the destination file *) let destinationFd fspath path kind len outfd id = match !outfd with None -> (* We abort the file transfer on error if it has not already started *) if kind <> `RESS then Abort.check id; let fd = openFileOut fspath path kind len in showPrefixProgress id kind; outfd := Some fd; fd | Some fd -> fd (* Lazy opening of the reference file (for rsync algorithm) *) let referenceFd fspath path kind infd = match !infd with None -> let fd = openFileIn fspath path kind in infd := Some fd; fd | Some fd -> fd let rsyncReg = Lwt_util.make_region (40 * 1024) let rsyncThrottle useRsync srcFileSize destFileSize f = if not useRsync then f () else let l = Transfer.Rsync.memoryFootprint srcFileSize destFileSize in Lwt_util.run_in_region rsyncReg l f let transferFileContents connFrom fspathFrom pathFrom fspathTo pathTo realPathTo update fileKind srcFileSize id = (* We delay the opening of the files so that there are not too many temporary files remaining after a crash, and that they are not too many files simultaneously opened. *) let outfd = ref None in let infd = ref None in let showProgress count = Uutil.showProgress id (Uutil.Filesize.ofInt count) "r" in let destFileSize = match update with `Copy -> Uutil.Filesize.zero | `Update (destFileDataSize, destFileRessSize) -> match fileKind with `DATA | `DATA_APPEND _ -> destFileDataSize | `RESS -> destFileRessSize in let useRsync = Prefs.read rsyncActivated && Transfer.Rsync.aboveRsyncThreshold destFileSize && Transfer.Rsync.aboveRsyncThreshold srcFileSize in rsyncThrottle useRsync srcFileSize destFileSize (fun () -> let (bi, decompr) = if useRsync then Util.convertUnixErrorsToTransient "preprocessing file" (fun () -> let ifd = referenceFd fspathTo realPathTo fileKind infd in let (bi, blockSize) = protect (fun () -> Transfer.Rsync.rsyncPreprocess ifd srcFileSize destFileSize) (fun () -> close_in_noerr ifd) in close_all infd outfd; (Some bi, (* Rsync decompressor *) fun ti -> let ifd = referenceFd fspathTo realPathTo fileKind infd in let fd = destinationFd fspathTo pathTo fileKind srcFileSize outfd id in let eof = Transfer.Rsync.rsyncDecompress blockSize ifd fd showProgress ti in if eof then close_all infd outfd)) else (None, (* Simple generic decompressor *) fun ti -> let fd = destinationFd fspathTo pathTo fileKind srcFileSize outfd id in let eof = Transfer.receive fd showProgress ti in if eof then close_all infd outfd) in let file_id = Remote.newMsgId () in Lwt.catch (fun () -> decompressor := Remote.MsgIdMap.add file_id decompr !decompressor; compressRemotely connFrom (bi, fspathFrom, pathFrom, fileKind, srcFileSize, id, file_id) >>= fun () -> decompressor := Remote.MsgIdMap.remove file_id !decompressor; (* For GC *) close_all infd outfd; (* JV: FIX: the file descriptors are already closed... *) Lwt.return ()) (fun e -> decompressor := Remote.MsgIdMap.remove file_id !decompressor; (* For GC *) close_all_no_error infd outfd; Lwt.fail e)) (****) let transferRessourceForkAndSetFileinfo connFrom fspathFrom pathFrom fspathTo pathTo realPathTo update desc fp ress id = (* Resource fork *) let ressLength = Osx.ressLength ress in begin if ressLength > Uutil.Filesize.zero then transferFileContents connFrom fspathFrom pathFrom fspathTo pathTo realPathTo update `RESS ressLength id else Lwt.return () end >>= fun () -> setFileinfo fspathTo pathTo realPathTo update desc; paranoidCheck fspathTo pathTo realPathTo desc fp ress let reallyTransferFile connFrom fspathFrom pathFrom fspathTo pathTo realPathTo update desc fp ress id tempInfo = debug (fun() -> Util.msg "reallyTransferFile(%s,%s) -> (%s,%s,%s,%s)\n" (Fspath.toDebugString fspathFrom) (Path.toString pathFrom) (Fspath.toDebugString fspathTo) (Path.toString pathTo) (Path.toString realPathTo) (Props.toString desc)); validFilePrefix connFrom fspathFrom pathFrom fspathTo pathTo tempInfo desc >>= fun prefixLen -> begin match prefixLen with None -> removeOldTempFile fspathTo pathTo | Some len -> debug (fun() -> Util.msg "Keeping %s bytes previously transferred for file %s\n" (Uutil.Filesize.toString len) (Path.toString pathFrom)) end; (* Data fork *) transferFileContents connFrom fspathFrom pathFrom fspathTo pathTo realPathTo update (match prefixLen with None -> `DATA | Some l -> `DATA_APPEND l) (Props.length desc) id >>= fun () -> transferRessourceForkAndSetFileinfo connFrom fspathFrom pathFrom fspathTo pathTo realPathTo update desc fp ress id (****) let filesBeingTransferred = Hashtbl.create 17 let wakeupNextTransfer fp = match try Some (Queue.take (Hashtbl.find filesBeingTransferred fp)) with Queue.Empty -> None with None -> Hashtbl.remove filesBeingTransferred fp | Some next -> Lwt.wakeup next () let executeTransfer fp f = Lwt.try_bind f (fun res -> wakeupNextTransfer fp; Lwt.return res) (fun e -> wakeupNextTransfer fp; Lwt.fail e) (* Keep track of which file contents are being transferred, and delay the transfer of a file with the same contents as another file being currently transferred. This way, the second transfer can be skipped and replaced by a local copy. *) let rec registerFileTransfer pathTo fp f = if not (Prefs.read Xferhint.xferbycopying) then f () else match try Some (Hashtbl.find filesBeingTransferred fp) with Not_found -> None with None -> let q = Queue.create () in Hashtbl.add filesBeingTransferred fp q; executeTransfer fp f | Some q -> debug (fun () -> Util.msg "delaying tranfer of file %s\n" (Path.toString pathTo)); let res = Lwt.wait () in Queue.push res q; res >>= fun () -> executeTransfer fp f (****) let copyprog = Prefs.createString "copyprog" "rsync --partial --inplace --compress" "!external program for copying large files" ("A string giving the name of an " ^ "external program that can be used to copy large files efficiently " ^ "(plus command-line switches telling it to copy files in-place). " ^ "The default setting invokes {\\tt rsync} with appropriate " ^ "options---most users should not need to change it.") let copyprogrest = Prefs.createString "copyprogrest" "rsync --partial --append-verify --compress" "!variant of copyprog for resuming partial transfers" ("A variant of {\\tt copyprog} that names an external program " ^ "that should be used to continue the transfer of a large file " ^ "that has already been partially transferred. Typically, " ^ "{\\tt copyprogrest} will just be {\\tt copyprog} " ^ "with one extra option (e.g., {\\tt --partial}, for rsync). " ^ "The default setting invokes {\\tt rsync} with appropriate " ^ "options---most users should not need to change it.") let copythreshold = Prefs.createInt "copythreshold" (-1) "!use copyprog on files bigger than this (if >=0, in Kb)" ("A number indicating above what filesize (in kilobytes) Unison should " ^ "use the external " ^ "copying utility specified by {\\tt copyprog}. Specifying 0 will cause " ^ "{\\em all} copies to use the external program; " ^ "a negative number will prevent any files from using it. " ^ "The default is -1. " ^ "See \\sectionref{speeding}{Making Unison Faster on Large Files} " ^ "for more information.") let copyquoterem = Prefs.createBoolWithDefault "copyquoterem" "!add quotes to remote file name for copyprog (true/false/default)" ("When set to {\\tt true}, this flag causes Unison to add an extra layer " ^ "of quotes to the remote path passed to the external copy program. " ^ "This is needed by rsync, for example, which internally uses an ssh " ^ "connection requiring an extra level of quoting for paths containing " ^ "spaces. When this flag is set to {\\tt default}, extra quotes are " ^ "added if the value of {\\tt copyprog} contains the string " ^ "{\\tt rsync}.") let copymax = Prefs.createInt "copymax" 1 "!maximum number of simultaneous copyprog transfers" ("A number indicating how many instances of the external copying utility \ Unison is allowed to run simultaneously (default to 1).") let formatConnectionInfo root = match root with Common.Local, _ -> "" | Common.Remote h, _ -> (* Find the (unique) nonlocal root *) match Safelist.find (function Clroot.ConnectLocal _ -> false | _ -> true) (Safelist.map Clroot.parseRoot (Globals.rawRoots())) with Clroot.ConnectByShell (_,rawhost,uo,_,_) -> (match uo with None -> "" | Some u -> u ^ "@") ^ rawhost ^ ":" (* Note that we don't do anything with the port -- hopefully this will not affect many people. If we did want to include it, we'd have to fiddle with the rsync parameters in a slightly deeper way. *) | Clroot.ConnectBySocket (h',_,_) -> h ^ ":" | Clroot.ConnectLocal _ -> assert false let shouldUseExternalCopyprog update desc = Prefs.read copyprog <> "" && Prefs.read copythreshold >= 0 && Props.length desc >= Uutil.Filesize.ofInt64 (Int64.of_int 1) && Props.length desc >= Uutil.Filesize.ofInt64 (Int64.mul (Int64.of_int 1000) (Int64.of_int (Prefs.read copythreshold))) && update = `Copy let prepareExternalTransfer fspathTo pathTo = let info = Fileinfo.get false fspathTo pathTo in match info.Fileinfo.typ with `FILE when Props.length info.Fileinfo.desc > Uutil.Filesize.zero -> let perms = Props.perms info.Fileinfo.desc in let perms' = perms lor 0o600 in begin try Fs.chmod (Fspath.concat fspathTo pathTo) perms' with Unix.Unix_error _ -> () end; true | `ABSENT -> false | _ -> debug (fun() -> Util.msg "Removing old temp file %s / %s\n" (Fspath.toDebugString fspathTo) (Path.toString pathTo)); Os.delete fspathTo pathTo; false let finishExternalTransferLocal connFrom (fspathFrom, pathFrom, fspathTo, pathTo, realPathTo, update, desc, fp, ress, id) = let info = Fileinfo.get false fspathTo pathTo in if info.Fileinfo.typ <> `FILE || Props.length info.Fileinfo.desc <> Props.length desc then raise (Util.Transient (Printf.sprintf "External copy program did not create target file (or bad length): %s" (Path.toString pathTo))); transferRessourceForkAndSetFileinfo connFrom fspathFrom pathFrom fspathTo pathTo realPathTo update desc fp ress id >>= fun res -> Xferhint.insertEntry fspathTo pathTo fp; Lwt.return res let finishExternalTransferOnRoot = Remote.registerRootCmdWithConnection "finishExternalTransfer" finishExternalTransferLocal let copyprogReg = Lwt_util.make_region 1 let transferFileUsingExternalCopyprog rootFrom pathFrom rootTo fspathTo pathTo realPathTo update desc fp ress id useExistingTarget = Uutil.showProgress id Uutil.Filesize.zero "ext"; let prog = if useExistingTarget then Prefs.read copyprogrest else Prefs.read copyprog in let extraquotes = Prefs.read copyquoterem = `True || ( Prefs.read copyquoterem = `Default && Util.findsubstring "rsync" prog <> None) in let addquotes root s = match root with | Common.Local, _ -> s | Common.Remote _, _ -> if extraquotes then Uutil.quotes s else s in let fromSpec = (formatConnectionInfo rootFrom) ^ (addquotes rootFrom (Fspath.toString (Fspath.concat (snd rootFrom) pathFrom))) in let toSpec = (formatConnectionInfo rootTo) ^ (addquotes rootTo (Fspath.toString (Fspath.concat fspathTo pathTo))) in let cmd = prog ^ " " ^ (Uutil.quotes fromSpec) ^ " " ^ (Uutil.quotes toSpec) in Trace.log (Printf.sprintf "%s\n" cmd); Lwt_util.resize_region copyprogReg (Prefs.read copymax); Lwt_util.run_in_region copyprogReg 1 (fun () -> External.runExternalProgram cmd) >>= fun (_, log) -> debug (fun() -> let l = Util.trimWhitespace log in Util.msg "transferFileUsingExternalCopyprog %s: returned...\n%s%s" (Path.toString pathFrom) l (if l="" then "" else "\n")); Uutil.showProgress id (Props.length desc) "ext"; finishExternalTransferOnRoot rootTo rootFrom (snd rootFrom, pathFrom, fspathTo, pathTo, realPathTo, update, desc, fp, ress, id) (****) let transferFileLocal connFrom (fspathFrom, pathFrom, fspathTo, pathTo, realPathTo, update, desc, fp, ress, id) = let (tempInfo, isTransferred) = fileIsTransferred fspathTo pathTo desc fp ress in if isTransferred then begin (* File is already fully transferred (from some interrupted previous transfer). *) (* Make sure permissions are right. *) let msg = Printf.sprintf "%s/%s has already been transferred\n" (Fspath.toDebugString fspathTo) (Path.toString realPathTo) in let len = Uutil.Filesize.add (Props.length desc) (Osx.ressLength ress) in Uutil.showProgress id len "alr"; setFileinfo fspathTo pathTo realPathTo update desc; Xferhint.insertEntry fspathTo pathTo fp; Lwt.return (`DONE (Success tempInfo, Some msg)) end else registerFileTransfer pathTo fp (fun () -> match tryCopyMovedFile fspathTo pathTo realPathTo update desc fp ress id with Some (info, msg) -> (* Transfer was performed by copying *) Xferhint.insertEntry fspathTo pathTo fp; Lwt.return (`DONE (Success info, Some msg)) | None -> if shouldUseExternalCopyprog update desc then Lwt.return (`EXTERNAL (prepareExternalTransfer fspathTo pathTo)) else begin reallyTransferFile connFrom fspathFrom pathFrom fspathTo pathTo realPathTo update desc fp ress id tempInfo >>= fun status -> Xferhint.insertEntry fspathTo pathTo fp; Lwt.return (`DONE (status, None)) end) let transferFileOnRoot = Remote.registerRootCmdWithConnection "transferFile" transferFileLocal (* We limit the size of the output buffers to about 512 KB (we cannot go above the limit below plus 64) *) let transferFileReg = Lwt_util.make_region 440 let bufferSize sz = min 64 ((truncate (Uutil.Filesize.toFloat sz) + 1023) / 1024) (* Token queue *) + 8 (* Read buffer *) let transferFile rootFrom pathFrom rootTo fspathTo pathTo realPathTo update desc fp ress id = let f () = Abort.check id; transferFileOnRoot rootTo rootFrom (snd rootFrom, pathFrom, fspathTo, pathTo, realPathTo, update, desc, fp, ress, id) >>= fun status -> match status with `DONE (status, msg) -> begin match msg with Some msg -> (* If the file was already present or transferred by copying on the server, we need to update the amount of data transferred so far here. *) if fst rootTo <> Common.Local then begin let len = Uutil.Filesize.add (Props.length desc) (Osx.ressLength ress) in Uutil.showProgress id len "rem" end; Trace.log msg | None -> () end; Lwt.return status | `EXTERNAL useExistingTarget -> transferFileUsingExternalCopyprog rootFrom pathFrom rootTo fspathTo pathTo realPathTo update desc fp ress id useExistingTarget in (* When streaming, we only transfer one file at a time, so we don't need to limit the number of concurrent transfers *) if Prefs.read Remote.streamingActivated then f () else let bufSz = bufferSize (max (Props.length desc) (Osx.ressLength ress)) in Lwt_util.run_in_region transferFileReg bufSz f (****) let file rootFrom pathFrom rootTo fspathTo pathTo realPathTo update desc fp stamp ress id = debug (fun() -> Util.msg "copyRegFile(%s,%s) -> (%s,%s,%s,%s,%s)\n" (Common.root2string rootFrom) (Path.toString pathFrom) (Common.root2string rootTo) (Path.toString realPathTo) (Fspath.toDebugString fspathTo) (Path.toString pathTo) (Props.toString desc)); let timer = Trace.startTimer "Transmitting file" in begin match rootFrom, rootTo with (Common.Local, fspathFrom), (Common.Local, realFspathTo) -> localFile fspathFrom pathFrom fspathTo pathTo realPathTo update desc (Osx.ressLength ress) (Some id); paranoidCheck fspathTo pathTo realPathTo desc fp ress | _ -> transferFile rootFrom pathFrom rootTo fspathTo pathTo realPathTo update desc fp ress id end >>= fun status -> Trace.showTimer timer; match status with Success info -> checkContentsChange rootFrom pathFrom desc fp stamp ress false >>= fun () -> Lwt.return info | Failure reason -> (* Maybe we failed because the source file was modified. We check this before reporting a failure *) checkContentsChange rootFrom pathFrom desc fp stamp ress true >>= fun () -> (* This function always fails! *) saveTempFileOnRoot rootTo (pathTo, realPathTo, reason) unison-2.40.102/mkProjectInfo.ml0000644006131600613160000000772012025627377016522 0ustar bcpiercebcpierce(* Program for printing project info into a Makefile. Documentation below. *) (* FIX: When the time comes for the next alpha-release, remember to increment the archive version number first. See update.ml. *) let projectName = "unison" let majorVersion = 2 let minorVersion = 40 let pointVersionOrigin = 409 (* Revision that corresponds to point version 0 *) (* Documentation: This is a program to construct a version of the form Major.Minor.Point, e.g., 2.10.4. The Point release number is calculated from the Subversion revision number, so it will be automatically incremented on svn commit. The Major and Minor numbers are hard coded, as is the revision number corresponding to the 0 point release. If you want to increment the Major or Minor number, you will have to do a little thinking to get the Point number back to 0. Suppose the current svn revision number is 27, and we have below let majorVersion = 2 let minorVersion = 11 let pointVersionOrigin = 3 This means that the current Unison version is 2.11.24, since 27-3 = 24. If we want to change the release to 3.0.0 we need to change things to let majorVersion = 3 let minorVersion = 0 let pointVersionOrigin = 28 and then do a svn commit. The first two lines are obvious. The last line says that Subversion revision 28 corresponds to a 0 point release. Since we were at revision 27 and we're going to do a commit before making a release, we will be at 28 after the commit and this will be Unison version 3.0.0. *) (* ---------------------------------------------------------------------- *) (* You shouldn't need to edit below. *) let revisionString = "$Rev: 511 $";; (* BCP (1/10): This bit was added to help with getting Unison via bazaar, but it was never used much and I'm not confident it's working. I'll comment it out for now, but if it hasn't been needed or fixed in a few months, the next person that edits this file should delete it... (* extract a substring using a regular expression *) let extract_str re str = let _ = Str.search_forward (Str.regexp re) str 0 in Str.matched_group 1 str;; let extract_int re str = int_of_string (extract_str re str);; (* run the bzr tool to get version information for bzr branches *) exception BzrException of Unix.process_status;; let bzr args = let bzr = (try Sys.getenv "BZR" with Not_found -> "bzr") in let cmd = bzr ^ " " ^ args in let inc = Unix.open_process_in cmd in let buf = Buffer.create 16 in (try while true do Buffer.add_channel buf inc 1 done with End_of_file -> ()); let status = Unix.close_process_in inc in match status with Unix.WEXITED 0 -> Buffer.contents buf | _ -> raise (BzrException status);; let pointVersion = if String.length revisionString > 5 then Scanf.sscanf revisionString "$Rev: %d " (fun x -> x) - pointVersionOrigin else (* Determining the pointVersionOrigin in bzr is kind of tricky: - The mentioned revision number might not be part of this branch - The mentioned revision number might be rhs of some merge - The bzr-svn plugin might be outdated or not installed at all On the whole, getting this to work seems too much effort for now. So we'll simply use the revno as is as the point version, and revisit offsetting them if unison should ever move its trunk to bzr. let pvo = extract_int "^revno:[ \t]*\\([0-9]+\\)[ \t]*$" (bzr ("log -r svn:" ^ string_of_int pointVersionOrigin)) in *) extract_int "^\\([0-9]+\\)$" (bzr "revno") (* - pvo *);; *) let pointVersion = Scanf.sscanf revisionString "$Rev: %d " (fun x -> x) - pointVersionOrigin;; Printf.printf "MAJORVERSION=%d.%d\n" majorVersion minorVersion;; Printf.printf "VERSION=%d.%d.%d\n" majorVersion minorVersion pointVersion;; Printf.printf "NAME=%s\n" projectName;; unison-2.40.102/stasher.ml0000644006131600613160000005432711361646373015425 0ustar bcpiercebcpierce(* Unison file synchronizer: src/stasher.ml *) (* $I2: Last modified by lescuyer *) (* Copyright 1999-2009, Benjamin C. Pierce This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . *) (* --------------------------------------------------------------------------*) (* Preferences for backing up and stashing *) let debug = Util.debug "stasher" let verbose = Util.debug "stasher+" let backuplocation = Prefs.createString "backuploc" "central" "!where backups are stored ('local' or 'central')" ("This preference determines whether backups should be kept locally, near the " ^ "original files, or" ^" in a central directory specified by the \\texttt{backupdir} " ^"preference. If set to \\verb|local|, backups will be kept in " ^"the same directory as the original files, and if set to \\verb|central|," ^" \\texttt{backupdir} will be used instead.") let _ = Prefs.alias backuplocation "backuplocation" let backup = Pred.create "backup" ~advanced:true ("Including the preference \\texttt{-backup \\ARG{pathspec}} " ^ "causes Unison to keep backup files for each path that matches " ^ "\\ARG{pathspec}. These backup files are kept in the " ^ "directory specified by the \\verb|backuplocation| preference. The backups are named " ^ "according to the \\verb|backupprefix| and \\verb|backupsuffix| preferences." ^ " The number of versions that are kept is determined by the " ^ "\\verb|maxbackups| preference." ^ "\n\n The syntax of \\ARG{pathspec} is described in " ^ "\\sectionref{pathspec}{Path Specification}.") let _ = Pred.alias backup "mirror" let backupnot = Pred.create "backupnot" ~advanced:true ("The values of this preference specify paths or individual files or" ^ " regular expressions that should {\\em not} " ^ "be backed up, even if the {\\tt backup} preference selects " ^ "them---i.e., " ^ "it selectively overrides {\\tt backup}. The same caveats apply here " ^ "as with {\\tt ignore} and {\\tt ignorenot}.") let _ = Pred.alias backupnot "mirrornot" let shouldBackup p = let s = (Path.toString p) in Pred.test backup s && not (Pred.test backupnot s) let backupprefix = Prefs.createString "backupprefix" ".bak.$VERSION." "!prefix for the names of backup files" ("When a backup for a file \\verb|NAME| is created, it is stored " ^ "in a directory specified by \\texttt{backuplocation}, in a file called " ^ "\\texttt{backupprefix}\\verb|NAME|\\texttt{backupsuffix}." ^ " \\texttt{backupprefix} can include a directory name (causing Unison to " ^ "keep all backup files for a given directory in a subdirectory with this name), and both " ^ " \\texttt{backupprefix} and \\texttt{backupsuffix} can contain the string" ^ "\\ARG{\\$VERSION}, which will be replaced by the \\emph{age} of the backup " ^ "(1 for the most recent, 2 for the second most recent, and so on...)." ^ " This keyword is ignored if it appears in a directory name" ^ " in the prefix; if it does not appear anywhere" ^ " in the prefix or the suffix, it will be automatically" ^ " placed at the beginning of the suffix. " ^ "\n\n" ^ "One thing to be careful of: If the {\\tt backuploc} preference is set " ^ "to {\\tt local}, Unison will automatically ignore {\\em all} files " ^ "whose prefix and suffix match {\\tt backupprefix} and {\\tt backupsuffix}. " ^ "So be careful to choose values for these preferences that are sufficiently " ^ "different from the names of your real files.") let backupsuffix = Prefs.createString "backupsuffix" "" "!a suffix to be added to names of backup files" ("See \\texttt{backupprefix} for full documentation.") let backups = Prefs.createBool "backups" false "!keep backup copies of all files (see also 'backup')" ("Setting this flag to true is equivalent to " ^" setting \\texttt{backuplocation} to \\texttt{local}" ^" and \\texttt{backup} to \\verb|Name *|.") (* The following function is used to express the old backup preference, if set, in the terms of the new preferences *) let translateOldPrefs () = match (Pred.extern backup, Pred.extern backupnot, Prefs.read backups) with ([], [], true) -> debug (fun () -> Util.msg "backups preference set: translated into backup and backuplocation\n"); Pred.intern backup ["Name *"]; Prefs.set backuplocation "local" | (_, _, false) -> () | _ -> raise (Util.Fatal ( "Both old 'backups' preference and " ^ "new 'backup' preference are set!")) let maxbackups = Prefs.createInt "maxbackups" 2 "!number of backed up versions of a file" ("This preference specifies the number of backup versions that will " ^ "be kept by unison, for each path that matches the predicate " ^ "\\verb|backup|. The default is 2.") let _ = Prefs.alias maxbackups "mirrorversions" let _ = Prefs.alias maxbackups "backupversions" let backupdir = Prefs.createString "backupdir" "" "!directory for storing centralized backups" ("If this preference is set, Unison will use it as the name of the " ^ "directory used to store backup files specified by " ^ "the {\\tt backup} preference, when {\\tt backuplocation} is set" ^ " to \\verb|central|. It is checked {\\em after} the " ^ "{\\tt UNISONBACKUPDIR} environment variable.") let backupDirectory () = Util.convertUnixErrorsToTransient "backupDirectory()" (fun () -> try Fspath.canonize (Some (System.getenv "UNISONBACKUPDIR")) with Not_found -> try Fspath.canonize (Some (System.getenv "UNISONMIRRORDIR")) with Not_found -> if Prefs.read backupdir <> "" then Fspath.canonize (Some (Prefs.read backupdir)) else Fspath.canonize (Some (System.fspathToString (Os.fileInUnisonDir "backup")))) let backupcurrent = Pred.create "backupcurr" ~advanced:true ("Including the preference \\texttt{-backupcurr \\ARG{pathspec}} " ^" causes Unison to keep a backup of the {\\em current} version of every file " ^ "matching \\ARG{pathspec}. " ^" This file will be saved as a backup with version number 000. Such" ^" backups can be used as inputs to external merging programs, for instance. See " ^ "the documentatation for the \\verb|merge| preference." ^" For more details, see \\sectionref{merge}{Merging Conflicting Versions}." ^"\n\n The syntax of \\ARG{pathspec} is described in " ^ "\\sectionref{pathspec}{Path Specification}.") let backupcurrentnot = Pred.create "backupcurrnot" ~advanced:true "Exceptions to \\verb|backupcurr|, like the \\verb|ignorenot| preference." let shouldBackupCurrent p = (* BCP: removed next line [Apr 2007]: causes ALL mergeable files to be backed up, which is probably not what users want -- the backupcurrent switch should be used instead. Globals.shouldMerge p || *) (let s = Path.toString p in Pred.test backupcurrent s && not (Pred.test backupcurrentnot s)) let _ = Pred.alias backupcurrent "backupcurrent" let _ = Pred.alias backupcurrentnot "backupcurrentnot" (* ---------------------------------------------------------------------------*) (* NB: We use Str.regexp here because we need group matching to retrieve and increment version numbers from backup file names. We only use it here, though: to check if a path should be backed up or ignored, we use Rx instead. (This is important because the Str regexp functions are terribly slow.) *) (* A tuple of string option * string * string, describing a regular expression that matches the filenames of unison backups according to the current preferences. The first regexp is an option to match the local directory, if any, in which backups are stored; the second one matches the prefix, the third the suffix. Note that we always use forward slashes here (rather than using backslashes when running on windows) because we are constructing rx's that are going to be matched against Path.t's. (Strictly speaking, we ought to ask the Path module what the path separator character is, rather than assuming it is slash, but this is never going to change.) *) let backup_rx () = let version_rx = "\\([0-9]+\\)" in let prefix = Prefs.read backupprefix in let suffix = Str.quote (Prefs.read backupsuffix) in let (udir, uprefix) = ((match Filename.dirname prefix with | "." -> "" | s -> (Fileutil.backslashes2forwardslashes s)^"/"), Filename.basename prefix) in let (dir, prefix) = ((match udir with "" -> None | _ -> Some(Str.quote udir)), Str.quote uprefix) in if Str.string_match (Str.regexp ".*\\\\\\$VERSION.*") (prefix^suffix) 0 then (dir, Str.global_replace (Str.regexp "\\\\\\$VERSION") version_rx prefix, Str.global_replace (Str.regexp "\\\\\\$VERSION") version_rx suffix) else raise (Util.Fatal "Either backupprefix or backupsuffix must contain '$VERSION'") (* We ignore files whose name ends in .unison.bak, since people may still have these lying around from using previous versions of Unison. *) let oldBackupPrefPathspec = "Name *.unison.bak" (* This function creates Rx regexps based on the preferences to ignore backups of old and current versions. *) let addBackupFilesToIgnorePref () = let (dir_rx, prefix_rx, suffix_rx) = backup_rx() in let regexp_to_rx s = Str.global_replace (Str.regexp "\\\\(") "" (Str.global_replace (Str.regexp "\\\\)") "" s) in let (full, dir) = let d = match dir_rx with None -> "/" | Some s -> regexp_to_rx s in let p = regexp_to_rx prefix_rx in let s = regexp_to_rx suffix_rx in debug (fun() -> Util.msg "d = %s\n" d); ("(.*/)?"^p^".*"^s, "(.*/)?"^(String.sub d 0 (String.length d - 1))) in let theRegExp = match dir_rx with None -> "Regex " ^ full | Some _ -> "Regex " ^ dir in Globals.addRegexpToIgnore oldBackupPrefPathspec; if Prefs.read backuplocation = "local" then begin debug (fun () -> Util.msg "New pattern being added to ignore preferences (for backup files):\n %s\n" theRegExp); Globals.addRegexpToIgnore theRegExp end (* We use references for functions that compute the prefixes and suffixes in order to avoid using functions from the Str module each time we need them. *) let make_prefix = ref (fun i -> assert false) let make_suffix = ref (fun i -> assert false) (* This function updates the function used to create prefixes and suffixes for naming backup files, according to the preferences. *) let updateBackupNamingFunctions () = let makeFun s = match Str.full_split (Str.regexp "\\$VERSION") s with [] -> (fun _ -> "") | [Str.Text t] -> (fun _ -> t) | [Str.Delim _; Str.Text t] -> (fun i -> Printf.sprintf "%d%s" i t) | [Str.Text t; Str.Delim _] -> (fun i -> Printf.sprintf "%s%d" t i) | [Str.Text t; Str.Delim _; Str.Text t'] -> (fun i -> Printf.sprintf "%s%d%s" t i t') | _ -> raise (Util.Fatal ( "The tag $VERSION should only appear " ^"once in the backupprefix and backupsuffix preferences.")) in make_prefix := makeFun (Prefs.read backupprefix); make_suffix := makeFun (Prefs.read backupsuffix); debug (fun () -> Util.msg "Prefix and suffix regexps for backup filenames have been updated\n") (*------------------------------------------------------------------------------------*) let makeBackupName path i = (* if backups are kept centrally, the current version has exactly the same name as the original, for convenience. *) if i=0 && Prefs.read backuplocation = "central" then path else Path.addSuffixToFinalName (Path.addPrefixToFinalName path (!make_prefix i)) (!make_suffix i) let stashDirectory fspath = match Prefs.read backuplocation with "central" -> backupDirectory () | "local" -> fspath | _ -> raise (Util.Fatal ("backuplocation preference should be set" ^"to central or local.")) let showContent typ fspath path = match typ with | `FILE -> Fingerprint.toString (Fingerprint.file fspath path) | `SYMLINK -> Os.readLink fspath path | `DIRECTORY -> "DIR" | `ABSENT -> "ABSENT" (* Generates a file name for a backup file. If backup file already exists, the old file will be renamed with the count incremented. The newest backup file is always the one with version number 1, larger numbers mean older files. *) (* BCP: Note that the way we keep bumping up the backup numbers on all existing backup files could make backups very expensive if someone sets maxbackups to a sufficiently large number! *) let backupPath fspath path = let sFspath = stashDirectory fspath in let rec f i = let tempPath = makeBackupName path i in if Os.exists sFspath tempPath then if i < Prefs.read maxbackups then Os.rename "backupPath" sFspath tempPath sFspath (f (i + 1)) else if i >= Prefs.read maxbackups then Os.delete sFspath tempPath; tempPath in let rec mkdirectories backdir = verbose (fun () -> Util.msg "mkdirectories %s %s\n" (Fspath.toDebugString sFspath) (Path.toString backdir)); if not (Os.exists sFspath Path.empty) then Os.createDir sFspath Path.empty Props.dirDefault; match Path.deconstructRev backdir with None -> () | Some (_, parent) -> mkdirectories parent; let props = (Fileinfo.get false sFspath Path.empty).Fileinfo.desc in if not (Os.exists sFspath backdir) then Os.createDir sFspath backdir props in let path0 = makeBackupName path 0 in let sourceTyp = (Fileinfo.get true fspath path).Fileinfo.typ in let path0Typ = (Fileinfo.get false sFspath path0).Fileinfo.typ in if ( sourceTyp = `FILE && path0Typ = `FILE && (Fingerprint.file fspath path) = (Fingerprint.file sFspath path0)) || ( sourceTyp = `SYMLINK && path0Typ = `SYMLINK && (Os.readLink fspath path) = (Os.readLink sFspath path0)) then begin debug (fun()-> Util.msg "[%s / %s] = [%s / %s] = %s: no need to back up\n" (Fspath.toDebugString sFspath) (Path.toString path0) (Fspath.toDebugString fspath) (Path.toString path) (showContent sourceTyp fspath path)); None end else begin debug (fun()-> Util.msg "stashed [%s / %s] = %s is not equal to new [%s / %s] = %s (or one is a dir): stash!\n" (Fspath.toDebugString sFspath) (Path.toString path0) (showContent path0Typ sFspath path0) (Fspath.toDebugString fspath) (Path.toString path) (showContent sourceTyp fspath path)); let sPath = f 0 in (* Make sure the parent directory exists *) begin match Path.deconstructRev sPath with | None -> mkdirectories Path.empty | Some (_, backdir) -> mkdirectories backdir end; Some(sFspath, sPath) end (*------------------------------------------------------------------------------------*) let backup fspath path (finalDisposition : [`AndRemove | `ByCopying]) arch = debug (fun () -> Util.msg "backup: %s / %s\n" (Fspath.toDebugString fspath) (Path.toString path)); Util.convertUnixErrorsToTransient "backup" (fun () -> let (workingDir,realPath) = Fspath.findWorkingDir fspath path in let disposeIfNeeded() = if finalDisposition = `AndRemove then Os.delete workingDir realPath in if not (Os.exists workingDir realPath) then debug (fun () -> Util.msg "File %s in %s does not exist, so no need to back up\n" (Path.toString path) (Fspath.toDebugString fspath)) else if shouldBackup path then begin match backupPath fspath path with None -> disposeIfNeeded() | Some (backRoot, backPath) -> debug (fun () -> Util.msg "Backing up %s / %s to %s in %s\n" (Fspath.toDebugString fspath) (Path.toString path) (Path.toString backPath) (Fspath.toDebugString backRoot)); let byCopying() = let rec copy p backp = let info = Fileinfo.get true fspath p in match info.Fileinfo.typ with | `SYMLINK -> debug (fun () -> Util.msg " Copying link %s / %s to %s / %s\n" (Fspath.toDebugString fspath) (Path.toString p) (Fspath.toDebugString backRoot) (Path.toString backp)); Os.symlink backRoot backp (Os.readLink fspath p) | `FILE -> debug (fun () -> Util.msg " Copying file %s / %s to %s / %s\n" (Fspath.toDebugString fspath) (Path.toString p) (Fspath.toDebugString backRoot) (Path.toString backp)); Copy.localFile fspath p backRoot backp backp `Copy info.Fileinfo.desc (Osx.ressLength info.Fileinfo.osX.Osx.ressInfo) None | `DIRECTORY -> debug (fun () -> Util.msg " Copying directory %s / %s to %s / %s\n" (Fspath.toDebugString fspath) (Path.toString p) (Fspath.toDebugString backRoot) (Path.toString backp)); Os.createDir backRoot backp info.Fileinfo.desc; let ch = Os.childrenOf fspath p in Safelist.iter (fun n -> copy (Path.child p n) (Path.child backp n)) ch | `ABSENT -> assert false in copy path backPath; debug (fun () -> Util.msg " Finished copying; deleting %s / %s\n" (Fspath.toDebugString fspath) (Path.toString path)); disposeIfNeeded() in begin if finalDisposition = `AndRemove then try (*FIX: this does the wrong thing with followed symbolic links!*) Os.rename "backup" workingDir realPath backRoot backPath with Util.Transient _ -> debug (fun () -> Util.msg "Rename failed -- copying instead\n"); byCopying() else byCopying() end; Update.iterFiles backRoot backPath arch Xferhint.insertEntry end else begin debug (fun () -> Util.msg "Path %s / %s does not need to be backed up\n" (Fspath.toDebugString fspath) (Path.toString path)); disposeIfNeeded() end) (*------------------------------------------------------------------------------------*) let rec stashCurrentVersion fspath path sourcePathOpt = if shouldBackupCurrent path then Util.convertUnixErrorsToTransient "stashCurrentVersion" (fun () -> let sourcePath = match sourcePathOpt with None -> path | Some p -> p in debug (fun () -> Util.msg "stashCurrentVersion of %s (drawn from %s) in %s\n" (Path.toString path) (Path.toString sourcePath) (Fspath.toDebugString fspath)); let stat = Fileinfo.get true fspath sourcePath in match stat.Fileinfo.typ with `ABSENT -> () | `DIRECTORY -> assert (sourcePathOpt = None); debug (fun () -> Util.msg "Stashing recursively because file is a directory\n"); ignore (Safelist.iter (fun n -> let pathChild = Path.child path n in if not (Globals.shouldIgnore pathChild) then stashCurrentVersion fspath (Path.child path n) None) (Os.childrenOf fspath path)) | `SYMLINK -> begin match backupPath fspath path with | None -> () | Some (stashFspath,stashPath) -> Os.symlink stashFspath stashPath (Os.readLink fspath sourcePath) end | `FILE -> begin match backupPath fspath path with | None -> () | Some (stashFspath, stashPath) -> Copy.localFile fspath sourcePath stashFspath stashPath stashPath `Copy stat.Fileinfo.desc (Osx.ressLength stat.Fileinfo.osX.Osx.ressInfo) None end) let _ = Update.setStasherFun (fun fspath path -> stashCurrentVersion fspath path None) (*------------------------------------------------------------------------------------*) (* This function tries to find a backup of a recent version of the file at location (fspath, path) in the current replica, matching the given fingerprint. If no file is found, then the functions returns None *without* searching on the other replica *) let getRecentVersion fspath path fingerprint = debug (fun () -> Util.msg "getRecentVersion of %s in %s\n" (Path.toString path) (Fspath.toDebugString fspath)); Util.convertUnixErrorsToTransient "getRecentVersion" (fun () -> let dir = stashDirectory fspath in let rec aux_find i = let path = makeBackupName path i in if Os.exists dir path && (let dig = Os.fingerprint dir path (Fileinfo.get false dir path) in dig = fingerprint) then begin debug (fun () -> Util.msg "recent version %s found in %s\n" (Path.toString path) (Fspath.toDebugString dir)); Some (Fspath.concat dir path) end else if i = Prefs.read maxbackups then begin debug (fun () -> Util.msg "No recent version was available for %s on this root.\n" (Fspath.toDebugString (Fspath.concat fspath path))); None end else aux_find (i+1) in aux_find 0) (*------------------------------------------------------------------------------------*) (* This function initializes the Stasher module according to the preferences defined in the profile. It should be called whenever a profile is reloaded. *) let initBackupsLocal () = debug (fun () -> Util.msg "initBackupsLocal\n"); translateOldPrefs (); addBackupFilesToIgnorePref (); updateBackupNamingFunctions () let initBackupsRoot: Common.root -> unit -> unit Lwt.t = Remote.registerRootCmd "initBackups" (fun (fspath, ()) -> Lwt.return (initBackupsLocal ())) let initBackups () = Lwt_unix.run ( Globals.allRootsIter (fun r -> initBackupsRoot r ())) unison-2.40.102/osx.ml0000644006131600613160000004502711453636173014561 0ustar bcpiercebcpierce(* Unison file synchronizer: src/osx.ml *) (* Copyright 1999-2009, Benjamin C. Pierce This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . *) (* See http://www.opensource.apple.com/source/copyfile/copyfile-42/copyfile.c *) let debug = Trace.debug "osx" (****) external isMacOSXPred : unit -> bool = "isMacOSX" let isMacOSX = isMacOSXPred () (****) let rsrcSync = Prefs.createBoolWithDefault "rsrc" "!synchronize resource forks (true/false/default)" "When set to {\\tt true}, this flag causes Unison to synchronize \ resource forks and HFS meta-data. On filesystems that do not \ natively support resource forks, this data is stored in \ Carbon-compatible .\\_ AppleDouble files. When the flag is set \ to {\\tt false}, Unison will not synchronize these data. \ Ordinarily, the flag is set to {\\tt default}, and these data are automatically synchronized if either host is running OSX. In \ rare circumstances it is useful to set the flag manually." (* Defining this variable as a preference ensures that it will be propagated to the other host during initialization *) let rsrc = Prefs.createBool "rsrc-aux" false "*synchronize resource forks and HFS meta-data" "" let init b = Prefs.set rsrc (Prefs.read rsrcSync = `True || (Prefs.read rsrcSync = `Default && b)) (****) let doubleMagic = "\000\005\022\007" let doubleVersion = "\000\002\000\000" let doubleFiller = String.make 16 '\000' let ressource_fork_empty_tag = "This resource fork intentionally left blank " let finfoLength = 32L let emptyFinderInfo () = String.make 32 '\000' let empty_ressource_fork = "\000\000\001\000" ^ "\000\000\001\000" ^ "\000\000\000\000" ^ "\000\000\000\030" ^ ressource_fork_empty_tag ^ String.make (66+128) '\000' ^ "\000\000\001\000" ^ "\000\000\001\000" ^ "\000\000\000\000" ^ "\000\000\000\030" ^ "\000\000\000\000" ^ "\000\000\000\000" ^ "\000\028\000\030" ^ "\255\255" let empty_attribute_chunk () = "\000\000" ^ (* pad *) "ATTR" ^ (* magic *) "\000\000\000\000" ^ (* debug tag *) "\000\000\014\226" ^ (* total size *) "\000\000\000\156" ^ (* data_start *) "\000\000\000\000" ^ (* data_length *) "\000\000\000\000" ^ (* reserved *) "\000\000\000\000" ^ "\000\000\000\000" ^ "\000\000" ^ (* flags *) "\000\000" ^ (* num_attrs *) String.make 3690 '\000' let getInt2 buf ofs = (Char.code buf.[ofs]) * 256 + Char.code buf.[ofs + 1] let getInt4 buf ofs = let get i = Int64.of_int (Char.code buf.[ofs + i]) in let combine x y = Int64.logor (Int64.shift_left x 8) y in combine (combine (combine (get 0) (get 1)) (get 2)) (get 3) let getID buf ofs = let get i = Char.code buf.[ofs + i] in if get ofs <> 0 || get (ofs + 1) <> 0 || get (ofs + 2) <> 0 then `UNKNOWN else match get (ofs + 3) with 2 -> `RSRC | 9 -> `FINFO | _ -> `UNKNOWN let setInt4 v = let s = String.create 4 in let set i = s.[i] <- Char.chr (Int64.to_int (Int64.logand 255L (Int64.shift_right v (24 - 8 * i)))) in set 0; set 1; set 2; set 3; s let fail dataFspath dataPath doubleFspath msg = debug (fun () -> Util.msg "called 'fail'"); raise (Util.Transient (Format.sprintf "The AppleDouble Header file '%s' \ associated to data file %s is malformed: %s" (Fspath.toPrintString doubleFspath) (Fspath.toPrintString (Fspath.concat dataFspath dataPath)) msg)) let readDouble dataFspath dataPath doubleFspath inch len = let buf = String.create len in begin try really_input inch buf 0 len with End_of_file -> fail dataFspath dataPath doubleFspath "truncated" end; buf let readDoubleFromOffset dataFspath dataPath doubleFspath inch offset len = LargeFile.seek_in inch offset; readDouble dataFspath dataPath doubleFspath inch len let writeDoubleFromOffset outch offset str = LargeFile.seek_out outch offset; output_string outch str let protect f g = try f () with Sys_error _ | Unix.Unix_error _ | Util.Transient _ as e -> begin try g () with Sys_error _ | Unix.Unix_error _ -> () end; raise e let openDouble dataFspath dataPath = let doubleFspath = Fspath.appleDouble (Fspath.concat dataFspath dataPath) in let inch = try Fs.open_in_bin doubleFspath with Sys_error _ -> raise Not_found in protect (fun () -> Util.convertUnixErrorsToTransient "opening AppleDouble file" (fun () -> let header = readDouble dataFspath dataPath doubleFspath inch 26 in if String.sub header 0 4 <> doubleMagic then fail dataFspath dataPath doubleFspath "bad magic number"; if String.sub header 4 4 <> doubleVersion then fail dataFspath dataPath doubleFspath "bad version"; let numEntries = getInt2 header 24 in let entries = ref [] in for i = 1 to numEntries do let entry = readDouble dataFspath dataPath doubleFspath inch 12 in let id = getID entry 0 in let ofs = getInt4 entry 4 in let len = getInt4 entry 8 in entries := (id, (ofs, len)) :: !entries done; (doubleFspath, inch, !entries))) (fun () -> close_in_noerr inch) (****) type 'a ressInfo = NoRess | HfsRess of Uutil.Filesize.t | AppleDoubleRess of int * float * float * Uutil.Filesize.t * 'a type ressStamp = unit ressInfo let ressStampToString r = match r with NoRess -> "NoRess" | HfsRess len -> Format.sprintf "Hfs(%s)" (Uutil.Filesize.toString len) | AppleDoubleRess (ino, mtime, ctime, len, _) -> Format.sprintf "Hfs(%d,%f,%f,%s)" ino mtime ctime (Uutil.Filesize.toString len) type info = { ressInfo : (Fspath.t * int64) ressInfo; finfo : string } external getFileInfosInternal : System.fspath -> bool -> string * int64 = "getFileInfos" external setFileInfosInternal : System.fspath -> string -> unit = "setFileInfos" let defaultInfos typ = match typ with `FILE -> { ressInfo = NoRess; finfo = "F" } | `DIRECTORY -> { ressInfo = NoRess; finfo = "D" } | _ -> { ressInfo = NoRess; finfo = "" } let noTypeCreator = String.make 10 '\000' (* Remove trailing zeroes *) let trim s = let rec trim_rec s pos = if pos > 0 && s.[pos - 1] = '\000' then trim_rec s (pos - 1) else String.sub s 0 pos in trim_rec s (String.length s) let extractInfo typ info = let flags = String.sub info 8 2 in let xflags = String.sub info 24 2 in let typeCreator = String.sub info 0 8 in (* Ignore hasBeenInited flag *) flags.[0] <- Char.chr (Char.code flags.[0] land 0xfe); (* If the extended flags should be ignored, clear them *) let xflags = if Char.code xflags.[0] land 0x80 <> 0 then "\000\000" else xflags in let info = match typ with `FILE -> "F" ^ typeCreator ^ flags ^ xflags | `DIRECTORY -> "D" ^ flags ^ xflags in trim info let getFileInfos dataFspath dataPath typ = if not (Prefs.read rsrc) then defaultInfos typ else match typ with (`FILE | `DIRECTORY) as typ -> Util.convertUnixErrorsToTransient "getting file informations" (fun () -> try let (fInfo, rsrcLength) = getFileInfosInternal (Fspath.toSysPath (Fspath.concat dataFspath dataPath)) (typ = `FILE) in { ressInfo = if rsrcLength = 0L then NoRess else HfsRess (Uutil.Filesize.ofInt64 rsrcLength); finfo = extractInfo typ fInfo } with Unix.Unix_error ((Unix.EOPNOTSUPP | Unix.ENOSYS), _, _) -> (* Not a HFS volume. Look for an AppleDouble file *) try let (workingDir, realPath) = Fspath.findWorkingDir dataFspath dataPath in let (doubleFspath, inch, entries) = openDouble workingDir realPath in let (rsrcOffset, rsrcLength) = try let (offset, len) = Safelist.assoc `RSRC entries in (* We need to check that the ressource fork is not a dummy one included for compatibility reasons *) if len = 286L && protect (fun () -> LargeFile.seek_in inch (Int64.add offset 16L); let len = String.length ressource_fork_empty_tag in let buf = String.create len in really_input inch buf 0 len; buf = ressource_fork_empty_tag) (fun () -> close_in_noerr inch) then (0L, 0L) else (offset, len) with Not_found -> (0L, 0L) in debug (fun () -> Util.msg "AppleDouble for file %s / %s: ressource fork length: %d\n" (Fspath.toDebugString dataFspath) (Path.toString dataPath) (Int64.to_int rsrcLength)); let finfo = protect (fun () -> try let (ofs, len) = Safelist.assoc `FINFO entries in if len < finfoLength then fail dataFspath dataPath doubleFspath "bad finder info"; readDoubleFromOffset dataFspath dataPath doubleFspath inch ofs 32 with Not_found -> String.make 32 '\000') (fun () -> close_in_noerr inch) in close_in inch; let stats = Util.convertUnixErrorsToTransient "stating AppleDouble file" (fun () -> Fs.stat doubleFspath) in { ressInfo = if rsrcLength = 0L then NoRess else AppleDoubleRess (begin match Util.osType with `Win32 -> 0 | `Unix -> (* The inode number is truncated so that it fits in a 31 bit ocaml integer *) stats.Unix.LargeFile.st_ino land 0x3FFFFFFF end, stats.Unix.LargeFile.st_mtime, begin match Util.osType with `Win32 -> (* Was "stats.Unix.LargeFile.st_ctime", but this was bogus: Windows ctimes are not reliable. [BCP, Apr 07] *) 0. | `Unix -> 0. end, Uutil.Filesize.ofInt64 rsrcLength, (doubleFspath, rsrcOffset)); finfo = extractInfo typ finfo } with Not_found -> defaultInfos typ) | _ -> defaultInfos typ let zeroes = String.make 13 '\000' let insertInfo fullInfo info = let info = info ^ zeroes in let isFile = info.[0] = 'F' in let offset = if isFile then 9 else 1 in (* Type and creator *) if isFile then String.blit info 1 fullInfo 0 8; (* Finder flags *) String.blit info offset fullInfo 8 2; (* Extended finder flags *) String.blit info (offset + 2) fullInfo 24 2; fullInfo let setFileInfos dataFspath dataPath finfo = assert (finfo <> ""); Util.convertUnixErrorsToTransient "setting file informations" (fun () -> try let p = Fspath.toSysPath (Fspath.concat dataFspath dataPath) in let (fullFinfo, _) = getFileInfosInternal p false in setFileInfosInternal p (insertInfo fullFinfo finfo) with Unix.Unix_error ((Unix.EOPNOTSUPP | Unix.ENOSYS), _, _) -> (* Not an HFS volume. Look for an AppleDouble file *) let (workingDir, realPath) = Fspath.findWorkingDir dataFspath dataPath in begin try let (doubleFspath, inch, entries) = openDouble workingDir realPath in begin try let (ofs, len) = Safelist.assoc `FINFO entries in if len < finfoLength then fail dataFspath dataPath doubleFspath "bad finder info"; let fullFinfo = protect (fun () -> let res = readDoubleFromOffset dataFspath dataPath doubleFspath inch ofs 32 in close_in inch; res) (fun () -> close_in_noerr inch) in let outch = Fs.open_out_gen [Open_wronly; Open_binary] 0o600 doubleFspath in protect (fun () -> writeDoubleFromOffset outch ofs (insertInfo fullFinfo finfo); close_out outch) (fun () -> close_out_noerr outch); with Not_found -> close_in_noerr inch; raise (Util.Transient (Format.sprintf "Unable to set the file type and creator: \n\ The AppleDouble file '%s' has no fileinfo entry." (Fspath.toPrintString doubleFspath))) end with Not_found -> (* No AppleDouble file, create one if needed. *) if finfo <> "F" && finfo <> "D" then begin let doubleFspath = Fspath.appleDouble (Fspath.concat workingDir realPath) in let outch = Fs.open_out_gen [Open_wronly; Open_creat; Open_excl; Open_binary] 0o600 doubleFspath in (* Apparently, for compatibility with various old versions of Mac OS X that did not follow the AppleDouble specification, we have to include a dummy ressource fork... We also put an empty extended attribute section at the end of the finder info section, mimicking the Mac OS X kernel behavior. *) protect (fun () -> output_string outch doubleMagic; output_string outch doubleVersion; output_string outch doubleFiller; output_string outch "\000\002"; (* Two entries *) output_string outch "\000\000\000\009"; (* Finder info *) output_string outch "\000\000\000\050"; (* offset *) output_string outch "\000\000\014\176"; (* length *) output_string outch "\000\000\000\002"; (* Ressource fork *) output_string outch "\000\000\014\226"; (* offset *) output_string outch "\000\000\001\030"; (* length *) output_string outch (insertInfo (emptyFinderInfo ()) finfo); output_string outch (empty_attribute_chunk ()); (* extended attributes *) output_string outch empty_ressource_fork; close_out outch) (fun () -> close_out_noerr outch) end end) let ressUnchanged info info' t0 dataUnchanged = match info, info' with NoRess, NoRess -> true | HfsRess len, HfsRess len' -> dataUnchanged && len = len' | AppleDoubleRess (ino, mt, ct, _, _), AppleDoubleRess (ino', mt', ct', _, _) -> ino = ino' && mt = mt' && ct = ct' && if Some mt' <> t0 then true else begin begin try Unix.sleep 1 with Unix.Unix_error _ -> () end; false end | _ -> false (****) let name1 = Name.fromString "..namedfork" let name2 = Name.fromString "rsrc" let ressPath p = Path.child (Path.child p name1) name2 let stamp info = match info.ressInfo with NoRess -> NoRess | (HfsRess len) as s -> s | AppleDoubleRess (inode, mtime, ctime, len, _) -> AppleDoubleRess (inode, mtime, ctime, len, ()) let ressFingerprint fspath path info = match info.ressInfo with NoRess -> Fingerprint.dummy | HfsRess _ -> Fingerprint.file fspath (ressPath path) | AppleDoubleRess (_, _, _, len, (path, offset)) -> debug (fun () -> Util.msg "ressource fork fingerprint: path %s, offset %d, len %d" (Fspath.toString path) (Int64.to_int offset) (Uutil.Filesize.toInt len)); Fingerprint.subfile path offset len let ressLength ress = match ress with NoRess -> Uutil.Filesize.zero | HfsRess len -> len | AppleDoubleRess (_, _, _, len, _) -> len let ressDummy = NoRess (****) let openRessIn fspath path = Util.convertUnixErrorsToTransient "reading resource fork" (fun () -> try Unix.in_channel_of_descr (Fs.openfile (Fspath.concat fspath (ressPath path)) [Unix.O_RDONLY] 0o444) with Unix.Unix_error ((Unix.ENOENT | Unix.ENOTDIR), _, _) -> let (doublePath, inch, entries) = openDouble fspath path in try let (rsrcOffset, rsrcLength) = Safelist.assoc `RSRC entries in protect (fun () -> LargeFile.seek_in inch rsrcOffset) (fun () -> close_in_noerr inch); inch with Not_found -> close_in_noerr inch; raise (Util.Transient "No resource fork found")) let openRessOut fspath path length = Util.convertUnixErrorsToTransient "writing resource fork" (fun () -> try Unix.out_channel_of_descr (Fs.openfile (Fspath.concat fspath (ressPath path)) [Unix.O_WRONLY;Unix.O_TRUNC] 0o600) with Unix.Unix_error ((Unix.ENOENT | Unix.ENOTDIR), _, _) -> let path = Fspath.appleDouble (Fspath.concat fspath path) in let outch = Fs.open_out_gen [Open_wronly; Open_creat; Open_excl; Open_binary] 0o600 path in protect (fun () -> output_string outch doubleMagic; output_string outch doubleVersion; output_string outch doubleFiller; output_string outch "\000\002"; (* Two entries *) output_string outch "\000\000\000\009"; (* Finder info *) output_string outch "\000\000\000\050"; (* offset *) output_string outch "\000\000\014\176"; (* length *) output_string outch "\000\000\000\002"; (* Resource fork *) output_string outch "\000\000\014\226"; (* offset *) (* FIX: should check for overflow! *) output_string outch (setInt4 (Uutil.Filesize.toInt64 length)); (* length *) output_string outch (emptyFinderInfo ()); output_string outch (empty_attribute_chunk ()); (* extended attributes *) flush outch) (fun () -> close_out_noerr outch); outch) unison-2.40.102/BUGS.txt0000644006131600613160000001422511361646373014714 0ustar bcpiercebcpierce OUTSTANDING UNISON BUGS ======================= SHOWSTOPPERS ============ Mac OSX, Windows XP: - Unison does not understand extended attributes (OSX) or alternate data streams (XP) and will not synchronize them properly. Linux, Solaris: - None known. --------------------------------------------------------------------------- SERIOUS ======= [June 2006, Jim] By the way, there is a bug if you are doing a merge and are propagating times, the times of the merged file end up different so you have to sync again. I guess this might be a feature, I don't know which way to propagate the times... ==> Best to make them both equal to the time of merging [July 2002, Findler] I get this message from unison: Fatal error: Internal error: New archives are not identical. Retaining original archives. Please run Unison again to bring them up to date. If you get this message again, please notify unison-help@cis.upenn.edu. and I think that I know what's going wrong. Unison is somehow using a key consisting of the result of `hostname' (and maybe other stuff) to uniquely identify an archive. I have two macos x machine and I use both of them to sync to a third (solaris) place. The problem seems to be that unison can't tell the difference between two macos x machines, since the default setup under macos x always gives the hostname "localhost". -- So, I wonder if there is some other way to distinguish the two hostnames. Things that come to mind: ip addresses (but that can be bad if the machine moves around), ethernet addresses (but my laptop has two of them -- still better than ip addresses, I think) or perhaps some macos-specific mechanism for getting the macos name of the computer. -- For now, I've just changed the result of `hostname' on one of my machines, but I just made up something that no DNS server agrees with, so that might cause me trouble down the line, I'd bet. ===> We should use some more information to make sure the archive names are unique enough. But what, exactly? [APril 2002, Jason Eisner] Recently I found an aliasing problem that may endanger Unison's semantics. -- The problem is with the "follow" directive, which is documented like this: "Including the preference -follow causes Unison to treat symbolic links matching as 'invisible' and behave as if the thing pointed to by the link had appeared literally at this place in the replica." -- If one of these invisible (elsewhere called "transparent") symlinks points outside the replica, all is well and good. But if it points to something in the replica, then Unison now has two names for the same file. It doesn't currently detect the aliasing. As a result, it keeps separate information for the two names in the archive files. [A long example is in a mailmessage in BCP's files] starting Unison on two non-existent local directories leads to an assertion failure in path.ml --------------------------------------------------------------------------- MINOR ===== Sascha Kuzins [July 2002] The server crashes everytime the client is finished. "Fatal Error: Error in waiting on port: " "The network name is not available anymore" (rough translation from German) I use Unison on two XP Professional machines, German versions, with the simple tcp connection. BCP [May 2002] The "rescan paths that failed previous sync" function misses some files. E.g., if a directory has failed to transfer because the disk ran out of space and I hit 'f', it will come back with "Everything is up to date", even though doing a full re-sync will again recognize the directory as needing to be transferred. Jason Eisner [April, 2002] The Merge feature does not appear to modify file times. Thus, when times=true, using the Merge feature on changed ? changed myfile turns it into props ? props myfile and to finish the sync, I have to decide which file time "wins." This differs from the behavior that I would expect and find more convenient: namely, if I perform the merge at 3pm, then it counts as a change to BOTH replicas of myfile and they should both end up with a time of 3pm. So I'd suggest that myfile in the local replica should have its modtime as well as its contents changed to that of #unisonmerged-myfile (the temporary file produced by the Merge program). Then this modtime and contents should be propagated to the remote myfile as usual, handling clock skew as for any other propagation. Other file properties should probably NOT be propagated. Karl Moerder: The synchronization of modification times does not work on directories (WinNT folders) or on read-only files. I found this when I tried to synchronize mod times on an otherwise synchronized tree. It failed gracefully on these. The "[click..." message is a nice touch. ==> [Nothing we can do for read-only files; need to patch ocaml for directories...] "After I synchronized two directories I created a new profile, which defaulted to the same directories. I synchronized again (no changes, which was fine) but the Unison program did not save the directory names in the new profile. Later attemts to use that new profile failed, of course, and further random clicking resulted in a message asking me to delete non-existent lock files. I responded by exiting the program, manually deleting the .prf file, and starting over. This is a minor bug, I suppose, the root cause of which is the failure to save the directory names in a new profile when they were copied unchanged from a previous profile and/or no files had changed in these directories -- the type of bug that can only affect a new user, and so easy to overlook in testing." The "Diff" window [under Windows] sometimes shows nothing. Does this arise from a missing "Diff" program? We should detect this case! --------------------------------------------------------------------------- COSMETIC ======== Interactively adding an ignore pattern for src will not make src/RECENTNEWS immediately disappear (as it does not directly match the pattern)... unison-2.40.102/recon.ml0000644006131600613160000007256111453636173015061 0ustar bcpiercebcpierce(* Unison file synchronizer: src/recon.ml *) (* Copyright 1999-2009, Benjamin C. Pierce This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . *) open Common (* ------------------------------------------------------------------------- *) (* Handling of prefer/force *) (* ------------------------------------------------------------------------- *) let debug = Trace.debug "recon" let setDirection ri dir force = match ri.replicas with Different ({rc1 = rc1; rc2 = rc2; direction = d; default_direction = default } as diff) when force=`Force || default=Conflict -> if dir=`Replica1ToReplica2 then diff.direction <- Replica1ToReplica2 else if dir=`Replica2ToReplica1 then diff.direction <- Replica2ToReplica1 else if dir=`Merge then begin if Globals.shouldMerge ri.path1 then diff.direction <- Merge end else begin (* dir = `Older or dir = `Newer *) match rc1.status, rc2.status with `Deleted, _ -> if default=Conflict then diff.direction <- Replica2ToReplica1 | _, `Deleted -> if default=Conflict then diff.direction <- Replica1ToReplica2 | _ -> let comp = Props.time rc1.desc -. Props.time rc2.desc in let comp = if dir=`Newer then -. comp else comp in if comp<0.0 then diff.direction <- Replica1ToReplica2 else diff.direction <- Replica2ToReplica1 end | _ -> () let revertToDefaultDirection ri = match ri.replicas with Different diff -> diff.direction <- diff.default_direction | _ -> () (* Find out which direction we need to propagate changes if we want to *) (* consider the given root to be the "truth" *) (* -- *) (* root := "older" | "newer" | *) (* return value := 'Older | 'Newer | 'Replica1ToReplica2 | *) (* 'Replica2ToReplica1 *) (* -- *) let root2direction root = if root="older" then `Older else if root="newer" then `Newer else let (r1, r2) = Globals.rawRootPair () in debug (fun() -> Printf.eprintf "root2direction called to choose %s from %s and %s\n" root r1 r2); if r1 = root then `Replica1ToReplica2 else if r2 = root then `Replica2ToReplica1 else raise (Util.Fatal (Printf.sprintf "%s (given as argument to 'prefer' or 'force' preference)\nis not one of \ the current roots:\n %s\n %s" root r1 r2)) let forceRoot: string Prefs.t = Prefs.createString "force" "" "!force changes from this replica to the other" ("Including the preference \\texttt{-force \\ARG{root}} causes Unison to " ^ "resolve all differences (even non-conflicting changes) in favor of " ^ "\\ARG{root}. " ^ "This effectively changes Unison from a synchronizer into a mirroring " ^ "utility. \n\n" ^ "You can also specify \\verb|-force newer| (or \\verb|-force older|) " ^ "to force Unison to choose the file with the later (earlier) " ^ "modtime. In this case, the \\verb|-times| preference must also " ^ "be enabled.\n\n" ^ "This preference is overridden by the \\verb|forcepartial| preference.\n\n" ^ "This preference should be used only if you are {\\em sure} you " ^ "know what you are doing!") let forceRootPartial: Pred.t = Pred.create "forcepartial" ~advanced:true ("Including the preference \\texttt{forcepartial = \\ARG{PATHSPEC} -> \\ARG{root}} causes Unison to " ^ "resolve all differences (even non-conflicting changes) in favor of " ^ "\\ARG{root} for the files in \\ARG{PATHSPEC} (see \\sectionref{pathspec}{Path Specification} " ^ "for more information). " ^ "This effectively changes Unison from a synchronizer into a mirroring " ^ "utility. \n\n" ^ "You can also specify \\verb|forcepartial PATHSPEC -> newer| " ^ "(or \\verb|forcepartial PATHSPEC older|) " ^ "to force Unison to choose the file with the later (earlier) " ^ "modtime. In this case, the \\verb|-times| preference must also " ^ "be enabled.\n\n" ^ "This preference should be used only if you are {\\em sure} you " ^ "know what you are doing!") let preferRoot: string Prefs.t = Prefs.createString "prefer" "" "!choose this replica's version for conflicting changes" ("Including the preference \\texttt{-prefer \\ARG{root}} causes Unison always to " ^ "resolve conflicts in favor of \\ARG{root}, rather than asking for " ^ "guidance from the user. (The syntax of \\ARG{root} is the same as " ^ "for the \\verb|root| preference, plus the special values " ^ "\\verb|newer| and \\verb|older|.) \n\n" ^ "This preference is overridden by the \\verb|preferpartial| preference.\n\n" ^ "This preference should be used only if you are {\\em sure} you " ^ "know what you are doing!") let preferRootPartial: Pred.t = Pred.create "preferpartial" ~advanced:true ("Including the preference \\texttt{preferpartial = \\ARG{PATHSPEC} -> \\ARG{root}} " ^ "causes Unison always to " ^ "resolve conflicts in favor of \\ARG{root}, rather than asking for " ^ "guidance from the user, for the files in \\ARG{PATHSPEC} (see " ^ "\\sectionref{pathspec}{Path Specification} " ^ "for more information). (The syntax of \\ARG{root} is the same as " ^ "for the \\verb|root| preference, plus the special values " ^ "\\verb|newer| and \\verb|older|.) \n\n" ^ "This preference should be used only if you are {\\em sure} you " ^ "know what you are doing!") (* [lookupPreferredRoot (): string * [`Force | `Prefer]] checks validity of *) (* preferences "force"/"preference", returns a pair (root, force) *) let lookupPreferredRoot () = if Prefs.read forceRoot <> "" then (Prefs.read forceRoot, `Force) else if Prefs.read preferRoot <> "" then (Prefs.read preferRoot, `Prefer) else ("",`Prefer) (* [lookupPreferredRootPartial: Path.t -> string * [`Force | `Prefer]] checks validity of *) (* preferences "forcepartial", returns a pair (root, force) *) let lookupPreferredRootPartial p = let s = Path.toString p in if Pred.test forceRootPartial s then (Pred.assoc forceRootPartial s, `Force) else if Pred.test preferRootPartial s then (Pred.assoc preferRootPartial s, `Prefer) else ("",`Prefer) let noDeletion = Prefs.createStringList "nodeletion" "prevent file deletions on one replica" ("Including the preference \\texttt{-nodeletion \\ARG{root}} prevents \ Unison from performing any file deletion on root \\ARG{root}.\n\n\ This preference can be included twice, once for each root, if you \ want to prevent any deletion.") let noUpdate = Prefs.createStringList "noupdate" "prevent file updates and deletions on one replica" ("Including the preference \\texttt{-noupdate \\ARG{root}} prevents \ Unison from performing any file update or deletion on root \ \\ARG{root}.\n\n\ This preference can be included twice, once for each root, if you \ want to prevent any update.") let noCreation = Prefs.createStringList "nocreation" "prevent file creations on one replica" ("Including the preference \\texttt{-nocreation \\ARG{root}} prevents \ Unison from performing any file creation on root \\ARG{root}.\n\n\ This preference can be included twice, once for each root, if you \ want to prevent any creation.") let noDeletionPartial = Pred.create "nodeletionpartial" ~advanced:true ("Including the preference \ \\texttt{nodeletionpartial = \\ARG{PATHSPEC} -> \\ARG{root}} prevents \ Unison from performing any file deletion in \\ARG{PATHSPEC} \ on root \\ARG{root} (see \\sectionref{pathspec}{Path Specification} \ for more information). It is recommended to use {\\tt BelowPath} \ patterns when selecting a directory and all its contents.") let noUpdatePartial = Pred.create "noupdatepartial" ~advanced:true ("Including the preference \ \\texttt{noupdatepartial = \\ARG{PATHSPEC} -> \\ARG{root}} prevents \ Unison from performing any file update or deletion in \ \\ARG{PATHSPEC} on root \\ARG{root} (see \ \\sectionref{pathspec}{Path Specification} for more information). \ It is recommended to use {\\tt BelowPath} \ patterns when selecting a directory and all its contents.") let noCreationPartial = Pred.create "nocreationpartial" ~advanced:true ("Including the preference \ \\texttt{nocreationpartial = \\ARG{PATHSPEC} -> \\ARG{root}} prevents \ Unison from performing any file creation in \\ARG{PATHSPEC} \ on root \\ARG{root} (see \\sectionref{pathspec}{Path Specification} \ for more information). \ It is recommended to use {\\tt BelowPath} \ patterns when selecting a directory and all its contents.") let partialCancelPref actionKind = match actionKind with `DELETION -> noDeletionPartial | `UPDATE -> noUpdatePartial | `CREATION -> noCreationPartial let cancelPref actionKind = match actionKind with `DELETION -> noDeletion | `UPDATE -> noUpdate | `CREATION -> noCreation let actionKind fromRc toRc = let fromTyp = fromRc.typ in let toTyp = toRc.typ in if fromTyp = toTyp then `UPDATE else if toTyp = `ABSENT then `CREATION else `DELETION let shouldCancel path rc1 rc2 root2 = let test kind = List.mem root2 (Prefs.read (cancelPref kind)) || List.mem root2 (Pred.assoc_all (partialCancelPref kind) path) in match actionKind rc1 rc2 with `UPDATE -> test `UPDATE | `DELETION -> test `UPDATE || test `DELETION | `CREATION -> test `CREATION let filterRi root1 root2 ri = match ri.replicas with Problem _ -> () | Different diff -> if match diff.direction with Replica1ToReplica2 -> shouldCancel (Path.toString ri.path1) diff.rc1 diff.rc2 root2 | Replica2ToReplica1 -> shouldCancel (Path.toString ri.path1) diff.rc2 diff.rc1 root1 | Conflict | Merge -> false then diff.direction <- Conflict let filterRis ris = let (root1, root2) = Globals.rawRootPair () in Safelist.iter (fun ri -> filterRi root1 root2 ri) ris (* Use the current values of the '-prefer ' and '-force ' *) (* preferences to override the reconciler's choices *) let overrideReconcilerChoices ris = let (root,force) = lookupPreferredRoot() in if root<>"" then begin let dir = root2direction root in Safelist.iter (fun ri -> setDirection ri dir force) ris end; Safelist.iter (fun ri -> let (rootp,forcep) = lookupPreferredRootPartial ri.path1 in if rootp<>"" then begin let dir = root2direction rootp in setDirection ri dir forcep end) ris; filterRis ris (* Look up the preferred root and verify that it is OK (this is called at *) (* the beginning of the run, so that we don't have to wait to hear about *) (* errors *) let checkThatPreferredRootIsValid () = let test_root predname = function | "" | "newer" -> () | "older" as r -> if not (Prefs.read Props.syncModtimes) then raise (Util.Transient (Printf.sprintf "The '%s=%s' preference can only be used with 'times=true'" predname r)) | r -> ignore (root2direction r) in let (root,pred) = lookupPreferredRoot() in if root<>"" then test_root (match pred with `Force -> "force" | `Prefer -> "prefer") root; Safelist.iter (test_root "forcepartial") (Pred.extern_associated_strings forceRootPartial); Safelist.iter (test_root "preferpartial") (Pred.extern_associated_strings preferRootPartial); let checkPref extract (pref, prefName) = try let root = List.find (fun r -> not (List.mem r (Globals.rawRoots ()))) (extract pref) in let (r1, r2) = Globals.rawRootPair () in raise (Util.Fatal (Printf.sprintf "%s (given as argument to '%s' preference)\n\ is not one of the current roots:\n %s\n %s" root prefName r1 r2)) with Not_found -> () in List.iter (checkPref Prefs.read) [noDeletion, "nodeletion"; noUpdate, "noupdate"; noCreation, "nocreation"]; List.iter (checkPref Pred.extern_associated_strings) [noDeletionPartial, "nodeletionpartial"; noUpdatePartial, "noupdatepartial"; noCreationPartial, "nocreationpartial"] (* ------------------------------------------------------------------------- *) (* Main Reconciliation stuff *) (* ------------------------------------------------------------------------- *) exception UpdateError of string let rec checkForError ui = match ui with NoUpdates -> () | Error err -> raise (UpdateError err) | Updates (uc, _) -> match uc with Dir (_, children, _, _) -> Safelist.iter (fun (_, uiSub) -> checkForError uiSub) children | Absent | File _ | Symlink _ -> () let rec collectErrors ui rem = match ui with NoUpdates -> rem | Error err -> err :: rem | Updates (uc, _) -> match uc with Dir (_, children, _, _) -> Safelist.fold_right (fun (_, uiSub) rem -> collectErrors uiSub rem) children rem | Absent | File _ | Symlink _ -> rem (* lifting errors in individual updates to replica problems *) let propagateErrors allowPartial (rplc: Common.replicas): Common.replicas = match rplc with Problem _ -> rplc | Different diff when allowPartial -> Different { diff with errors1 = collectErrors diff.rc1.ui []; errors2 = collectErrors diff.rc2.ui [] } | Different diff -> try checkForError diff.rc1.ui; try checkForError diff.rc2.ui; rplc with UpdateError err -> Problem ("[root 2]: " ^ err) with UpdateError err -> Problem ("[root 1]: " ^ err) type singleUpdate = Rep1Updated | Rep2Updated let update2replicaContent path (conflict: bool) ui props ucNew oldType: Common.replicaContent = let size = Update.updateSize path ui in match ucNew with Absent -> {typ = `ABSENT; status = `Deleted; desc = Props.dummy; ui = ui; size = size; props = props} | File (desc, ContentsSame) -> {typ = `FILE; status = `PropsChanged; desc = desc; ui = ui; size = size; props = props} | File (desc, _) when oldType <> `FILE -> {typ = `FILE; status = `Created; desc = desc; ui = ui; size = size; props = props} | File (desc, ContentsUpdated _) -> {typ = `FILE; status = `Modified; desc = desc; ui = ui; size = size; props = props} | Symlink l when oldType <> `SYMLINK -> {typ = `SYMLINK; status = `Created; desc = Props.dummy; ui = ui; size = size; props = props} | Symlink l -> {typ = `SYMLINK; status = `Modified; desc = Props.dummy; ui = ui; size = size; props = props} | Dir (desc, _, _, _) when oldType <> `DIRECTORY -> {typ = `DIRECTORY; status = `Created; desc = desc; ui = ui; size = size; props = props} | Dir (desc, _, PropsUpdated, _) -> {typ = `DIRECTORY; status = `PropsChanged; desc = desc; ui = ui; size = size; props = props} | Dir (desc, _, PropsSame, _) when conflict -> (* Special case: the directory contents has been modified and the *) (* directory is in conflict. (We don't want to display a conflict *) (* between an unchanged directory and a file, for instance: this would *) (* be rather puzzling to the user) *) {typ = `DIRECTORY; status = `Modified; desc = desc; ui = ui; size = size; props = props} | Dir (desc, _, PropsSame, _) -> {typ = `DIRECTORY; status = `Unchanged; desc =desc; ui = ui; size = size; props = props} let oldType (prev: Common.prevState): Fileinfo.typ = match prev with Previous (typ, _, _, _) -> typ | New -> `ABSENT let oldDesc (prev: Common.prevState): Props.t = match prev with Previous (_, desc, _, _) -> desc | New -> Props.dummy (* [describeUpdate ui] returns the replica contents for both the case of *) (* updating and the case of non-updating *) let describeUpdate path props' ui props : Common.replicaContent * Common.replicaContent = match ui with Updates (ucNewStatus, prev) -> let typ = oldType prev in (update2replicaContent path false ui props ucNewStatus typ, {typ = typ; status = `Unchanged; desc = oldDesc prev; ui = NoUpdates; size = Update.updateSize path NoUpdates; props = props'}) | _ -> assert false (* Computes the reconItems when only one side has been updated. (We split *) (* this out into a separate function to avoid duplicating all the symmetric *) (* cases.) *) let rec reconcileNoConflict allowPartial path props' ui props whatIsUpdated (result: (Name.t * Name.t, Common.replicas) Tree.u) : (Name.t * Name.t, Common.replicas) Tree.u = let different() = let rcUpdated, rcNotUpdated = describeUpdate path props' ui props in match whatIsUpdated with Rep2Updated -> Different {rc1 = rcNotUpdated; rc2 = rcUpdated; direction = Replica2ToReplica1; default_direction = Replica2ToReplica1; errors1 = []; errors2 = []} | Rep1Updated -> Different {rc1 = rcUpdated; rc2 = rcNotUpdated; direction = Replica1ToReplica2; default_direction = Replica1ToReplica2; errors1 = []; errors2 = []} in match ui with | NoUpdates -> result | Error err -> Tree.add result (Problem err) | Updates (Dir (desc, children, permchg, _), Previous(`DIRECTORY, _, _, _)) -> let r = if permchg = PropsSame then result else Tree.add result (different ()) in Safelist.fold_left (fun result (theName, uiChild) -> Tree.leave (reconcileNoConflict allowPartial (Path.child path theName) [] uiChild [] whatIsUpdated (Tree.enter result (theName, theName)))) r children | Updates _ -> Tree.add result (propagateErrors allowPartial (different ())) (* [combineChildrn children1 children2] combines two name-sorted lists of *) (* type [(Name.t * Common.updateItem) list] to a single list of type *) (* [(Name.t * Common.updateItem * Common.updateItem] *) let combineChildren children1 children2 = (* NOTE: This function assumes children1 and children2 are sorted. *) let rec loop r children1 children2 = match children1,children2 with [],_ -> Safelist.rev_append r (Safelist.map (fun (name,ui) -> (name,NoUpdates,name,ui)) children2) | _,[] -> Safelist.rev_append r (Safelist.map (fun (name,ui) -> (name,ui,name,NoUpdates)) children1) | (name1,ui1)::rem1, (name2,ui2)::rem2 -> let dif = Name.compare name1 name2 in if dif = 0 then loop ((name1,ui1,name2,ui2)::r) rem1 rem2 else if dif < 0 then loop ((name1,ui1,name1,NoUpdates)::r) rem1 children2 else loop ((name2,NoUpdates,name2,ui2)::r) children1 rem2 in loop [] children1 children2 (* File are marked equal in groups of 5000 to lower memory consumption *) let add_equal (counter, archiveUpdated) equal v = let eq = Tree.add equal v in incr counter; archiveUpdated := true; if !counter = 5000 then begin counter := 0; let (t, eq) = Tree.slice eq in (* take a snapshot of the tree *) Update.markEqual t; (* work on it *) eq (* and return the leftover spine *) end else eq (* The main reconciliation function: takes a path and two updateItem *) (* structures and returns a list of reconItems containing suggestions for *) (* propagating changes to make the two replicas equal. *) (* -- *) (* It uses two accumulators: *) (* equals: (Name.t * Name.t, Common.updateContent * Common.updateContent) *) (* Tree.u *) (* unequals: (Name.t * Name.t, Common.replicas) Tree.u *) (* -- *) let rec reconcile allowPartial path ui1 props1 ui2 props2 counter equals unequals = let different uc1 uc2 oldType equals unequals = (equals, Tree.add unequals (propagateErrors allowPartial (Different {rc1 = update2replicaContent path true ui1 props1 uc1 oldType; rc2 = update2replicaContent path true ui2 props2 uc2 oldType; direction = Conflict; default_direction = Conflict; errors1 = []; errors2 = []}))) in let toBeMerged uc1 uc2 oldType equals unequals = (equals, Tree.add unequals (propagateErrors allowPartial (Different {rc1 = update2replicaContent path true ui1 props1 uc1 oldType; rc2 = update2replicaContent path true ui2 props2 uc2 oldType; direction = Merge; default_direction = Merge; errors1 = []; errors2 = []}))) in match (ui1, ui2) with (Error s, _) -> (equals, Tree.add unequals (Problem s)) | (_, Error s) -> (equals, Tree.add unequals (Problem s)) | (NoUpdates, _) -> (equals, reconcileNoConflict allowPartial path props1 ui2 props2 Rep2Updated unequals) | (_, NoUpdates) -> (equals, reconcileNoConflict allowPartial path props2 ui1 props1 Rep1Updated unequals) | (Updates (Absent, _), Updates (Absent, _)) -> (add_equal counter equals (Absent, Absent), unequals) | (Updates (Dir (desc1, children1, propsChanged1, _) as uc1, prevState1), Updates (Dir (desc2, children2, propsChanged2, _) as uc2, prevState2)) -> (* See if the directory itself should have a reconItem *) let dirResult = if propsChanged1 = PropsSame && propsChanged2 = PropsSame then (equals, unequals) else if Props.similar desc1 desc2 then let uc1 = Dir (desc1, [], PropsSame, false) in let uc2 = Dir (desc2, [], PropsSame, false) in (add_equal counter equals (uc1, uc2), unequals) else let action = if propsChanged1 = PropsSame then Replica2ToReplica1 else if propsChanged2 = PropsSame then Replica1ToReplica2 else Conflict in (equals, Tree.add unequals (Different {rc1 = update2replicaContent path false ui1 [] uc1 `DIRECTORY; rc2 = update2replicaContent path false ui2 [] uc2 `DIRECTORY; direction = action; default_direction = action; errors1 = []; errors2 = []})) in (* Apply reconcile on children. *) Safelist.fold_left (fun (equals, unequals) (name1,ui1,name2,ui2) -> let (eq, uneq) = reconcile allowPartial (Path.child path name1) ui1 [] ui2 [] counter (Tree.enter equals (name1, name2)) (Tree.enter unequals (name1, name2)) in (Tree.leave eq, Tree.leave uneq)) dirResult (combineChildren children1 children2) | (Updates (File (desc1,contentsChanged1) as uc1, prev), Updates (File (desc2,contentsChanged2) as uc2, _)) -> begin match contentsChanged1, contentsChanged2 with ContentsUpdated (dig1, _, ress1), ContentsUpdated (dig2, _, ress2) when dig1 = dig2 -> if Props.similar desc1 desc2 then (add_equal counter equals (uc1, uc2), unequals) else (* Special case: when both sides are modified files but their contents turn *) (* out to be the same, we want to display them as 'perms' rather than 'new' *) (* on both sides, to avoid confusing the user. (The Transfer module also *) (* expect this.) *) let uc1' = File(desc1,ContentsSame) in let uc2' = File(desc2,ContentsSame) in different uc1' uc2' (oldType prev) equals unequals | ContentsSame, ContentsSame when Props.similar desc1 desc2 -> (add_equal counter equals (uc1, uc2), unequals) | ContentsUpdated _, ContentsUpdated _ when Globals.shouldMerge path -> toBeMerged uc1 uc2 (oldType prev) equals unequals | _ -> different uc1 uc2 (oldType prev) equals unequals end | (Updates (Symlink(l1) as uc1, prev), Updates (Symlink(l2) as uc2, _)) -> if l1 = l2 then (add_equal counter equals (uc1, uc2), unequals) else different uc1 uc2 (oldType prev) equals unequals | (Updates (uc1, prev), Updates (uc2, _)) -> different uc1 uc2 (oldType prev) equals unequals (* Sorts the paths so that they will be displayed in order *) let sortPaths pathUpdatesList = Sort.list (fun (p1, _) (p2, _) -> Path.compare p1 p2 <= 0) pathUpdatesList let rec enterPath p1 p2 t = match Path.deconstruct p1, Path.deconstruct p2 with None, None -> t | Some (nm1, p1'), Some (nm2, p2') -> enterPath p1' p2' (Tree.enter t (nm1, nm2)) | _ -> assert false (* Cannot happen, as the paths are equal up to case *) let rec leavePath p t = match Path.deconstruct p with None -> t | Some (nm, p') -> leavePath p' (Tree.leave t) (* A path is dangerous if one replica has been emptied but not the other *) let dangerousPath u1 u2 = let emptied u = match u with Updates (Absent, _) -> true | Updates (Dir (_, _, _, empty), _) -> empty | _ -> false in emptied u1 <> emptied u2 (* The second component of the return value is true if there is at least one *) (* file that is updated in the same way on both roots *) let reconcileList allowPartial (pathUpdatesList: ((Path.local * Common.updateItem * Props.t list) * (Path.local * Common.updateItem * Props.t list)) list) : Common.reconItem list * bool * Path.t list = let counter = ref 0 in let archiveUpdated = ref false in let (equals, unequals, dangerous) = Safelist.fold_left (fun (equals, unequals, dangerous) ((path1,ui1,props1),(path2,ui2,props2)) -> (* We make the paths global as we may concatenate them with names from the other replica *) let path1 = Path.makeGlobal path1 in let path2 = Path.makeGlobal path2 in let (equals, unequals) = reconcile allowPartial path1 ui1 props1 ui2 props2 (counter, archiveUpdated) (enterPath path1 path2 equals) (enterPath path1 path2 unequals) in (leavePath path1 equals, leavePath path1 unequals, if dangerousPath ui1 ui2 then path1 :: dangerous else dangerous)) (Tree.start, Tree.start, []) pathUpdatesList in let unequals = Tree.finish unequals in debug (fun() -> Util.msg "reconcile: %d results\n" (Tree.size unequals)); let equals = Tree.finish equals in Update.markEqual equals; (* Commit archive updates done up to now *) if !archiveUpdated then Update.commitUpdates (); let result = Tree.flatten unequals (Path.empty, Path.empty) (fun (p1, p2) (nm1, nm2) -> (Path.child p1 nm1, Path.child p2 nm2)) [] in let unsorted = Safelist.map (fun ((p1, p2), rplc) -> {path1 = p1; path2 = p2; replicas = rplc}) result in let sorted = Sortri.sortReconItems unsorted in overrideReconcilerChoices sorted; (sorted, not (Tree.is_empty equals), dangerous) (* This is the main function: it takes a list of updateItem lists and, according to the roots and paths of synchronization, builds the corresponding reconItem list. A second component indicates whether there is any file updated in the same way on both sides. *) let reconcileAll ?(allowPartial = false) updatesList = Trace.status "Reconciling changes"; debug (fun() -> Util.msg "reconcileAll\n"); reconcileList allowPartial updatesList unison-2.40.102/uigtk2.ml0000644006131600613160000046335211361646373015163 0ustar bcpiercebcpierce(* Unison file synchronizer: src/uigtk2.ml *) (* Copyright 1999-2009, Benjamin C. Pierce This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . *) open Common open Lwt module Private = struct let debug = Trace.debug "ui" let myNameCapitalized = String.capitalize Uutil.myName (********************************************************************** LOW-LEVEL STUFF **********************************************************************) (********************************************************************** Some message strings (build them here because they look ugly in the middle of other code. **********************************************************************) let tryAgainMessage = Printf.sprintf "You can use %s to synchronize a local directory with another local directory, or with a remote directory. Please enter the first (local) directory that you want to synchronize." myNameCapitalized (* ---- *) let helpmessage = Printf.sprintf "%s can synchronize a local directory with another local directory, or with a directory on a remote machine. To synchronize with a local directory, just enter the file name. To synchronize with a remote directory, you must first choose a protocol that %s will use to connect to the remote machine. Each protocol has different requirements: 1) To synchronize using SSH, there must be an SSH client installed on this machine and an SSH server installed on the remote machine. You must enter the host to connect to, a user name (if different from your user name on this machine), and the directory on the remote machine (relative to your home directory on that machine). 2) To synchronize using RSH, there must be an RSH client installed on this machine and an RSH server installed on the remote machine. You must enter the host to connect to, a user name (if different from your user name on this machine), and the directory on the remote machine (relative to your home directory on that machine). 3) To synchronize using %s's socket protocol, there must be a %s server running on the remote machine, listening to the port that you specify here. (Use \"%s -socket xxx\" on the remote machine to start the %s server.) You must enter the host, port, and the directory on the remote machine (relative to the working directory of the %s server running on that machine)." myNameCapitalized myNameCapitalized myNameCapitalized myNameCapitalized myNameCapitalized myNameCapitalized myNameCapitalized (********************************************************************** Font preferences **********************************************************************) let fontMonospace = lazy (Pango.Font.from_string "monospace") let fontBold = lazy (Pango.Font.from_string "bold") let fontItalic = lazy (Pango.Font.from_string "italic") (********************************************************************** Unison icon **********************************************************************) (* This does not work with the current version of Lablgtk, due to a bug let icon = GdkPixbuf.from_data ~width:48 ~height:48 ~has_alpha:true (Gpointer.region_of_string Pixmaps.icon_data) *) let icon = let p = GdkPixbuf.create ~width:48 ~height:48 ~has_alpha:true () in Gpointer.blit (Gpointer.region_of_string Pixmaps.icon_data) (GdkPixbuf.get_pixels p); p let leftPtrWatch = lazy (let bitmap = Gdk.Bitmap.create_from_data ~width:32 ~height:32 Pixmaps.left_ptr_watch in let color = Gdk.Color.alloc ~colormap:(Gdk.Color.get_system_colormap ()) `BLACK in Gdk.Cursor.create_from_pixmap (bitmap :> Gdk.pixmap) ~mask:bitmap ~fg:color ~bg:color ~x:2 ~y:2) let make_busy w = if Util.osType <> `Win32 then Gdk.Window.set_cursor w#misc#window (Lazy.force leftPtrWatch) let make_interactive w = if Util.osType <> `Win32 then (* HACK: setting the cursor to NULL restore the default cursor *) Gdk.Window.set_cursor w#misc#window (Obj.magic Gpointer.boxed_null) (********************************************************************* UI state variables *********************************************************************) type stateItem = { mutable ri : reconItem; mutable bytesTransferred : Uutil.Filesize.t; mutable bytesToTransfer : Uutil.Filesize.t; mutable whatHappened : (Util.confirmation * string option) option} let theState = ref [||] module IntSet = Set.Make (struct type t = int let compare = compare end) let current = ref IntSet.empty let currentRow () = if IntSet.cardinal !current = 1 then Some (IntSet.choose !current) else None (* ---- *) let theToplevelWindow = ref None let setToplevelWindow w = theToplevelWindow := Some w let toplevelWindow () = match !theToplevelWindow with Some w -> w | None -> assert false (********************************************************************* Lock management *********************************************************************) let busy = ref false let getLock f = if !busy then Trace.status "Synchronizer is busy, please wait.." else begin busy := true; f (); busy := false end (********************************************************************** Miscellaneous **********************************************************************) let sync_action = ref None let last = ref (0.) let gtk_sync forced = let t = Unix.gettimeofday () in if !last = 0. || forced || t -. !last > 0.05 then begin last := t; begin match !sync_action with Some f -> f () | None -> () end; while Glib.Main.iteration false do () done end (********************************************************************** CHARACTER SET TRANSCODING ***********************************************************************) (* Transcodage from Microsoft Windows Codepage 1252 to Unicode *) (* Unison currently uses the "ASCII" Windows filesystem API. With this API, filenames are encoded using a proprietary character encoding. This encoding depends on the Windows setup, but in Western Europe, the Windows Codepage 1252 is usually used. GTK, on the other hand, uses the UTF-8 encoding. This code perform the translation from Codepage 1252 to UTF-8. A call to [transcode] should be wrapped around every string below that might contain non-ASCII characters. *) let code = [| 0x0020; 0x0001; 0x0002; 0x0003; 0x0004; 0x0005; 0x0006; 0x0007; 0x0008; 0x0009; 0x000A; 0x000B; 0x000C; 0x000D; 0x000E; 0x000F; 0x0010; 0x0011; 0x0012; 0x0013; 0x0014; 0x0015; 0x0016; 0x0017; 0x0018; 0x0019; 0x001A; 0x001B; 0x001C; 0x001D; 0x001E; 0x001F; 0x0020; 0x0021; 0x0022; 0x0023; 0x0024; 0x0025; 0x0026; 0x0027; 0x0028; 0x0029; 0x002A; 0x002B; 0x002C; 0x002D; 0x002E; 0x002F; 0x0030; 0x0031; 0x0032; 0x0033; 0x0034; 0x0035; 0x0036; 0x0037; 0x0038; 0x0039; 0x003A; 0x003B; 0x003C; 0x003D; 0x003E; 0x003F; 0x0040; 0x0041; 0x0042; 0x0043; 0x0044; 0x0045; 0x0046; 0x0047; 0x0048; 0x0049; 0x004A; 0x004B; 0x004C; 0x004D; 0x004E; 0x004F; 0x0050; 0x0051; 0x0052; 0x0053; 0x0054; 0x0055; 0x0056; 0x0057; 0x0058; 0x0059; 0x005A; 0x005B; 0x005C; 0x005D; 0x005E; 0x005F; 0x0060; 0x0061; 0x0062; 0x0063; 0x0064; 0x0065; 0x0066; 0x0067; 0x0068; 0x0069; 0x006A; 0x006B; 0x006C; 0x006D; 0x006E; 0x006F; 0x0070; 0x0071; 0x0072; 0x0073; 0x0074; 0x0075; 0x0076; 0x0077; 0x0078; 0x0079; 0x007A; 0x007B; 0x007C; 0x007D; 0x007E; 0x007F; 0x20AC; 0x1234; 0x201A; 0x0192; 0x201E; 0x2026; 0x2020; 0x2021; 0x02C6; 0x2030; 0x0160; 0x2039; 0x0152; 0x1234; 0x017D; 0x1234; 0x1234; 0x2018; 0x2019; 0x201C; 0x201D; 0x2022; 0x2013; 0x2014; 0x02DC; 0x2122; 0x0161; 0x203A; 0x0153; 0x1234; 0x017E; 0x0178; 0x00A0; 0x00A1; 0x00A2; 0x00A3; 0x00A4; 0x00A5; 0x00A6; 0x00A7; 0x00A8; 0x00A9; 0x00AA; 0x00AB; 0x00AC; 0x00AD; 0x00AE; 0x00AF; 0x00B0; 0x00B1; 0x00B2; 0x00B3; 0x00B4; 0x00B5; 0x00B6; 0x00B7; 0x00B8; 0x00B9; 0x00BA; 0x00BB; 0x00BC; 0x00BD; 0x00BE; 0x00BF; 0x00C0; 0x00C1; 0x00C2; 0x00C3; 0x00C4; 0x00C5; 0x00C6; 0x00C7; 0x00C8; 0x00C9; 0x00CA; 0x00CB; 0x00CC; 0x00CD; 0x00CE; 0x00CF; 0x00D0; 0x00D1; 0x00D2; 0x00D3; 0x00D4; 0x00D5; 0x00D6; 0x00D7; 0x00D8; 0x00D9; 0x00DA; 0x00DB; 0x00DC; 0x00DD; 0x00DE; 0x00DF; 0x00E0; 0x00E1; 0x00E2; 0x00E3; 0x00E4; 0x00E5; 0x00E6; 0x00E7; 0x00E8; 0x00E9; 0x00EA; 0x00EB; 0x00EC; 0x00ED; 0x00EE; 0x00EF; 0x00F0; 0x00F1; 0x00F2; 0x00F3; 0x00F4; 0x00F5; 0x00F6; 0x00F7; 0x00F8; 0x00F9; 0x00FA; 0x00FB; 0x00FC; 0x00FD; 0x00FE; 0x00FF |] let rec transcodeRec buf s i l = if i < l then begin let c = code.(Char.code s.[i]) in if c < 0x80 then Buffer.add_char buf (Char.chr c) else if c < 0x800 then begin Buffer.add_char buf (Char.chr (c lsr 6 + 0xC0)); Buffer.add_char buf (Char.chr (c land 0x3f + 0x80)) end else if c < 0x10000 then begin Buffer.add_char buf (Char.chr (c lsr 12 + 0xE0)); Buffer.add_char buf (Char.chr ((c lsr 6) land 0x3f + 0x80)); Buffer.add_char buf (Char.chr (c land 0x3f + 0x80)) end; transcodeRec buf s (i + 1) l end let transcodeDoc s = let buf = Buffer.create 1024 in transcodeRec buf s 0 (String.length s); Buffer.contents buf (****) let escapeMarkup s = Glib.Markup.escape_text s let transcodeFilename s = if Prefs.read Case.unicodeEncoding then Unicode.protect s else if Util.osType = `Win32 then transcodeDoc s else try Glib.Convert.filename_to_utf8 s with Glib.Convert.Error _ -> Unicode.protect s let transcode s = if Prefs.read Case.unicodeEncoding then Unicode.protect s else try Glib.Convert.locale_to_utf8 s with Glib.Convert.Error _ -> Unicode.protect s (********************************************************************** USEFUL LOW-LEVEL WIDGETS **********************************************************************) class scrolled_text ?editable ?shadow_type ?word_wrap ~width ~height ?packing ?show () = let sw = GBin.scrolled_window ?packing ~show:false ?shadow_type ~hpolicy:`NEVER ~vpolicy:`AUTOMATIC () in let text = GText.view ?editable ~wrap_mode:`WORD ~packing:sw#add () in object inherit GObj.widget_full sw#as_widget method text = text method insert s = text#buffer#set_text s; method show () = sw#misc#show () initializer text#misc#set_size_chars ~height ~width (); if show <> Some false then sw#misc#show () end (* ------ *) (* Display a message in a window and wait for the user to hit the button. *) let okBox ~parent ~title ~typ ~message = let t = GWindow.message_dialog ~parent ~title ~message_type:typ ~message ~modal:true ~buttons:GWindow.Buttons.ok () in ignore (t#run ()); t#destroy () (* ------ *) let primaryText msg = Printf.sprintf "%s" (escapeMarkup msg) (* twoBox: Display a message in a window and wait for the user to hit one of two buttons. Return true if the first button is chosen, false if the second button is chosen. *) let twoBox ?(kind=`DIALOG_WARNING) ~parent ~title ~astock ~bstock message = let t = GWindow.dialog ~parent ~border_width:6 ~modal:true ~no_separator:true ~allow_grow:false () in t#vbox#set_spacing 12; let h1 = GPack.hbox ~border_width:6 ~spacing:12 ~packing:t#vbox#pack () in ignore (GMisc.image ~stock:kind ~icon_size:`DIALOG ~yalign:0. ~packing:h1#pack ()); let v1 = GPack.vbox ~spacing:12 ~packing:h1#pack () in ignore (GMisc.label ~markup:(primaryText title ^ "\n\n" ^ escapeMarkup message) ~selectable:true ~yalign:0. ~packing:v1#add ()); t#add_button_stock bstock `NO; t#add_button_stock astock `YES; t#set_default_response `NO; t#show(); let res = t#run () in t#destroy (); res = `YES (* ------ *) (* Avoid recursive invocations of the function below (a window receives delete events even when it is not sensitive) *) let inExit = ref false let doExit () = Lwt_unix.run (Update.unlockArchives ()); exit 0 let safeExit () = if not !inExit then begin inExit := true; if not !busy then exit 0 else if twoBox ~parent:(toplevelWindow ()) ~title:"Premature exit" ~astock:`YES ~bstock:`NO "Unison is working, exit anyway ?" then exit 0; inExit := false end (* ------ *) (* warnBox: Display a warning message in a window and wait (unless we're in batch mode) for the user to hit "OK" or "Exit". *) let warnBox ~parent title message = let message = transcode message in if Prefs.read Globals.batch then begin (* In batch mode, just pop up a window and go ahead *) let t = GWindow.dialog ~parent ~border_width:6 ~modal:true ~no_separator:true ~allow_grow:false () in t#vbox#set_spacing 12; let h1 = GPack.hbox ~border_width:6 ~spacing:12 ~packing:t#vbox#pack () in ignore (GMisc.image ~stock:`DIALOG_INFO ~icon_size:`DIALOG ~yalign:0. ~packing:h1#pack ()); let v1 = GPack.vbox ~spacing:12 ~packing:h1#pack () in ignore (GMisc.label ~markup:(primaryText title ^ "\n\n" ^ escapeMarkup message) ~selectable:true ~yalign:0. ~packing:v1#add ()); t#add_button_stock `CLOSE `CLOSE; t#set_default_response `CLOSE; ignore (t#connect#response ~callback:(fun _ -> t#destroy ())); t#show () end else begin inExit := true; let ok = twoBox ~parent:(toplevelWindow ()) ~title ~astock:`OK ~bstock:`QUIT message in if not(ok) then doExit (); inExit := false end (****) let accel_paths = Hashtbl.create 17 let underscore_re = Str.regexp_string "_" class ['a] gMenuFactory ?(accel_group=GtkData.AccelGroup.create ()) ?(accel_path="/") ?(accel_modi=[`CONTROL]) ?(accel_flags=[`VISIBLE]) (menu_shell : 'a) = object (self) val menu_shell : #GMenu.menu_shell = menu_shell val group = accel_group val m = accel_modi val flags = (accel_flags:Gtk.Tags.accel_flag list) val accel_path = accel_path method menu = menu_shell method accel_group = group method accel_path = accel_path method private bind ?(modi=m) ?key ?callback label ?(name=label) (item : GMenu.menu_item) = menu_shell#append item; let accel_path = accel_path ^ name in let accel_path = Str.global_replace underscore_re "" accel_path in (* Default accel path value *) if not (Hashtbl.mem accel_paths accel_path) then begin Hashtbl.add accel_paths accel_path (); GtkData.AccelMap.add_entry accel_path ?key ~modi end; (* Register this accel path *) GtkBase.Widget.set_accel_path item#as_widget accel_path accel_group; Gaux.may callback ~f:(fun callback -> item#connect#activate ~callback) method add_item ?key ?modi ?callback ?submenu label = let item = GMenu.menu_item ~use_mnemonic:true ~label () in self#bind ?modi ?key ?callback label item; Gaux.may (submenu : GMenu.menu option) ~f:item#set_submenu; item method add_image_item ?(image : GObj.widget option) ?modi ?key ?callback ?stock ?name label = let item = GMenu.image_menu_item ~use_mnemonic:true ?image ~label ?stock () in match stock with | None -> self#bind ?modi ?key ?callback label ?name (item : GMenu.image_menu_item :> GMenu.menu_item); item | Some s -> try let st = GtkStock.Item.lookup s in self#bind ?modi ?key:(if st.GtkStock.keyval=0 then key else None) ?callback label ?name (item : GMenu.image_menu_item :> GMenu.menu_item); item with Not_found -> item method add_check_item ?active ?modi ?key ?callback label = let item = GMenu.check_menu_item ~label ~use_mnemonic:true ?active () in self#bind label ?modi ?key ?callback:(Gaux.may_map callback ~f:(fun f () -> f item#active)) (item : GMenu.check_menu_item :> GMenu.menu_item); item method add_separator () = GMenu.separator_item ~packing:menu_shell#append () method add_submenu label = let item = GMenu.menu_item ~use_mnemonic:true ~label () in self#bind label item; (GMenu.menu ~packing:item#set_submenu (), item) method replace_submenu (item : GMenu.menu_item) = GMenu.menu ~packing:item#set_submenu () end (********************************************************************** HIGHER-LEVEL WIDGETS ***********************************************************************) class stats width height = let pixmap = GDraw.pixmap ~width ~height () in let area = pixmap#set_foreground `WHITE; pixmap#rectangle ~filled:true ~x:0 ~y:0 ~width ~height (); GMisc.pixmap pixmap ~width ~height ~xpad:4 ~ypad:8 () in object (self) inherit GObj.widget_full area#as_widget val mutable maxim = ref 0. val mutable scale = ref 1. val mutable min_scale = 1. val values = Array.make width 0. val mutable active = false method redraw () = scale := min_scale; while !maxim > !scale do scale := !scale *. 1.5 done; pixmap#set_foreground `WHITE; pixmap#rectangle ~filled:true ~x:0 ~y:0 ~width ~height (); pixmap#set_foreground `BLACK; for i = 0 to width - 1 do self#rect i values.(max 0 (i - 1)) values.(i) done method activate a = active <- a; if a then self#redraw () method scale h = truncate ((float height) *. h /. !scale) method private rect i v' v = let h = self#scale v in let h' = self#scale v' in let h1 = min h' h in let h2 = max h' h in pixmap#set_foreground `BLACK; pixmap#rectangle ~filled:true ~x:i ~y:(height - h1) ~width:1 ~height:h1 (); for h = h1 + 1 to h2 do let v = truncate (65535. *. (float (h - h1) /. float (h2 - h1))) in let v = (v / 4096) * 4096 in (* Only use 16 gray levels *) pixmap#set_foreground (`RGB (v, v, v)); pixmap#rectangle ~filled:true ~x:i ~y:(height - h) ~width:1 ~height:1 (); done method push v = let need_max = values.(0) = !maxim in for i = 0 to width - 2 do values.(i) <- values.(i + 1) done; values.(width - 1) <- v; if need_max then begin maxim := 0.; for i = 0 to width - 1 do maxim := max !maxim values.(i) done end else maxim := max !maxim v; if active then begin let need_resize = !maxim > !scale || (!maxim > min_scale && !maxim < !scale /. 1.5) in if need_resize then self#redraw () else begin pixmap#put_pixmap ~x:0 ~y:0 ~xsrc:1 (pixmap#pixmap); pixmap#set_foreground `WHITE; pixmap#rectangle ~filled:true ~x:(width - 1) ~y:0 ~width:1 ~height (); self#rect (width - 1) values.(width - 2) values.(width - 1) end; area#misc#draw None end end let clientWritten = ref 0. let serverWritten = ref 0. let emitRate2 = ref 0. let receiveRate2 = ref 0. let rate2str v = if v > 9.9e3 then begin if v > 9.9e6 then Format.sprintf "%1.0f MiB/s" (v /. 1e6) else if v > 999e3 then Format.sprintf "%1.1f MiB/s" (v /. 1e6) else Format.sprintf "%1.0f KiB/s" (v /. 1e3) end else begin if v > 990. then Format.sprintf "%1.1f KiB/s" (v /. 1e3) else if v > 99. then Format.sprintf "%1.2f KiB/s" (v /. 1e3) else " " end let statistics () = let title = "Statistics" in let t = GWindow.dialog ~title () in let t_dismiss = GButton.button ~stock:`CLOSE ~packing:t#action_area#add () in t_dismiss#grab_default (); let dismiss () = t#misc#hide () in ignore (t_dismiss#connect#clicked ~callback:dismiss); ignore (t#event#connect#delete ~callback:(fun _ -> dismiss (); true)); let emission = new stats 320 50 in t#vbox#pack ~expand:false ~padding:4 (emission :> GObj.widget); let reception = new stats 320 50 in t#vbox#pack ~expand:false ~padding:4 (reception :> GObj.widget); let lst = GList.clist ~packing:(t#vbox#add) ~titles_active:false ~titles:[""; "Client"; "Server"; "Total"] () in lst#set_column ~auto_resize:true 0; lst#set_column ~auto_resize:true ~justification:`RIGHT 1; lst#set_column ~auto_resize:true ~justification:`RIGHT 2; lst#set_column ~auto_resize:true ~justification:`RIGHT 3; ignore (lst#append ["Reception rate"]); ignore (lst#append ["Data received"]); ignore (lst#append ["File data written"]); for r = 0 to 2 do lst#set_row ~selectable:false r done; ignore (t#event#connect#map (fun _ -> emission#activate true; reception#activate true; false)); ignore (t#event#connect#unmap (fun _ -> emission#activate false; reception#activate false; false)); let delay = 0.5 in let a = 0.5 in let b = 0.8 in let emittedBytes = ref 0. in let emitRate = ref 0. in let receivedBytes = ref 0. in let receiveRate = ref 0. in let stopCounter = ref 0 in let updateTable () = let kib2str v = Format.sprintf "%.0f B" v in lst#set_cell ~text:(rate2str !receiveRate2) 0 1; lst#set_cell ~text:(rate2str !emitRate2) 0 2; lst#set_cell ~text: (rate2str (!receiveRate2 +. !emitRate2)) 0 3; lst#set_cell ~text:(kib2str !receivedBytes) 1 1; lst#set_cell ~text:(kib2str !emittedBytes) 1 2; lst#set_cell ~text: (kib2str (!receivedBytes +. !emittedBytes)) 1 3; lst#set_cell ~text:(kib2str !clientWritten) 2 1; lst#set_cell ~text:(kib2str !serverWritten) 2 2; lst#set_cell ~text: (kib2str (!clientWritten +. !serverWritten)) 2 3 in let timeout _ = emitRate := a *. !emitRate +. (1. -. a) *. (!Remote.emittedBytes -. !emittedBytes) /. delay; emitRate2 := b *. !emitRate2 +. (1. -. b) *. (!Remote.emittedBytes -. !emittedBytes) /. delay; emission#push !emitRate; receiveRate := a *. !receiveRate +. (1. -. a) *. (!Remote.receivedBytes -. !receivedBytes) /. delay; receiveRate2 := b *. !receiveRate2 +. (1. -. b) *. (!Remote.receivedBytes -. !receivedBytes) /. delay; reception#push !receiveRate; emittedBytes := !Remote.emittedBytes; receivedBytes := !Remote.receivedBytes; if !stopCounter > 0 then decr stopCounter; if !stopCounter = 0 then begin emitRate2 := 0.; receiveRate2 := 0.; end; updateTable (); !stopCounter <> 0 in let startStats () = if !stopCounter = 0 then begin emittedBytes := !Remote.emittedBytes; receivedBytes := !Remote.receivedBytes; stopCounter := -1; ignore (GMain.Timeout.add ~ms:(truncate (delay *. 1000.)) ~callback:timeout) end else stopCounter := -1 in let stopStats () = stopCounter := 10 in (t, startStats, stopStats) (****) (* Standard file dialog *) let file_dialog ~parent ~title ~callback ?filename () = let sel = GWindow.file_selection ~parent ~title ~modal:true ?filename () in ignore (sel#cancel_button#connect#clicked ~callback:sel#destroy); ignore (sel#ok_button#connect#clicked ~callback: (fun () -> let name = sel#filename in sel#destroy (); callback name)); sel#show (); ignore (sel#connect#destroy ~callback:GMain.Main.quit); GMain.Main.main () (* ------ *) let fatalError message = Trace.log (message ^ "\n"); let title = "Fatal error" in let t = GWindow.dialog ~parent:(toplevelWindow ()) ~border_width:6 ~modal:true ~no_separator:true ~allow_grow:false () in t#vbox#set_spacing 12; let h1 = GPack.hbox ~border_width:6 ~spacing:12 ~packing:t#vbox#pack () in ignore (GMisc.image ~stock:`DIALOG_ERROR ~icon_size:`DIALOG ~yalign:0. ~packing:h1#pack ()); let v1 = GPack.vbox ~spacing:12 ~packing:h1#pack () in ignore (GMisc.label ~markup:(primaryText title ^ "\n\n" ^ escapeMarkup (transcode message)) ~line_wrap:true ~selectable:true ~yalign:0. ~packing:v1#add ()); t#add_button_stock `QUIT `QUIT; t#set_default_response `QUIT; t#show(); ignore (t#run ()); t#destroy (); exit 1 (* ------ *) let tryAgainOrQuit = fatalError (* ------ *) let getFirstRoot () = let t = GWindow.dialog ~parent:(toplevelWindow ()) ~title:"Root selection" ~modal:true ~allow_grow:true () in t#misc#grab_focus (); let hb = GPack.hbox ~packing:(t#vbox#pack ~expand:false ~padding:15) () in ignore(GMisc.label ~text:tryAgainMessage ~justify:`LEFT ~packing:(hb#pack ~expand:false ~padding:15) ()); let f1 = GPack.hbox ~spacing:4 ~packing:(t#vbox#pack ~expand:true ~padding:4) () in ignore (GMisc.label ~text:"Dir:" ~packing:(f1#pack ~expand:false) ()); let fileE = GEdit.entry ~packing:f1#add () in fileE#misc#grab_focus (); let browseCommand() = file_dialog ~parent:t ~title:"Select a local directory" ~callback:fileE#set_text ~filename:fileE#text () in let b = GButton.button ~label:"Browse" ~packing:(f1#pack ~expand:false) () in ignore (b#connect#clicked ~callback:browseCommand); let f3 = t#action_area in let result = ref None in let contCommand() = result := Some(fileE#text); t#destroy () in let quitButton = GButton.button ~stock:`QUIT ~packing:f3#add () in ignore (quitButton#connect#clicked ~callback:(fun () -> result := None; t#destroy())); let contButton = GButton.button ~stock:`OK ~packing:f3#add () in ignore (contButton#connect#clicked ~callback:contCommand); ignore (fileE#connect#activate ~callback:contCommand); contButton#grab_default (); t#show (); ignore (t#connect#destroy ~callback:GMain.Main.quit); GMain.Main.main (); match !result with None -> None | Some file -> Some(Clroot.clroot2string(Clroot.ConnectLocal(Some file))) (* ------ *) let getSecondRoot () = let t = GWindow.dialog ~parent:(toplevelWindow ()) ~title:"Root selection" ~modal:true ~allow_grow:true () in t#misc#grab_focus (); let message = "Please enter the second directory you want to synchronize." in let vb = t#vbox in let hb = GPack.hbox ~packing:(vb#pack ~expand:false ~padding:15) () in ignore(GMisc.label ~text:message ~justify:`LEFT ~packing:(hb#pack ~expand:false ~padding:15) ()); let helpB = GButton.button ~stock:`HELP ~packing:hb#add () in ignore (helpB#connect#clicked ~callback:(fun () -> okBox ~parent:t ~title:"Picking roots" ~typ:`INFO ~message:helpmessage)); let result = ref None in let f = GPack.vbox ~packing:(vb#pack ~expand:false) () in let f1 = GPack.hbox ~spacing:4 ~packing:f#add () in ignore (GMisc.label ~text:"Directory:" ~packing:(f1#pack ~expand:false) ()); let fileE = GEdit.entry ~packing:f1#add () in fileE#misc#grab_focus (); let browseCommand() = file_dialog ~parent:t ~title:"Select a local directory" ~callback:fileE#set_text ~filename:fileE#text () in let b = GButton.button ~label:"Browse" ~packing:(f1#pack ~expand:false) () in ignore (b#connect#clicked ~callback:browseCommand); let f0 = GPack.hbox ~spacing:4 ~packing:f#add () in let localB = GButton.radio_button ~packing:(f0#pack ~expand:false) ~label:"Local" () in let sshB = GButton.radio_button ~group:localB#group ~packing:(f0#pack ~expand:false) ~label:"SSH" () in let rshB = GButton.radio_button ~group:localB#group ~packing:(f0#pack ~expand:false) ~label:"RSH" () in let socketB = GButton.radio_button ~group:sshB#group ~packing:(f0#pack ~expand:false) ~label:"Socket" () in let f2 = GPack.hbox ~spacing:4 ~packing:f#add () in ignore (GMisc.label ~text:"Host:" ~packing:(f2#pack ~expand:false) ()); let hostE = GEdit.entry ~packing:f2#add () in ignore (GMisc.label ~text:"(Optional) User:" ~packing:(f2#pack ~expand:false) ()); let userE = GEdit.entry ~packing:f2#add () in ignore (GMisc.label ~text:"Port:" ~packing:(f2#pack ~expand:false) ()); let portE = GEdit.entry ~packing:f2#add () in let varLocalRemote = ref (`Local : [`Local|`SSH|`RSH|`SOCKET]) in let localState() = varLocalRemote := `Local; hostE#misc#set_sensitive false; userE#misc#set_sensitive false; portE#misc#set_sensitive false; b#misc#set_sensitive true in let remoteState() = hostE#misc#set_sensitive true; b#misc#set_sensitive false; match !varLocalRemote with `SOCKET -> (portE#misc#set_sensitive true; userE#misc#set_sensitive false) | _ -> (portE#misc#set_sensitive false; userE#misc#set_sensitive true) in let protoState x = varLocalRemote := x; remoteState() in ignore (localB#connect#clicked ~callback:localState); ignore (sshB#connect#clicked ~callback:(fun () -> protoState(`SSH))); ignore (rshB#connect#clicked ~callback:(fun () -> protoState(`RSH))); ignore (socketB#connect#clicked ~callback:(fun () -> protoState(`SOCKET))); localState(); let getRoot() = let file = fileE#text in let user = userE#text in let host = hostE#text in let port = portE#text in match !varLocalRemote with `Local -> Clroot.clroot2string(Clroot.ConnectLocal(Some file)) | `SSH | `RSH -> Clroot.clroot2string( Clroot.ConnectByShell((if !varLocalRemote=`SSH then "ssh" else "rsh"), host, (if user="" then None else Some user), (if port="" then None else Some port), Some file)) | `SOCKET -> Clroot.clroot2string( (* FIX: report an error if the port entry is not well formed *) Clroot.ConnectBySocket(host, portE#text, Some file)) in let contCommand() = try let root = getRoot() in result := Some root; t#destroy () with Failure "int_of_string" -> if portE#text="" then okBox ~parent:t ~title:"Error" ~typ:`ERROR ~message:"Please enter a port" else okBox ~parent:t ~title:"Error" ~typ:`ERROR ~message:"The port you specify must be an integer" | _ -> okBox ~parent:t ~title:"Error" ~typ:`ERROR ~message:"Something's wrong with the values you entered, try again" in let f3 = t#action_area in let quitButton = GButton.button ~stock:`QUIT ~packing:f3#add () in ignore (quitButton#connect#clicked ~callback:safeExit); let contButton = GButton.button ~stock:`OK ~packing:f3#add () in ignore (contButton#connect#clicked ~callback:contCommand); contButton#grab_default (); ignore (fileE#connect#activate ~callback:contCommand); t#show (); ignore (t#connect#destroy ~callback:GMain.Main.quit); GMain.Main.main (); !result (* ------ *) let getPassword rootName msg = let t = GWindow.dialog ~parent:(toplevelWindow ()) ~title:"Unison: SSH connection" ~position:`CENTER ~no_separator:true ~modal:true ~allow_grow:false ~border_width:6 () in t#misc#grab_focus (); t#vbox#set_spacing 12; let header = primaryText (Format.sprintf "Connecting to '%s'..." (Unicode.protect rootName)) in let h1 = GPack.hbox ~border_width:6 ~spacing:12 ~packing:t#vbox#pack () in ignore (GMisc.image ~stock:`DIALOG_AUTHENTICATION ~icon_size:`DIALOG ~yalign:0. ~packing:h1#pack ()); let v1 = GPack.vbox ~spacing:12 ~packing:h1#pack () in ignore(GMisc.label ~markup:(header ^ "\n\n" ^ escapeMarkup (Unicode.protect msg)) ~selectable:true ~yalign:0. ~packing:v1#pack ()); let passwordE = GEdit.entry ~packing:v1#pack ~visibility:false () in passwordE#misc#grab_focus (); t#add_button_stock `QUIT `QUIT; t#add_button_stock `OK `OK; t#set_default_response `OK; ignore (passwordE#connect#activate ~callback:(fun _ -> t#response `OK)); t#show(); let res = t#run () in let pwd = passwordE#text in t#destroy (); gtk_sync true; begin match res with `DELETE_EVENT | `QUIT -> safeExit (); "" | `OK -> pwd end let termInteract = Some getPassword (* ------ *) type profileInfo = {roots:string list; label:string option} (* ------ *) let profileKeymap = Array.create 10 None let provideProfileKey filename k profile info = try let i = int_of_string k in if 0<=i && i<=9 then match profileKeymap.(i) with None -> profileKeymap.(i) <- Some(profile,info) | Some(otherProfile,_) -> raise (Util.Fatal ("Error scanning profile "^ System.fspathToPrintString filename ^":\n" ^ "shortcut key "^k^" is already bound to profile " ^ otherProfile)) else raise (Util.Fatal ("Error scanning profile "^ System.fspathToPrintString filename ^":\n" ^ "Value of 'key' preference must be a single digit (0-9), " ^ "not " ^ k)) with Failure "int_of_string" -> raise (Util.Fatal ("Error scanning profile "^ System.fspathToPrintString filename ^":\n" ^ "Value of 'key' preference must be a single digit (0-9), " ^ "not " ^ k)) (* ------ *) module React = struct type 'a t = { mutable state : 'a; mutable observers : ('a -> unit) list } let make v = let res = { state = v; observers = [] } in let update v = if res.state <> v then begin res.state <- v; List.iter (fun f -> f v) res.observers end in (res, update) let const v = fst (make v) let add_observer x f = x.observers <- f :: x.observers let state x = x.state let lift f x = let (res, update) = make (f (state x)) in add_observer x (fun v -> update (f v)); res let lift2 f x y = let (res, update) = make (f (state x) (state y)) in add_observer x (fun v -> update (f v (state y))); add_observer y (fun v -> update (f (state x) v)); res let lift3 f x y z = let (res, update) = make (f (state x) (state y) (state z)) in add_observer x (fun v -> update (f v (state y) (state z))); add_observer y (fun v -> update (f (state x) v (state z))); add_observer z (fun v -> update (f (state x) (state y) v)); res let iter f x = f (state x); add_observer x f type 'a event = { mutable ev_observers : ('a -> unit) list } let make_event () = let res = { ev_observers = [] } in let trigger v = List.iter (fun f -> f v) res.ev_observers in (res, trigger) let add_ev_observer x f = x.ev_observers <- f :: x.ev_observers let hold v e = let (res, update) = make v in add_ev_observer e update; res let iter_ev f e = add_ev_observer e f let lift_ev f e = let (res, trigger) = make_event () in add_ev_observer e (fun x -> trigger (f x)); res module Ops = struct let (>>) x f = lift f x let (>|) x f = iter f x let (>>>) x f = lift_ev f x let (>>|) x f = iter_ev f x end end module GtkReact = struct let entry (e : #GEdit.entry) = let (res, update) = React.make e#text in ignore (e#connect#changed ~callback:(fun () -> update (e#text))); res let text_combo ((c, _) : _ GEdit.text_combo) = let (res, update) = React.make c#active in ignore (c#connect#changed ~callback:(fun () -> update (c#active))); res let toggle_button (b : #GButton.toggle_button) = let (res, update) = React.make b#active in ignore (b#connect#toggled ~callback:(fun () -> update (b#active))); res let file_chooser (c : #GFile.chooser) = let (res, update) = React.make c#filename in ignore (c#connect#selection_changed ~callback:(fun () -> update (c#filename))); res let current_tree_view_selection (t : #GTree.view) = let m =t#model in List.map (fun p -> m#get_row_reference p) t#selection#get_selected_rows let tree_view_selection_changed t = let (res, trigger) = React.make_event () in ignore (t#selection#connect#changed ~callback:(fun () -> trigger (current_tree_view_selection t))); res let tree_view_selection t = React.hold (current_tree_view_selection t) (tree_view_selection_changed t) let label (l : #GMisc.label) x = React.iter (fun v -> l#set_text v) x let label_underlined (l : #GMisc.label) x = React.iter (fun v -> l#set_text v; l#set_use_underline true) x let label_markup (l : #GMisc.label) x = React.iter (fun v -> l#set_text v; l#set_use_markup true) x let show w x = React.iter (fun b -> if b then w#misc#show () else w#misc#hide ()) x let set_sensitive w x = React.iter (fun b -> w#misc#set_sensitive b) x end open React.Ops (* ------ *) (* Resize an object (typically, a label with line wrapping) so that it use all its available space *) let adjustSize (w : #GObj.widget) = let notYet = ref true in ignore (w#misc#connect#size_allocate ~callback:(fun r -> if !notYet then begin notYet := false; (* JV: I have no idea where the 12 comes from. Without it, a window resize may happen. *) w#misc#set_size_request ~width:(max 10 (r.Gtk.width - 12)) () end)) let createProfile parent = let assistant = GAssistant.assistant ~modal:true () in assistant#set_transient_for parent#as_window; assistant#set_modal true; assistant#set_title "Profile Creation"; let nonEmpty s = s <> "" in (* let integerRe = Str.regexp "\\([+-]?[0-9]+\\|0o[0-7]+\\|0x[0-9a-zA-Z]+\\)" in *) let integerRe = Str.regexp "[0-9]+" in let isInteger s = Str.string_match integerRe s 0 && Str.matched_string s = s in (* Introduction *) let intro = GMisc.label ~xpad:12 ~ypad:12 ~text:"Welcome to the Unison Profile Creation Assistant.\n\n\ Click \"Forward\" to begin." () in ignore (assistant#append_page ~title:"Profile Creation" ~page_type:`INTRO ~complete:true intro#as_widget); (* Profile name and description *) let description = GPack.vbox ~border_width:12 ~spacing:6 () in adjustSize (GMisc.label ~xalign:0. ~line_wrap:true ~justify:`LEFT ~text:"Please enter the name of the profile and \ possibly a short description." ~packing:(description#pack ~expand:false) ()); let tbl = let al = GBin.alignment ~packing:(description#pack ~expand:false) () in al#set_left_padding 12; GPack.table ~rows:2 ~columns:2 ~col_spacings:12 ~row_spacings:6 ~packing:(al#add) () in let nameEntry = GEdit.entry ~activates_default:true ~packing:(tbl#attach ~left:1 ~top:0 ~expand:`X) () in let name = GtkReact.entry nameEntry in ignore (GMisc.label ~text:"Profile _name:" ~xalign:0. ~use_underline:true ~mnemonic_widget:nameEntry ~packing:(tbl#attach ~left:0 ~top:0 ~expand:`NONE) ()); let labelEntry = GEdit.entry ~activates_default:true ~packing:(tbl#attach ~left:1 ~top:1 ~expand:`X) () in let label = GtkReact.entry labelEntry in ignore (GMisc.label ~text:"_Description:" ~xalign:0. ~use_underline:true ~mnemonic_widget:labelEntry ~packing:(tbl#attach ~left:0 ~top:1 ~expand:`NONE) ()); let existingProfileLabel = GMisc.label ~xalign:1. ~packing:(description#pack ~expand:false) () in adjustSize existingProfileLabel; GtkReact.label_markup existingProfileLabel (name >> fun s -> Format.sprintf " Profile %s already exists." (escapeMarkup s)); let profileExists = name >> fun s -> s <> "" && System.file_exists (Prefs.profilePathname s) in GtkReact.show existingProfileLabel profileExists; ignore (assistant#append_page ~title:"Profile Description" ~page_type:`CONTENT description#as_widget); let setPageComplete page b = assistant#set_page_complete page#as_widget b in React.lift2 (&&) (name >> nonEmpty) (profileExists >> not) >| setPageComplete description; let connection = GPack.vbox ~border_width:12 ~spacing:18 () in let al = GBin.alignment ~packing:(connection#pack ~expand:false) () in al#set_left_padding 12; let vb = GPack.vbox ~spacing:6 ~packing:(al#add) () in adjustSize (GMisc.label ~xalign:0. ~line_wrap:true ~justify:`LEFT ~text:"You can use Unison to synchronize a local directory \ with another local directory, or with a remote directory." ~packing:(vb#pack ~expand:false) ()); adjustSize (GMisc.label ~xalign:0. ~line_wrap:true ~justify:`LEFT ~text:"Please select the kind of synchronization \ you want to perform." ~packing:(vb#pack ~expand:false) ()); let tbl = let al = GBin.alignment ~packing:(vb#pack ~expand:false) () in al#set_left_padding 12; GPack.table ~rows:2 ~columns:2 ~col_spacings:12 ~row_spacings:6 ~packing:(al#add) () in ignore (GMisc.label ~text:"Description:" ~xalign:0. ~yalign:0. ~packing:(tbl#attach ~left:0 ~top:1 ~expand:`NONE) ()); let kindCombo = let al = GBin.alignment ~xscale:0. ~xalign:0. ~packing:(tbl#attach ~left:1 ~top:0) () in GEdit.combo_box_text ~strings:["Local"; "Using SSH"; "Using RSH"; "Through a plain TCP connection"] ~active:0 ~packing:(al#add) () in ignore (GMisc.label ~text:"Synchronization _kind:" ~xalign:0. ~use_underline:true ~mnemonic_widget:(fst kindCombo) ~packing:(tbl#attach ~left:0 ~top:0 ~expand:`NONE) ()); let kind = GtkReact.text_combo kindCombo >> fun i -> List.nth [`Local; `SSH; `RSH; `SOCKET] i in let isLocal = kind >> fun k -> k = `Local in let isSSH = kind >> fun k -> k = `SSH in let isSocket = kind >> fun k -> k = `SOCKET in let descrLabel = GMisc.label ~xalign:0. ~line_wrap:true ~packing:(tbl#attach ~left:1 ~top:1 ~expand:`X) () in adjustSize descrLabel; GtkReact.label descrLabel (kind >> fun k -> match k with `Local -> "Local synchronization." | `SSH -> "This is the recommended way to synchronize \ with a remote machine. A\xc2\xa0remote instance of Unison is \ automatically started via SSH." | `RSH -> "Synchronization with a remote machine by starting \ automatically a remote instance of Unison via RSH." | `SOCKET -> "Synchronization with a remote machine by connecting \ to an instance of Unison already listening \ on a specific TCP port."); let vb = GPack.vbox ~spacing:6 ~packing:(connection#add) () in GtkReact.show vb (isLocal >> not); ignore (GMisc.label ~markup:"Configuration" ~xalign:0. ~packing:(vb#pack ~expand:false) ()); let al = GBin.alignment ~packing:(vb#add) () in al#set_left_padding 12; let vb = GPack.vbox ~spacing:6 ~packing:(al#add) () in let requirementLabel = GMisc.label ~xalign:0. ~line_wrap:true ~packing:(vb#pack ~expand:false) () in adjustSize requirementLabel; GtkReact.label requirementLabel (kind >> fun k -> match k with `Local -> "" | `SSH -> "There must be an SSH client installed on this machine, \ and Unison and an SSH server installed on the remote machine." | `RSH -> "There must be an RSH client installed on this machine, \ and Unison and an RSH server installed on the remote machine." | `SOCKET -> "There must be a Unison server running on the remote machine, \ listening on the port that you specify here. \ (Use \"Unison -socket xxx\" on the remote machine to start \ the Unison server.)"); let connDescLabel = GMisc.label ~xalign:0. ~line_wrap:true ~packing:(vb#pack ~expand:false) () in adjustSize connDescLabel; GtkReact.label connDescLabel (kind >> fun k -> match k with `Local -> "" | `SSH -> "Please enter the host to connect to and a user name, \ if different from your user name on this machine." | `RSH -> "Please enter the host to connect to and a user name, \ if different from your user name on this machine." | `SOCKET -> "Please enter the host and port to connect to."); let tbl = let al = GBin.alignment ~packing:(vb#pack ~expand:false) () in al#set_left_padding 12; GPack.table ~rows:2 ~columns:2 ~col_spacings:12 ~row_spacings:6 ~packing:(al#add) () in let hostEntry = GEdit.entry ~packing:(tbl#attach ~left:1 ~top:0 ~expand:`X) () in let host = GtkReact.entry hostEntry in ignore (GMisc.label ~text:"_Host:" ~xalign:0. ~use_underline:true ~mnemonic_widget:hostEntry ~packing:(tbl#attach ~left:0 ~top:0 ~expand:`NONE) ()); let userEntry = GEdit.entry ~packing:(tbl#attach ~left:1 ~top:1 ~expand:`X) () in GtkReact.show userEntry (isSocket >> not); let user = GtkReact.entry userEntry in GtkReact.show (GMisc.label ~text:"_User:" ~xalign:0. ~yalign:0. ~use_underline:true ~mnemonic_widget:userEntry ~packing:(tbl#attach ~left:0 ~top:1 ~expand:`NONE) ()) (isSocket >> not); let portEntry = GEdit.entry ~packing:(tbl#attach ~left:1 ~top:1 ~expand:`X) () in GtkReact.show portEntry isSocket; let port = GtkReact.entry portEntry in GtkReact.show (GMisc.label ~text:"_Port:" ~xalign:0. ~yalign:0. ~use_underline:true ~mnemonic_widget:portEntry ~packing:(tbl#attach ~left:0 ~top:1 ~expand:`NONE) ()) isSocket; let compressLabel = GMisc.label ~xalign:0. ~line_wrap:true ~text:"Data compression can greatly improve performance \ on slow connections. However, it may slow down \ things on (fast) local networks." ~packing:(vb#pack ~expand:false) () in adjustSize compressLabel; GtkReact.show compressLabel isSSH; let compressButton = let al = GBin.alignment ~packing:(vb#pack ~expand:false) () in al#set_left_padding 12; (GButton.check_button ~label:"Enable _compression" ~use_mnemonic:true ~active:true ~packing:(al#add) ()) in GtkReact.show compressButton isSSH; let compress = GtkReact.toggle_button compressButton in (*XXX Disabled for now... *) (* adjustSize (GMisc.label ~xalign:0. ~line_wrap:true ~text:"If this is possible, it is recommended that Unison \ attempts to connect immediately to the remote machine, \ so that it can perform some auto-detections." ~packing:(vb#pack ~expand:false) ()); let connectImmediately = let al = GBin.alignment ~packing:(vb#pack ~expand:false) () in al#set_left_padding 12; GtkReact.toggle_button (GButton.check_button ~label:"Connect _immediately" ~use_mnemonic:true ~active:true ~packing:(al#add) ()) in let connectImmediately = React.lift2 (&&) connectImmediately (isLocal >> not) in *) let pageComplete = React.lift2 (||) isLocal (React.lift2 (&&) (host >> nonEmpty) (React.lift2 (||) (isSocket >> not) (port >> isInteger))) in ignore (assistant#append_page ~title:"Connection Setup" ~page_type:`CONTENT connection#as_widget); pageComplete >| setPageComplete connection; (* Connection to server *) (*XXX Disabled for now... Fill in this page let connectionInProgress = GMisc.label ~text:"..." () in let p = assistant#append_page ~title:"Connecting to Server..." ~page_type:`PROGRESS connectionInProgress#as_widget in ignore (assistant#connect#prepare (fun () -> if assistant#current_page = p then begin if React.state connectImmediately then begin (* XXXX start connection... *) assistant#set_page_complete connectionInProgress#as_widget true end else assistant#set_current_page (p + 1) end)); *) (* Directory selection *) let directorySelection = GPack.vbox ~border_width:12 ~spacing:6 () in adjustSize (GMisc.label ~xalign:0. ~line_wrap:true ~justify:`LEFT ~text:"Please select the two directories that you want to synchronize." ~packing:(directorySelection#pack ~expand:false) ()); let secondDirLabel1 = GMisc.label ~xalign:0. ~line_wrap:true ~justify:`LEFT ~text:"The second directory is relative to your home \ directory on the remote machine." ~packing:(directorySelection#pack ~expand:false) () in adjustSize secondDirLabel1; GtkReact.show secondDirLabel1 ((React.lift2 (||) isLocal isSocket) >> not); let secondDirLabel2 = GMisc.label ~xalign:0. ~line_wrap:true ~justify:`LEFT ~text:"The second directory is relative to \ the working directory of the Unison server \ running on the remote machine." ~packing:(directorySelection#pack ~expand:false) () in adjustSize secondDirLabel2; GtkReact.show secondDirLabel2 isSocket; let tbl = let al = GBin.alignment ~packing:(directorySelection#pack ~expand:false) () in al#set_left_padding 12; GPack.table ~rows:2 ~columns:2 ~col_spacings:12 ~row_spacings:6 ~packing:(al#add) () in (*XXX Should focus on this button when becomes visible... *) let firstDirButton = GFile.chooser_button ~action:`SELECT_FOLDER ~title:"First Directory" ~packing:(tbl#attach ~left:1 ~top:0 ~expand:`X) () in isLocal >| (fun b -> firstDirButton#set_title (if b then "First Directory" else "Local Directory")); GtkReact.label_underlined (GMisc.label ~xalign:0. ~mnemonic_widget:firstDirButton ~packing:(tbl#attach ~left:0 ~top:0 ~expand:`NONE) ()) (isLocal >> fun b -> if b then "_First directory:" else "_Local directory:"); let noneToEmpty o = match o with None -> "" | Some s -> s in let firstDir = GtkReact.file_chooser firstDirButton >> noneToEmpty in let secondDirButton = GFile.chooser_button ~action:`SELECT_FOLDER ~title:"Second Directory" ~packing:(tbl#attach ~left:1 ~top:1 ~expand:`X) () in let secondDirLabel = GMisc.label ~xalign:0. ~text:"Se_cond directory:" ~use_underline:true ~mnemonic_widget:secondDirButton ~packing:(tbl#attach ~left:0 ~top:1 ~expand:`NONE) () in GtkReact.show secondDirButton isLocal; GtkReact.show secondDirLabel isLocal; let remoteDirEdit = GEdit.entry ~packing:(tbl#attach ~left:1 ~top:1 ~expand:`X) () in let remoteDirLabel = GMisc.label ~xalign:0. ~text:"_Remote directory:" ~use_underline:true ~mnemonic_widget:remoteDirEdit ~packing:(tbl#attach ~left:0 ~top:1 ~expand:`NONE) () in GtkReact.show remoteDirEdit (isLocal >> not); GtkReact.show remoteDirLabel (isLocal >> not); let secondDir = React.lift3 (fun b l r -> if b then l else r) isLocal (GtkReact.file_chooser secondDirButton >> noneToEmpty) (GtkReact.entry remoteDirEdit) in ignore (assistant#append_page ~title:"Directory Selection" ~page_type:`CONTENT directorySelection#as_widget); React.lift2 (||) (isLocal >> not) (React.lift2 (<>) firstDir secondDir) >| setPageComplete directorySelection; (* Specific options *) let options = GPack.vbox ~border_width:18 ~spacing:12 () in (* Do we need to set specific options for FAT partitions? If under Windows, then all the options are set properly, except for ignoreinodenumbers in case one replica is on a FAT partition on a remote non-Windows machine. As this is unlikely, we do not handle this case. *) let fat = if Util.osType = `Win32 then React.const false else begin let vb = GPack.vbox ~spacing:6 ~packing:(options#pack ~expand:false) () in let fatLabel = GMisc.label ~xalign:0. ~line_wrap:true ~justify:`LEFT ~text:"Select the following option if one of your \ directory is on a FAT partition. This is typically \ the case for a USB stick." ~packing:(vb#pack ~expand:false) () in adjustSize fatLabel; let fatButton = let al = GBin.alignment ~packing:(vb#pack ~expand:false) () in al#set_left_padding 12; (GButton.check_button ~label:"Synchronization involving a _FAT partition" ~use_mnemonic:true ~active:false ~packing:(al#add) ()) in GtkReact.toggle_button fatButton end in (* Fastcheck is safe except on FAT partitions and on Windows when not in Unicode mode where there is a very slight chance of missing an update when a file is moved onto another with the same modification time. Nowadays, FAT is rarely used on working partitions. In most cases, we should be in Unicode mode. Thus, it seems sensible to always enable fastcheck. *) (* let fastcheck = isLocal >> not >> (fun b -> b || Util.osType = `Win32) in *) (* Unicode mode can be problematic when the source machine is under Windows and the remote machine is not, as Unison may have already been used using the legacy Latin 1 encoding. Cygwin also did not handle Unicode before version 1.7. *) let vb = GPack.vbox ~spacing:6 ~packing:(options#pack ~expand:false) () in let askUnicode = React.const false in (* isLocal >> not >> fun b -> (b || Util.isCygwin) && Util.osType = `Win32 in*) GtkReact.show vb askUnicode; adjustSize (GMisc.label ~xalign:0. ~line_wrap:true ~justify:`LEFT ~text:"When synchronizing in case insensitive mode, \ Unison has to make some assumptions regarding \ filename encoding. If ensure, use Unicode." ~packing:(vb#pack ~expand:false) ()); let vb = let al = GBin.alignment ~xscale:0. ~xalign:0. ~packing:(vb#pack ~expand:false) () in al#set_left_padding 12; GPack.vbox ~spacing:0 ~packing:(al#add) () in ignore (GMisc.label ~xalign:0. ~text:"Filename encoding:" ~packing:(vb#pack ~expand:false) ()); let hb = let al = GBin.alignment ~xscale:0. ~xalign:0. ~packing:(vb#pack ~expand:false) () in al#set_left_padding 12; GPack.button_box `VERTICAL ~layout:`START ~spacing:0 ~packing:(al#add) () in let unicodeButton = GButton.radio_button ~label:"_Unicode" ~use_mnemonic:true ~active:true ~packing:(hb#add) () in ignore (GButton.radio_button ~label:"_Latin 1" ~use_mnemonic:true ~group:unicodeButton#group ~packing:(hb#add) ()); (* let unicode = React.lift2 (||) (askUnicode >> not) (GtkReact.toggle_button unicodeButton) in *) let p = assistant#append_page ~title:"Specific Options" ~complete:true ~page_type:`CONTENT options#as_widget in ignore (assistant#connect#prepare (fun () -> if assistant#current_page = p && not (Util.osType <> `Win32 || React.state askUnicode) then assistant#set_current_page (p + 1))); let conclusion = GMisc.label ~xpad:12 ~ypad:12 ~text:"You have now finished filling in the profile.\n\n\ Click \"Apply\" to create it." () in ignore (assistant#append_page ~title:"Done" ~complete:true ~page_type:`CONFIRM conclusion#as_widget); let profileName = ref None in let saveProfile () = let filename = Prefs.profilePathname (React.state name) in begin try let ch = System.open_out_gen [Open_wronly; Open_creat; Open_excl] 0o600 filename in Printf.fprintf ch "# Unison preferences\n"; let label = React.state label in if label <> "" then Printf.fprintf ch "label = %s\n" label; Printf.fprintf ch "root = %s\n" (React.state firstDir); let secondDir = React.state secondDir in let host = React.state host in let user = match React.state user with "" -> None | u -> Some u in let secondRoot = match React.state kind with `Local -> Clroot.ConnectLocal (Some secondDir) | `SSH -> Clroot.ConnectByShell ("ssh", host, user, None, Some secondDir) | `RSH -> Clroot.ConnectByShell ("rsh", host, user, None, Some secondDir) | `SOCKET -> Clroot.ConnectBySocket (host, React.state port, Some secondDir) in Printf.fprintf ch "root = %s\n" (Clroot.clroot2string secondRoot); if React.state compress && React.state kind = `SSH then Printf.fprintf ch "sshargs = -C\n"; (* if React.state fastcheck then Printf.fprintf ch "fastcheck = true\n"; if React.state unicode then Printf.fprintf ch "unicode = true\n"; *) if React.state fat then Printf.fprintf ch "fat = true\n"; close_out ch; profileName := Some (React.state name) with Sys_error _ as e -> okBox ~parent:assistant ~typ:`ERROR ~title:"Could not save profile" ~message:(Uicommon.exn2string e) end; assistant#destroy (); in ignore (assistant#connect#close ~callback:saveProfile); ignore (assistant#connect#destroy ~callback:GMain.Main.quit); ignore (assistant#connect#cancel ~callback:assistant#destroy); assistant#show (); GMain.Main.main (); !profileName (* ------ *) let nameOfType t = match t with `BOOL -> "boolean" | `BOOLDEF -> "boolean" | `INT -> "integer" | `STRING -> "text" | `STRING_LIST -> "text list" | `CUSTOM -> "custom" | `UNKNOWN -> "unknown" let defaultValue t = match t with `BOOL -> ["true"] | `BOOLDEF -> ["true"] | `INT -> ["0"] | `STRING -> [""] | `STRING_LIST -> [] | `CUSTOM -> [] | `UNKNOWN -> [] let editPreference parent nm ty vl = let t = GWindow.dialog ~parent ~border_width:12 ~no_separator:true ~title:"Edit the Preference" ~modal:true () in let vb = t#vbox in vb#set_spacing 6; let isList = match ty with `STRING_LIST | `CUSTOM | `UNKNOWN -> true | _ -> false in let columns = if isList then 5 else 4 in let rows = if isList then 3 else 2 in let tbl = GPack.table ~rows ~columns ~col_spacings:12 ~row_spacings:6 ~packing:(vb#pack ~expand:false) () in ignore (GMisc.label ~text:"Preference:" ~xalign:0. ~packing:(tbl#attach ~left:0 ~top:0 ~expand:`NONE) ()); ignore (GMisc.label ~text:"Description:" ~xalign:0. ~packing:(tbl#attach ~left:0 ~top:1 ~expand:`NONE) ()); ignore (GMisc.label ~text:"Type:" ~xalign:0. ~packing:(tbl#attach ~left:0 ~top:2 ~expand:`NONE) ()); ignore (GMisc.label ~text:(Unicode.protect nm) ~xalign:0. ~selectable:true () ~packing:(tbl#attach ~left:1 ~top:0 ~expand:`X)); let (doc, _, _) = Prefs.documentation nm in ignore (GMisc.label ~text:doc ~xalign:0. ~selectable:true () ~packing:(tbl#attach ~left:1 ~top:1 ~expand:`X)); ignore (GMisc.label ~text:(nameOfType ty) ~xalign:0. ~selectable:true () ~packing:(tbl#attach ~left:1 ~top:2 ~expand:`X)); let newValue = if isList then begin let valueLabel = GMisc.label ~text:"V_alue:" ~use_underline:true ~xalign:0. ~yalign:0. ~packing:(tbl#attach ~left:0 ~top:3 ~expand:`NONE) () in let cols = new GTree.column_list in let c_value = cols#add Gobject.Data.string in let c_ml = cols#add Gobject.Data.caml in let lst_store = GTree.list_store cols in let lst = let sw = GBin.scrolled_window ~packing:(tbl#attach ~left:1 ~top:3 ~expand:`X) ~shadow_type:`IN ~height:200 ~width:400 ~hpolicy:`AUTOMATIC ~vpolicy:`AUTOMATIC () in GTree.view ~model:lst_store ~headers_visible:false ~reorderable:true ~packing:sw#add () in valueLabel#set_mnemonic_widget (Some (lst :> GObj.widget)); let column = GTree.view_column ~renderer:(GTree.cell_renderer_text [], ["text", c_value]) () in ignore (lst#append_column column); let vb = GPack.button_box `VERTICAL ~layout:`START ~spacing:6 ~packing:(tbl#attach ~left:2 ~top:3 ~expand:`NONE) () in let selection = GtkReact.tree_view_selection lst in let hasSel = selection >> fun l -> l <> [] in let addB = GButton.button ~stock:`ADD ~packing:(vb#pack ~expand:false) () in let removeB = GButton.button ~stock:`REMOVE ~packing:(vb#pack ~expand:false) () in let editB = GButton.button ~stock:`EDIT ~packing:(vb#pack ~expand:false) () in let upB = GButton.button ~stock:`GO_UP ~packing:(vb#pack ~expand:false) () in let downB = GButton.button ~stock:`GO_DOWN ~packing:(vb#pack ~expand:false) () in List.iter (fun b -> b#set_xalign 0.) [addB; removeB; editB; upB; downB]; GtkReact.set_sensitive removeB hasSel; let editLabel = GMisc.label ~text:"Edited _item:" ~use_underline:true ~xalign:0. ~packing:(tbl#attach ~left:0 ~top:4 ~expand:`NONE) () in let editEntry = GEdit.entry ~packing:(tbl#attach ~left:1 ~top:4 ~expand:`X) () in editLabel#set_mnemonic_widget (Some (editEntry :> GObj.widget)); let edit = GtkReact.entry editEntry in let edited = React.lift2 (fun l txt -> match l with [rf] -> lst_store#get ~row:rf#iter ~column:c_ml <> txt | _ -> false) selection edit in GtkReact.set_sensitive editB edited; let selectionChange = GtkReact.tree_view_selection_changed lst in selectionChange >>| (fun s -> match s with [rf] -> editEntry#set_text (lst_store#get ~row:rf#iter ~column:c_value) | _ -> ()); let add () = let txt = editEntry#text in let row = lst_store#append () in lst_store#set ~row ~column:c_value txt; lst_store#set ~row ~column:c_ml txt; lst#selection#select_iter row; lst#scroll_to_cell (lst_store#get_path row) column in ignore (addB#connect#clicked ~callback:add); ignore (editEntry#connect#activate ~callback:add); let remove () = match React.state selection with [rf] -> let i = rf#iter in if lst_store#iter_next i then lst#selection#select_iter i else begin let p = rf#path in if GTree.Path.prev p then lst#selection#select_path p end; ignore (lst_store#remove rf#iter) | _ -> () in ignore (removeB#connect#clicked ~callback:remove); let edit () = match React.state selection with [rf] -> let row = rf#iter in let txt = editEntry#text in lst_store#set ~row ~column:c_value txt; lst_store#set ~row ~column:c_ml txt | _ -> () in ignore (editB#connect#clicked ~callback:edit); let updateUpDown l = let (upS, downS) = match l with [rf] -> (GTree.Path.prev rf#path, lst_store#iter_next rf#iter) | _ -> (false, false) in upB#misc#set_sensitive upS; downB#misc#set_sensitive downS in selectionChange >>| updateUpDown; ignore (lst_store#connect#after#row_deleted ~callback:(fun _ -> updateUpDown (React.state selection))); let go_up () = match React.state selection with [rf] -> let p = rf#path in if GTree.Path.prev p then begin let i = rf#iter in let i' = lst_store#get_iter p in ignore (lst_store#swap i i'); lst#scroll_to_cell (lst_store#get_path i) column end; updateUpDown (React.state selection) | _ -> () in ignore (upB#connect#clicked ~callback:go_up); let go_down () = match React.state selection with [rf] -> let i = rf#iter in if lst_store#iter_next i then begin let i' = rf#iter in ignore (lst_store#swap i i'); lst#scroll_to_cell (lst_store#get_path i') column end; updateUpDown (React.state selection) | _ -> () in ignore (downB#connect#clicked ~callback:go_down); List.iter (fun v -> let row = lst_store#append () in lst_store#set ~row ~column:c_value (Unicode.protect v); lst_store#set ~row ~column:c_ml v) vl; (fun () -> let l = ref [] in lst_store#foreach (fun _ row -> l := lst_store#get ~row ~column:c_ml :: !l; false); List.rev !l) end else begin let v = List.hd vl in begin match ty with `BOOL | `BOOLDEF -> let hb = GPack.button_box `HORIZONTAL ~layout:`START ~packing:(tbl#attach ~left:1 ~top:3 ~expand:`X) () in let isTrue = v = "true" || v = "yes" in let trueB = GButton.radio_button ~label:"_True" ~use_mnemonic:true ~active:isTrue ~packing:(hb#add) () in ignore (GButton.radio_button ~label:"_False" ~use_mnemonic:true ~group:trueB#group ~active:(not isTrue) ~packing:(hb#add) ()); ignore (GMisc.label ~text:"Value:" ~xalign:0. ~packing:(tbl#attach ~left:0 ~top:3 ~expand:`NONE) ()); (fun () -> [if trueB#active then "true" else "false"]) | `INT | `STRING -> let valueEntry = GEdit.entry ~text:(List.hd vl) ~width_chars: 40 ~activates_default:true ~packing:(tbl#attach ~left:1 ~top:3 ~expand:`X) () in ignore (GMisc.label ~text:"V_alue:" ~use_underline:true ~xalign:0. ~mnemonic_widget:valueEntry ~packing:(tbl#attach ~left:0 ~top:3 ~expand:`NONE) ()); (fun () -> [valueEntry#text]) | `STRING_LIST | `CUSTOM | `UNKNOWN -> assert false end end in let ok = ref false in let cancelCommand () = t#destroy () in let cancelButton = GButton.button ~stock:`CANCEL ~packing:t#action_area#add () in ignore (cancelButton#connect#clicked ~callback:cancelCommand); let okCommand _ = ok := true; t#destroy () in let okButton = GButton.button ~stock:`OK ~packing:t#action_area#add () in ignore (okButton#connect#clicked ~callback:okCommand); okButton#grab_default (); ignore (t#connect#destroy ~callback:GMain.Main.quit); t#show (); GMain.Main.main (); if !ok then Some (newValue ()) else None let markupRe = Str.regexp "<\\([a-z]+\\)>\\|\\|&\\([a-z]+\\);" let entities = [("amp", "&"); ("lt", "<"); ("gt", ">"); ("quot", "\""); ("apos", "'")] let rec insertMarkupRec tags (t : #GText.view) s i tl = try let j = Str.search_forward markupRe s i in if j > i then t#buffer#insert ~tags:(List.flatten tl) (String.sub s i (j - i)); let tag = try Some (Str.matched_group 1 s) with Not_found -> None in match tag with Some tag -> insertMarkupRec tags t s (Str.group_end 0) ((try [List.assoc tag tags] with Not_found -> []) :: tl) | None -> let entity = try Some (Str.matched_group 3 s) with Not_found -> None in match entity with None -> insertMarkupRec tags t s (Str.group_end 0) (List.tl tl) | Some ent -> begin try t#buffer#insert ~tags:(List.flatten tl) (List.assoc ent entities) with Not_found -> () end; insertMarkupRec tags t s (Str.group_end 0) tl with Not_found -> let j = String.length s in if j > i then t#buffer#insert ~tags:(List.flatten tl) (String.sub s i (j - i)) let insertMarkup tags t s = t#buffer#set_text ""; insertMarkupRec tags t s 0 [] let documentPreference ~compact ~packing = let vb = GPack.vbox ~spacing:6 ~packing () in ignore (GMisc.label ~markup:"Documentation" ~xalign:0. ~packing:(vb#pack ~expand:false) ()); let al = GBin.alignment ~packing:(vb#pack ~expand:true ~fill:true) () in al#set_left_padding 12; let columns = if compact then 3 else 2 in let tbl = GPack.table ~rows:2 ~columns ~col_spacings:12 ~row_spacings:6 ~packing:(al#add) () in tbl#misc#set_sensitive false; ignore (GMisc.label ~text:"Short description:" ~xalign:0. ~packing:(tbl#attach ~left:0 ~top:0 ~expand:`NONE) ()); ignore (GMisc.label ~text:"Long description:" ~xalign:0. ~yalign:0. ~packing:(tbl#attach ~left:0 ~top:1 ~expand:`NONE) ()); let shortDescr = GMisc.label ~packing:(tbl#attach ~left:1 ~top:0 ~expand:`X) ~xalign:0. ~selectable:true () in let longDescr = let sw = if compact then GBin.scrolled_window ~height:128 ~width:640 ~packing:(tbl#attach ~left:0 ~top:2 ~right:2 ~expand:`BOTH) ~shadow_type:`IN ~hpolicy:`AUTOMATIC ~vpolicy:`AUTOMATIC () else GBin.scrolled_window ~height:128 ~width:640 ~packing:(tbl#attach ~left:1 ~top:1 ~expand:`BOTH) ~shadow_type:`IN ~hpolicy:`AUTOMATIC ~vpolicy:`AUTOMATIC () in GText.view ~editable:false ~packing:sw#add ~wrap_mode:`WORD () in let (>>>) x f = f x in let newlineRe = Str.regexp "\n *" in let styleRe = Str.regexp "{\\\\\\([a-z]+\\) \\([^{}]*\\)}" in let verbRe = Str.regexp "\\\\verb|\\([^|]*\\)|" in let argRe = Str.regexp "\\\\ARG{\\([^{}]*\\)}" in let textttRe = Str.regexp "\\\\texttt{\\([^{}]*\\)}" in let emphRe = Str.regexp "\\\\emph{\\([^{}]*\\)}" in let sectionRe = Str.regexp "\\\\sectionref{\\([^{}]*\\)}{\\([^{}]*\\)}" in let emdash = Str.regexp_string "---" in let parRe = Str.regexp "\\\\par *" in let underRe = Str.regexp "\\\\_ *" in let dollarRe = Str.regexp "\\\\\\$ *" in let formatDoc doc = doc >>> Str.global_replace newlineRe " " >>> escapeMarkup >>> Str.global_substitute styleRe (fun s -> try let tag = match Str.matched_group 1 s with "em" -> "i" | "tt" -> "tt" | _ -> raise Exit in Format.sprintf "<%s>%s" tag (Str.matched_group 2 s) tag with Exit -> Str.matched_group 0 s) >>> Str.global_replace verbRe "\\1" >>> Str.global_replace argRe "\\1" >>> Str.global_replace textttRe "\\1" >>> Str.global_replace emphRe "\\1" >>> Str.global_replace sectionRe "Section '\\2'" >>> Str.global_replace emdash "\xe2\x80\x94" >>> Str.global_replace parRe "\n" >>> Str.global_replace underRe "_" >>> Str.global_replace dollarRe "_" in let tags = let create = longDescr#buffer#create_tag in [("i", create [`FONT_DESC (Lazy.force fontItalic)]); ("tt", create [`FONT_DESC (Lazy.force fontMonospace)])] in fun nm -> let (short, long, _) = match nm with Some nm -> tbl#misc#set_sensitive true; Prefs.documentation nm | _ -> tbl#misc#set_sensitive false; ("", "", false) in shortDescr#set_text (String.capitalize short); insertMarkup tags longDescr (formatDoc long) (* longDescr#buffer#set_text (formatDoc long)*) let addPreference parent = let t = GWindow.dialog ~parent ~border_width:12 ~no_separator:true ~title:"Add a Preference" ~modal:true () in let vb = t#vbox in (* vb#set_spacing 18;*) let paned = GPack.paned `VERTICAL ~packing:vb#add () in let lvb = GPack.vbox ~spacing:6 ~packing:paned#pack1 () in let preferenceLabel = GMisc.label ~text:"_Preferences:" ~use_underline:true ~xalign:0. ~packing:(lvb#pack ~expand:false) () in let cols = new GTree.column_list in let c_name = cols#add Gobject.Data.string in let basic_store = GTree.list_store cols in let full_store = GTree.list_store cols in let lst = let sw = GBin.scrolled_window ~packing:(lvb#pack ~expand:true) ~shadow_type:`IN ~height:200 ~width:400 ~hpolicy:`AUTOMATIC ~vpolicy:`AUTOMATIC () in GTree.view ~headers_visible:false ~packing:sw#add () in preferenceLabel#set_mnemonic_widget (Some (lst :> GObj.widget)); ignore (lst#append_column (GTree.view_column ~renderer:(GTree.cell_renderer_text [], ["text", c_name]) ())); let hiddenPrefs = ["auto"; "doc"; "silent"; "terse"; "testserver"; "version"] in let shownPrefs = ["label"; "key"] in let insert (store : #GTree.list_store) all = List.iter (fun nm -> if all || List.mem nm shownPrefs || (let (_, _, basic) = Prefs.documentation nm in basic && not (List.mem nm hiddenPrefs)) then begin let row = store#append () in store#set ~row ~column:c_name nm end) (Prefs.list ()) in insert basic_store false; insert full_store true; let showAll = GtkReact.toggle_button (GButton.check_button ~label:"_Show all preferences" ~use_mnemonic:true ~active:false ~packing:(lvb#pack ~expand:false) ()) in showAll >| (fun b -> lst#set_model (Some (if b then full_store else basic_store :> GTree.model))); let selection = GtkReact.tree_view_selection lst in let updateDoc = documentPreference ~compact:true ~packing:paned#pack2 in selection >| (fun l -> let nm = match l with [rf] -> let row = rf#iter in let store = if React.state showAll then full_store else basic_store in Some (store#get ~row ~column:c_name) | _ -> None in updateDoc nm); let cancelCommand () = t#destroy () in let cancelButton = GButton.button ~stock:`CANCEL ~packing:t#action_area#add () in ignore (cancelButton#connect#clicked ~callback:cancelCommand); ignore (t#event#connect#delete ~callback:(fun _ -> cancelCommand (); true)); let ok = ref false in let addCommand _ = ok := true; t#destroy () in let addButton = GButton.button ~stock:`ADD ~packing:t#action_area#add () in ignore (addButton#connect#clicked ~callback:addCommand); GtkReact.set_sensitive addButton (selection >> fun l -> l <> []); ignore (lst#connect#row_activated ~callback:(fun _ _ -> addCommand ())); addButton#grab_default (); ignore (t#connect#destroy ~callback:GMain.Main.quit); t#show (); GMain.Main.main (); if not !ok then None else match React.state selection with [rf] -> let row = rf#iter in let store = if React.state showAll then full_store else basic_store in Some (store#get ~row ~column:c_name) | _ -> None let editProfile parent name = let t = GWindow.dialog ~parent ~border_width:12 ~no_separator:true ~title:(Format.sprintf "%s - Profile Editor" name) ~modal:true () in let vb = t#vbox in (* t#vbox#set_spacing 18;*) let paned = GPack.paned `VERTICAL ~packing:vb#add () in let lvb = GPack.vbox ~spacing:6 ~packing:paned#pack1 () in let preferenceLabel = GMisc.label ~text:"_Preferences:" ~use_underline:true ~xalign:0. ~packing:(lvb#pack ~expand:false) () in let hb = GPack.hbox ~spacing:12 ~packing:(lvb#add) () in let cols = new GTree.column_list in let c_name = cols#add Gobject.Data.string in let c_type = cols#add Gobject.Data.string in let c_value = cols#add Gobject.Data.string in let c_ml = cols#add Gobject.Data.caml in let lst_store = GTree.list_store cols in let lst_sorted_store = GTree.model_sort lst_store in lst_sorted_store#set_sort_column_id 0 `ASCENDING; let lst = let sw = GBin.scrolled_window ~packing:(hb#pack ~expand:true) ~shadow_type:`IN ~height:300 ~width:600 ~hpolicy:`AUTOMATIC ~vpolicy:`AUTOMATIC () in GTree.view ~model:lst_sorted_store ~packing:sw#add ~headers_clickable:true () in preferenceLabel#set_mnemonic_widget (Some (lst :> GObj.widget)); let vc_name = GTree.view_column ~title:"Name" ~renderer:(GTree.cell_renderer_text [], ["text", c_name]) () in vc_name#set_sort_column_id 0; ignore (lst#append_column vc_name); ignore (lst#append_column (GTree.view_column ~title:"Type" ~renderer:(GTree.cell_renderer_text [], ["text", c_type]) ())); ignore (lst#append_column (GTree.view_column ~title:"Value" ~renderer:(GTree.cell_renderer_text [], ["text", c_value]) ())); let vb = GPack.button_box `VERTICAL ~layout:`START ~spacing:6 ~packing:(hb#pack ~expand:false) () in let selection = GtkReact.tree_view_selection lst in let hasSel = selection >> fun l -> l <> [] in let addB = GButton.button ~stock:`ADD ~packing:(vb#pack ~expand:false) () in let editB = GButton.button ~stock:`EDIT ~packing:(vb#pack ~expand:false) () in let deleteB = GButton.button ~stock:`DELETE ~packing:(vb#pack ~expand:false) () in List.iter (fun b -> b#set_xalign 0.) [addB; editB; deleteB]; GtkReact.set_sensitive editB hasSel; GtkReact.set_sensitive deleteB hasSel; let (modified, setModified) = React.make false in let formatValue vl = Unicode.protect (String.concat ", " vl) in let deletePref () = match React.state selection with [rf] -> let row = lst_sorted_store#convert_iter_to_child_iter rf#iter in let (nm, ty, vl) = lst_store#get ~row ~column:c_ml in if twoBox ~kind:`DIALOG_QUESTION ~parent:t ~title:"Preference Deletion" ~bstock:`CANCEL ~astock:`DELETE (Format.sprintf "Do you really want to delete preference %s?" (Unicode.protect nm)) then begin ignore (lst_store#remove row); setModified true end | _ -> () in let editPref path = let row = lst_sorted_store#convert_iter_to_child_iter (lst_sorted_store#get_iter path) in let (nm, ty, vl) = lst_store#get ~row ~column:c_ml in match editPreference t nm ty vl with Some [] -> deletePref () | Some vl' when vl <> vl' -> lst_store#set ~row ~column:c_ml (nm, ty, vl'); lst_store#set ~row ~column:c_value (formatValue vl'); setModified true | _ -> () in let add () = match addPreference t with None -> () | Some nm -> let existing = ref false in lst_store#foreach (fun path row -> let (nm', _, _) = lst_store#get ~row ~column:c_ml in if nm = nm' then begin existing := true; editPref path; true end else false); if not !existing then begin let ty = Prefs.typ nm in match editPreference parent nm ty (defaultValue ty) with Some vl when vl <> [] -> let row = lst_store#append () in lst_store#set ~row ~column:c_name (Unicode.protect nm); lst_store#set ~row ~column:c_type (nameOfType ty); lst_store#set ~row ~column:c_ml (nm, ty, vl); lst_store#set ~row ~column:c_value (formatValue vl); setModified true | _ -> () end in ignore (addB#connect#clicked ~callback:add); ignore (editB#connect#clicked ~callback:(fun () -> match React.state selection with [p] -> editPref p#path | _ -> ())); ignore (deleteB#connect#clicked ~callback:deletePref); let updateDoc = documentPreference ~compact:true ~packing:paned#pack2 in selection >| (fun l -> let nm = match l with [rf] -> let row = rf#iter in Some (lst_sorted_store#get ~row ~column:c_name) | _ -> None in updateDoc nm); ignore (lst#connect#row_activated ~callback:(fun path _ -> editPref path)); let group l = let rec groupRec l k vl l' = match l with (k', v) :: r -> if k = k' then groupRec r k (v :: vl) l' else groupRec r k' [v] ((k, vl) :: l') | [] -> Safelist.fold_left (fun acc (k, l) -> (k, List.rev l) :: acc) [] ((k, vl) :: l') in match l with (k, v) :: r -> groupRec r k [v] [] | [] -> [] in let lastOne l = [List.hd (Safelist.rev l)] in let normalizeValue t vl = match t with `BOOL | `INT | `STRING -> lastOne vl | `STRING_LIST | `CUSTOM | `UNKNOWN -> vl | `BOOLDEF -> let l = lastOne vl in if l = ["default"] || l = ["auto"] then [] else l in let (>>>) x f = f x in Prefs.readAFile name >>> List.map (fun (_, _, nm, v) -> Prefs.canonicalName nm, v) >>> List.stable_sort (fun (nm, _) (nm', _) -> compare nm nm') >>> group >>> List.iter (fun (nm, vl) -> let nm = Prefs.canonicalName nm in let ty = Prefs.typ nm in let vl = normalizeValue ty vl in if vl <> [] then begin let row = lst_store#append () in lst_store#set ~row ~column:c_name (Unicode.protect nm); lst_store#set ~row ~column:c_type (nameOfType ty); lst_store#set ~row ~column:c_value (formatValue vl); lst_store#set ~row ~column:c_ml (nm, ty, vl) end); let applyCommand _ = if React.state modified then begin let filename = Prefs.profilePathname name in try let ch = System.open_out_gen [Open_wronly; Open_creat; Open_trunc] 0o600 filename in (*XXX Should trim whitespaces and check for '\n' at some point *) Printf.fprintf ch "# Unison preferences\n"; lst_store#foreach (fun path row -> let (nm, _, vl) = lst_store#get ~row ~column:c_ml in List.iter (fun v -> Printf.fprintf ch "%s = %s\n" nm v) vl; false); close_out ch; setModified false with Sys_error _ as e -> okBox ~parent:t ~typ:`ERROR ~title:"Could not save profile" ~message:(Uicommon.exn2string e) end in let applyButton = GButton.button ~stock:`APPLY ~packing:t#action_area#add () in ignore (applyButton#connect#clicked ~callback:applyCommand); GtkReact.set_sensitive applyButton modified; let cancelCommand () = t#destroy () in let cancelButton = GButton.button ~stock:`CANCEL ~packing:t#action_area#add () in ignore (cancelButton#connect#clicked ~callback:cancelCommand); ignore (t#event#connect#delete ~callback:(fun _ -> cancelCommand (); true)); let okCommand _ = applyCommand (); t#destroy () in let okButton = GButton.button ~stock:`OK ~packing:t#action_area#add () in ignore (okButton#connect#clicked ~callback:okCommand); okButton#grab_default (); (* List.iter (fun (nm, _, long) -> try let long = formatDoc long in ignore (Str.search_forward (Str.regexp_string "\\") long 0); Format.eprintf "%s %s@." nm long with Not_found -> ()) (Prefs.listVisiblePrefs ()); *) (* TODO: - Extra tabs for common preferences (should keep track of any change, or blacklist some preferences) - Add, modify, delete - Keep track of whether there is any change (apply button) *) ignore (t#connect#destroy ~callback:GMain.Main.quit); t#show (); GMain.Main.main () (* ------ *) let profilesAndRoots = ref [] let scanProfiles () = Array.iteri (fun i _ -> profileKeymap.(i) <- None) profileKeymap; profilesAndRoots := (Safelist.map (fun f -> let f = Filename.chop_suffix f ".prf" in let filename = Prefs.profilePathname f in let fileContents = Safelist.map (fun (_, _, n, v) -> (n, v)) (Prefs.readAFile f) in let roots = Safelist.map snd (Safelist.filter (fun (n, _) -> n = "root") fileContents) in let label = try Some(Safelist.assoc "label" fileContents) with Not_found -> None in let info = {roots=roots; label=label} in (* If this profile has a 'key' binding, put it in the keymap *) (try let k = Safelist.assoc "key" fileContents in provideProfileKey filename k f info with Not_found -> ()); (f, info)) (Safelist.filter (fun name -> not ( Util.startswith name ".#" || Util.startswith name Os.tempFilePrefix)) (Files.ls Os.unisonDir "*.prf"))) let getProfile quit = let ok = ref false in (* Build the dialog *) let t = GWindow.dialog ~parent:(toplevelWindow ()) ~border_width:12 ~no_separator:true ~title:"Profile Selection" ~modal:true () in t#set_default_width 550; let cancelCommand _ = t#destroy () in let cancelButton = GButton.button ~stock:(if quit then `QUIT else `CANCEL) ~packing:t#action_area#add () in ignore (cancelButton#connect#clicked ~callback:cancelCommand); ignore (t#event#connect#delete ~callback:(fun _ -> cancelCommand (); true)); cancelButton#misc#set_can_default true; let okCommand() = ok := true; t#destroy () in let okButton = GButton.button ~stock:`OPEN ~packing:t#action_area#add () in ignore (okButton#connect#clicked ~callback:okCommand); okButton#misc#set_sensitive false; okButton#grab_default (); let vb = t#vbox in t#vbox#set_spacing 18; let al = GBin.alignment ~packing:(vb#add) () in al#set_left_padding 12; let lvb = GPack.vbox ~spacing:6 ~packing:(al#add) () in let selectLabel = GMisc.label ~text:"Select a _profile:" ~use_underline:true ~xalign:0. ~packing:(lvb#pack ~expand:false) () in let hb = GPack.hbox ~spacing:12 ~packing:(lvb#add) () in let sw = GBin.scrolled_window ~packing:(hb#pack ~expand:true) ~height:300 ~shadow_type:`IN ~hpolicy:`AUTOMATIC ~vpolicy:`AUTOMATIC () in let cols = new GTree.column_list in let c_name = cols#add Gobject.Data.string in let c_label = cols#add Gobject.Data.string in let c_ml = cols#add Gobject.Data.caml in let lst_store = GTree.list_store cols in let lst = GTree.view ~model:lst_store ~packing:sw#add () in selectLabel#set_mnemonic_widget (Some (lst :> GObj.widget)); let vc_name = GTree.view_column ~title:"Profile" ~renderer:(GTree.cell_renderer_text [], ["text", c_name]) () in ignore (lst#append_column vc_name); ignore (lst#append_column (GTree.view_column ~title:"Description" ~renderer:(GTree.cell_renderer_text [], ["text", c_label]) ())); let vb = GPack.vbox ~spacing:6 ~packing:(vb#pack ~expand:false) () in ignore (GMisc.label ~markup:"Summary" ~xalign:0. ~packing:(vb#pack ~expand:false) ()); let al = GBin.alignment ~packing:(vb#pack ~expand:false) () in al#set_left_padding 12; let tbl = GPack.table ~rows:2 ~columns:2 ~col_spacings:12 ~row_spacings:6 ~packing:(al#add) () in tbl#misc#set_sensitive false; ignore (GMisc.label ~text:"First root:" ~xalign:0. ~packing:(tbl#attach ~left:0 ~top:0 ~expand:`NONE) ()); ignore (GMisc.label ~text:"Second root:" ~xalign:0. ~packing:(tbl#attach ~left:0 ~top:1 ~expand:`NONE) ()); let root1 = GMisc.label ~packing:(tbl#attach ~left:1 ~top:0 ~expand:`X) ~xalign:0. ~selectable:true () in let root2 = GMisc.label ~packing:(tbl#attach ~left:1 ~top:1 ~expand:`X) ~xalign:0. ~selectable:true () in let fillLst default = scanProfiles(); lst_store#clear (); Safelist.iter (fun (profile, info) -> let labeltext = match info.label with None -> "" | Some l -> l in let row = lst_store#append () in lst_store#set ~row ~column:c_name (Unicode.protect profile); lst_store#set ~row ~column:c_label (Unicode.protect labeltext); lst_store#set ~row ~column:c_ml (profile, info); if Some profile = default then begin lst#selection#select_iter row; lst#scroll_to_cell (lst_store#get_path row) vc_name end) (Safelist.sort (fun (p, _) (p', _) -> compare p p') !profilesAndRoots) in let selection = GtkReact.tree_view_selection lst in let hasSel = selection >> fun l -> l <> [] in let selInfo = selection >> fun l -> match l with [rf] -> Some (lst_store#get ~row:rf#iter ~column:c_ml, rf) | _ -> None in selInfo >| (fun info -> match info with Some ((profile, info), _) -> begin match info.roots with [r1; r2] -> root1#set_text (Unicode.protect r1); root2#set_text (Unicode.protect r2); tbl#misc#set_sensitive true | _ -> root1#set_text ""; root2#set_text ""; tbl#misc#set_sensitive false end | None -> root1#set_text ""; root2#set_text ""; tbl#misc#set_sensitive false); GtkReact.set_sensitive okButton hasSel; let vb = GPack.button_box `VERTICAL ~layout:`START ~spacing:6 ~packing:(hb#pack ~expand:false) () in let addButton = GButton.button ~stock:`ADD ~packing:(vb#pack ~expand:false) () in ignore (addButton#connect#clicked ~callback:(fun () -> match createProfile t with Some p -> fillLst (Some p) | None -> ())); let editButton = GButton.button ~stock:`EDIT ~packing:(vb#pack ~expand:false) () in ignore (editButton#connect#clicked ~callback:(fun () -> match React.state selInfo with None -> () | Some ((p, _), _) -> editProfile t p; fillLst (Some p))); GtkReact.set_sensitive editButton hasSel; let deleteProfile () = match React.state selInfo with Some ((profile, _), rf) -> if twoBox ~kind:`DIALOG_QUESTION ~parent:t ~title:"Profile Deletion" ~bstock:`CANCEL ~astock:`DELETE (Format.sprintf "Do you really want to delete profile %s?" (transcode profile)) then begin try System.unlink (Prefs.profilePathname profile); ignore (lst_store#remove rf#iter) with Unix.Unix_error _ -> () end | None -> () in let deleteButton = GButton.button ~stock:`DELETE ~packing:(vb#pack ~expand:false) () in ignore (deleteButton#connect#clicked ~callback:deleteProfile); GtkReact.set_sensitive deleteButton hasSel; List.iter (fun b -> b#set_xalign 0.) [addButton; editButton; deleteButton]; ignore (lst#connect#row_activated ~callback:(fun _ _ -> okCommand ())); fillLst None; lst#misc#grab_focus (); ignore (t#connect#destroy ~callback:GMain.Main.quit); t#show (); GMain.Main.main (); match React.state selInfo with Some ((p, _), _) when !ok -> Some p | _ -> None (* ------ *) let documentation sect = let title = "Documentation" in let t = GWindow.dialog ~title () in let t_dismiss = GButton.button ~stock:`CLOSE ~packing:t#action_area#add () in t_dismiss#grab_default (); let dismiss () = t#destroy () in ignore (t_dismiss#connect#clicked ~callback:dismiss); ignore (t#event#connect#delete ~callback:(fun _ -> dismiss (); true)); let (name, docstr) = Safelist.assoc sect Strings.docs in let docstr = transcodeDoc docstr in let hb = GPack.hbox ~packing:(t#vbox#pack ~expand:false ~padding:2) () in let optionmenu = GMenu.option_menu ~packing:(hb#pack ~expand:true ~fill:false) () in let t_text = new scrolled_text ~editable:false ~width:80 ~height:20 ~packing:t#vbox#add () in t_text#insert docstr; let sect_idx = ref 0 in let idx = ref 0 in let menu = GMenu.menu () in let addDocSection (shortname, (name, docstr)) = if shortname <> "" && name <> "" then begin if shortname = sect then sect_idx := !idx; incr idx; let item = GMenu.menu_item ~label:name ~packing:menu#append () in let docstr = transcodeDoc docstr in ignore (item#connect#activate ~callback:(fun () -> t_text#insert docstr)) end in Safelist.iter addDocSection Strings.docs; optionmenu#set_menu menu; optionmenu#set_history !sect_idx; t#show () (* ------ *) let messageBox ~title ?(action = fun t -> t#destroy) message = let utitle = transcode title in let t = GWindow.dialog ~title:utitle ~position:`CENTER () in let t_dismiss = GButton.button ~stock:`CLOSE ~packing:t#action_area#add () in t_dismiss#grab_default (); ignore (t_dismiss#connect#clicked ~callback:(action t)); let t_text = new scrolled_text ~editable:false ~width:80 ~height:20 ~packing:t#vbox#add () in t_text#insert message; ignore (t#event#connect#delete ~callback:(fun _ -> action t (); true)); t#show () (* twoBoxAdvanced: Display a message in a window and wait for the user to hit one of two buttons. Return true if the first button is chosen, false if the second button is chosen. Also has a button for showing more details to the user in a messageBox dialog *) let twoBoxAdvanced ~parent ~title ~message ~longtext ~advLabel ~astock ~bstock = let t = GWindow.dialog ~parent ~border_width:6 ~modal:true ~no_separator:true ~allow_grow:false () in t#vbox#set_spacing 12; let h1 = GPack.hbox ~border_width:6 ~spacing:12 ~packing:t#vbox#pack () in ignore (GMisc.image ~stock:`DIALOG_QUESTION ~icon_size:`DIALOG ~yalign:0. ~packing:h1#pack ()); let v1 = GPack.vbox ~spacing:12 ~packing:h1#pack () in ignore (GMisc.label ~markup:(primaryText title ^ "\n\n" ^ escapeMarkup message) ~selectable:true ~yalign:0. ~packing:v1#add ()); t#add_button_stock `CANCEL `NO; let cmd () = messageBox ~title:"Details" longtext in t#add_button advLabel `HELP; t#add_button_stock `APPLY `YES; t#set_default_response `NO; let res = ref false in let setRes signal = match signal with `YES -> res := true; t#destroy () | `NO -> res := false; t#destroy () | `HELP -> cmd () | _ -> () in ignore (t#connect#response ~callback:setRes); ignore (t#connect#destroy ~callback:GMain.Main.quit); t#show(); GMain.Main.main(); !res let summaryBox ~parent ~title ~message ~f = let t = GWindow.dialog ~parent ~border_width:6 ~modal:true ~no_separator:true ~allow_grow:false ~focus_on_map:false () in t#vbox#set_spacing 12; let h1 = GPack.hbox ~border_width:6 ~spacing:12 ~packing:t#vbox#pack () in ignore (GMisc.image ~stock:`DIALOG_INFO ~icon_size:`DIALOG ~yalign:0. ~packing:h1#pack ()); let v1 = GPack.vbox ~spacing:12 ~packing:h1#pack () in ignore (GMisc.label ~markup:(primaryText title ^ "\n\n" ^ escapeMarkup message) ~selectable:true ~xalign:0. ~yalign:0. ~packing:v1#add ()); let exp = GBin.expander ~spacing:12 ~label:"Show details" ~packing:v1#add () in let t_text = new scrolled_text ~editable:false ~shadow_type:`IN ~width:60 ~height:10 ~packing:exp#add () in f (t_text#text); t#add_button_stock `OK `OK; t#set_default_response `OK; let setRes signal = t#destroy () in ignore (t#connect#response ~callback:setRes); ignore (t#connect#destroy ~callback:GMain.Main.quit); t#show(); GMain.Main.main() (********************************************************************** TOP-LEVEL WINDOW **********************************************************************) let displayWaitMessage () = make_busy (toplevelWindow ()); Trace.status (Uicommon.contactingServerMsg ()) (* ------ *) type status = NoStatus | Done | Failed let createToplevelWindow () = let toplevelWindow = GWindow.window ~kind:`TOPLEVEL ~position:`CENTER ~title:myNameCapitalized () in setToplevelWindow toplevelWindow; (* There is already a default icon under Windows, and transparent icons are not supported by all version of Windows *) if Util.osType <> `Win32 then toplevelWindow#set_icon (Some icon); let toplevelVBox = GPack.vbox ~packing:toplevelWindow#add () in (******************************************************************* Statistic window *******************************************************************) let (statWin, startStats, stopStats) = statistics () in (******************************************************************* Groups of things that are sensitive to interaction at the same time *******************************************************************) let grAction = ref [] in let grDiff = ref [] in let grGo = ref [] in let grRescan = ref [] in let grDetail = ref [] in let grAdd gr w = gr := w#misc::!gr in let grSet gr st = Safelist.iter (fun x -> x#set_sensitive st) !gr in let grDisactivateAll () = grSet grAction false; grSet grDiff false; grSet grGo false; grSet grRescan false; grSet grDetail false in (********************************************************************* Create the menu bar *********************************************************************) let topHBox = GPack.hbox ~packing:(toplevelVBox#pack ~expand:false) () in let menuBar = GMenu.menu_bar ~border_width:0 ~packing:(topHBox#pack ~expand:true) () in let menus = new gMenuFactory ~accel_modi:[] menuBar in let accel_group = menus#accel_group in toplevelWindow#add_accel_group accel_group; let add_submenu ?(modi=[]) label = let (menu, item) = menus#add_submenu label in (new gMenuFactory ~accel_group:(menus#accel_group) ~accel_path:(menus#accel_path ^ label ^ "/") ~accel_modi:modi menu, item) in let replace_submenu ?(modi=[]) label item = let menu = menus#replace_submenu item in new gMenuFactory ~accel_group:(menus#accel_group) ~accel_path:(menus#accel_path ^ label ^ "/") ~accel_modi:modi menu in let profileLabel = GMisc.label ~text:"" ~packing:(topHBox#pack ~expand:false ~padding:2) () in let displayNewProfileLabel () = let p = match !Prefs.profileName with None -> "" | Some p -> p in let label = Prefs.read Uicommon.profileLabel in let s = match p, label with "", _ -> "" | _, "" -> p | "default", _ -> label | _ -> Format.sprintf "%s (%s)" p label in toplevelWindow#set_title (if s = "" then myNameCapitalized else Format.sprintf "%s [%s]" myNameCapitalized s); let s = if s="" then "No profile" else "Profile: " ^ s in profileLabel#set_text (transcode s) in displayNewProfileLabel (); (********************************************************************* Create the menus *********************************************************************) let (fileMenu, _) = add_submenu "_Synchronization" in let (actionMenu, actionItem) = add_submenu "_Actions" in let (ignoreMenu, _) = add_submenu ~modi:[`SHIFT] "_Ignore" in let (sortMenu, _) = add_submenu "S_ort" in let (helpMenu, _) = add_submenu "_Help" in (********************************************************************* Action bar *********************************************************************) let actionBar = let hb = GBin.handle_box ~packing:(toplevelVBox#pack ~expand:false) () in GButton.toolbar ~style:`BOTH (* 2003-0519 (stse): how to set space size in gtk 2.0? *) (* Answer from Jacques Garrigue: this can only be done in the user's.gtkrc, not programmatically *) ~orientation:`HORIZONTAL ~tooltips:true (* ~space_size:10 *) ~packing:(hb#add) () in (********************************************************************* Create the main window *********************************************************************) let mainWindowSW = GBin.scrolled_window ~packing:(toplevelVBox#pack ~expand:true) ~hpolicy:`AUTOMATIC ~vpolicy:`AUTOMATIC () in let sizeMainWindow () = let ctx = mainWindowSW#misc#pango_context in let metrics = ctx#get_metrics () in let h = GPango.to_pixels (metrics#ascent+metrics#descent) in mainWindowSW#misc#set_size_request ~height:((h + 1) * (Prefs.read Uicommon.mainWindowHeight + 1) + 10) () in let mainWindow = GList.clist ~columns:5 ~titles_show:true ~selection_mode:`MULTIPLE ~packing:mainWindowSW#add () in (* let cols = new GTree.column_list in let c_replica1 = cols#add Gobject.Data.string in let c_action = cols#add Gobject.Data.gobject in let c_replica2 = cols#add Gobject.Data.string in let c_status = cols#add Gobject.Data.string in let c_path = cols#add Gobject.Data.string in let lst_store = GTree.list_store cols in let lst = GTree.view ~model:lst_store ~packing:(toplevelVBox#add) ~headers_clickable:false () in let s = Uicommon.roots2string () in ignore (lst#append_column (GTree.view_column ~title:(" " ^ Unicode.protect (String.sub s 0 12) ^ " ") ~renderer:(GTree.cell_renderer_text [], ["text", c_replica1]) ())); ignore (lst#append_column (GTree.view_column ~title:" Action " ~renderer:(GTree.cell_renderer_pixbuf [], ["pixbuf", c_action]) ())); ignore (lst#append_column (GTree.view_column ~title:(" " ^ Unicode.protect (String.sub s 15 12) ^ " ") ~renderer:(GTree.cell_renderer_text [], ["text", c_replica2]) ())); ignore (lst#append_column (GTree.view_column ~title:" Status " ())); ignore (lst#append_column (GTree.view_column ~title:" Path " ~renderer:(GTree.cell_renderer_text [], ["text", c_path]) ())); *) (* let status_width = let font = mainWindow#misc#style#font in 4 + max (max (Gdk.Font.string_width font "working") (Gdk.Font.string_width font "skipped")) (Gdk.Font.string_width font " Action ") in *) mainWindow#set_column ~justification:`CENTER 1; mainWindow#set_column ~justification:`CENTER (*~auto_resize:false ~width:status_width*) 3; let setMainWindowColumnHeaders s = Array.iteri (fun i data -> mainWindow#set_column ~title_active:false ~auto_resize:true ~title:data i) [| " " ^ Unicode.protect (String.sub s 0 12) ^ " "; " Action "; " " ^ Unicode.protect (String.sub s 15 12) ^ " "; " Status "; " Path" |]; sizeMainWindow () in setMainWindowColumnHeaders " "; (********************************************************************* Create the details window *********************************************************************) let showDetCommand () = let details = match currentRow () with None -> None | Some row -> let path = Path.toString !theState.(row).ri.path1 in match !theState.(row).whatHappened with Some (Util.Failed _, Some det) -> Some ("Merge execution details for file" ^ transcodeFilename path, det) | _ -> match !theState.(row).ri.replicas with Problem err -> Some ("Errors for file " ^ transcodeFilename path, err) | Different diff -> let prefix s l = Safelist.map (fun err -> Format.sprintf "%s%s\n" s err) l in let errors = Safelist.append (prefix "[root 1]: " diff.errors1) (prefix "[root 2]: " diff.errors2) in let errors = match !theState.(row).whatHappened with Some (Util.Failed err, _) -> err :: errors | _ -> errors in Some ("Errors for file " ^ transcodeFilename path, String.concat "\n" errors) in match details with None -> ((* Should not happen *)) | Some (title, details) -> messageBox ~title (transcode details) in let detailsWindowSW = GBin.scrolled_window ~packing:(toplevelVBox#pack ~expand:false) ~shadow_type:`IN ~hpolicy:`NEVER ~vpolicy:`AUTOMATIC () in let detailsWindow = GText.view ~editable:false ~packing:detailsWindowSW#add () in let detailsWindowPath = detailsWindow#buffer#create_tag [] in let detailsWindowInfo = detailsWindow#buffer#create_tag [`FONT_DESC (Lazy.force fontMonospace)] in let detailsWindowError = detailsWindow#buffer#create_tag [`WRAP_MODE `WORD] in detailsWindow#misc#set_size_chars ~height:3 ~width:112 (); detailsWindow#misc#set_can_focus false; let updateButtons () = if not !busy then let actionPossible row = let si = !theState.(row) in match si.whatHappened, si.ri.replicas with None, Different _ -> true | _ -> false in match currentRow () with None -> grSet grAction (IntSet.exists actionPossible !current); grSet grDiff false; grSet grDetail false | Some row -> let details = begin match !theState.(row).ri.replicas with Different diff -> diff.errors1 <> [] || diff.errors2 <> [] | Problem _ -> true end || begin match !theState.(row).whatHappened with Some (Util.Failed _, _) -> true | _ -> false end in grSet grDetail details; let activateAction = actionPossible row in let activateDiff = activateAction && match !theState.(row).ri.replicas with Different {rc1 = {typ = `FILE}; rc2 = {typ = `FILE}} -> true | _ -> false in grSet grAction activateAction; grSet grDiff activateDiff in let makeRowVisible row = if mainWindow#row_is_visible row <> `FULL then begin let adj = mainWindow#vadjustment in let upper = adj#upper and lower = adj#lower in let v = float row /. float (mainWindow#rows + 1) *. (upper-.lower) +. lower in adj#set_value (min v (upper -. adj#page_size)); end in (* let makeFirstUnfinishedVisible pRiInFocus = let im = Array.length !theState in let rec find i = if i >= im then makeRowVisible im else match pRiInFocus (!theState.(i).ri), !theState.(i).whatHappened with true, None -> makeRowVisible i | _ -> find (i+1) in find 0 in *) let updateDetails () = begin match currentRow () with None -> detailsWindow#buffer#set_text "" | Some row -> (* makeRowVisible row;*) let (formated, details) = match !theState.(row).whatHappened with | Some(Util.Failed(s), _) -> (false, s) | None | Some(Util.Succeeded, _) -> match !theState.(row).ri.replicas with Problem _ -> (false, Uicommon.details2string !theState.(row).ri " ") | Different _ -> (true, Uicommon.details2string !theState.(row).ri " ") in let path = Path.toString !theState.(row).ri.path1 in detailsWindow#buffer#set_text ""; detailsWindow#buffer#insert ~tags:[detailsWindowPath] (transcodeFilename path); let len = String.length details in let details = if details.[len - 1] = '\n' then String.sub details 0 (len - 1) else details in if details <> "" then detailsWindow#buffer#insert ~tags:[if formated then detailsWindowInfo else detailsWindowError] ("\n" ^ transcode details) end; (* Display text *) updateButtons () in (********************************************************************* Status window *********************************************************************) let statusHBox = GPack.hbox ~packing:(toplevelVBox#pack ~expand:false) () in let progressBar = GRange.progress_bar ~packing:(statusHBox#pack ~expand:false) () in progressBar#misc#set_size_chars ~height:1 ~width:28 (); progressBar#set_pulse_step 0.02; let progressBarPulse = ref false in let statusWindow = GMisc.statusbar ~packing:(statusHBox#pack ~expand:true) () in let statusContext = statusWindow#new_context ~name:"status" in ignore (statusContext#push ""); let displayStatus m = statusContext#pop (); if !progressBarPulse then progressBar#pulse (); ignore (statusContext#push (transcode m)); (* Force message to be displayed immediately *) gtk_sync false in let formatStatus major minor = (Util.padto 30 (major ^ " ")) ^ minor in (* Tell the Trace module about the status printer *) Trace.messageDisplayer := displayStatus; Trace.statusFormatter := formatStatus; Trace.sendLogMsgsToStderr := false; (********************************************************************* Functions used to print in the main window *********************************************************************) let delayUpdates = ref false in let hasFocus = ref false in let select i scroll = if !hasFocus then begin (* If we have the focus, we move the focus row directely *) if scroll then begin let r = mainWindow#rows in let p = if r < 2 then 0. else (float i +. 0.5) /. float (r - 1) in mainWindow#scroll_vertical `JUMP (min p 1.) end; if IntSet.is_empty !current then mainWindow#select i 0 end else begin (* If we don't have the focus, we just move the selection. We delay updates to make sure not to change the button states unnecessarily (which could result in a button losing the focus). *) delayUpdates := true; mainWindow#unselect_all (); mainWindow#select i 0; delayUpdates := false; if scroll then makeRowVisible i; updateDetails () end in ignore (mainWindow#event#connect#focus_in ~callback: (fun _ -> hasFocus := true; (* Adjust the focus row. We cannot do it immediately, otherwise the focus row is not drawn correctly. *) ignore (GMain.Idle.add (fun () -> begin match currentRow () with Some i -> select i false | None -> () end; false)); false)); ignore (mainWindow#event#connect#focus_out ~callback: (fun _ -> hasFocus := false; false)); ignore (mainWindow#connect#select_row ~callback: (fun ~row ~column ~event -> current := IntSet.add row !current; if not !delayUpdates then updateDetails ())); ignore (mainWindow#connect#unselect_row ~callback: (fun ~row ~column ~event -> current := IntSet.remove row !current; if not !delayUpdates then updateDetails ())); let nextInteresting () = let l = Array.length !theState in let start = match currentRow () with Some i -> i + 1 | None -> 0 in let rec loop i = if i < l then match !theState.(i).ri.replicas with Different {direction = dir} when not (Prefs.read Uicommon.auto) || dir = Conflict -> select i true | _ -> loop (i + 1) in loop start in let selectSomethingIfPossible () = if IntSet.is_empty !current then nextInteresting () in let columnsOf i = let oldPath = if i = 0 then Path.empty else !theState.(i-1).ri.path1 in let status = match !theState.(i).ri.replicas with Different {direction = Conflict} | Problem _ -> NoStatus | _ -> match !theState.(i).whatHappened with None -> NoStatus | Some (Util.Succeeded, _) -> Done | Some (Util.Failed _, _) -> Failed in let (r1, action, r2, path) = Uicommon.reconItem2stringList oldPath !theState.(i).ri in (r1, action, r2, status, path) in let greenPixel = "00dd00" in let redPixel = "ff2040" in let lightbluePixel = "8888FF" in let orangePixel = "ff9303" in (* let yellowPixel = "999900" in let blackPixel = "000000" in *) let buildPixmap p = GDraw.pixmap_from_xpm_d ~window:toplevelWindow ~data:p () in let buildPixmaps f c1 = (buildPixmap (f c1), buildPixmap (f lightbluePixel)) in let doneIcon = buildPixmap Pixmaps.success in let failedIcon = buildPixmap Pixmaps.failure in let rightArrow = buildPixmaps Pixmaps.copyAB greenPixel in let leftArrow = buildPixmaps Pixmaps.copyBA greenPixel in let orangeRightArrow = buildPixmaps Pixmaps.copyAB orangePixel in let orangeLeftArrow = buildPixmaps Pixmaps.copyBA orangePixel in let ignoreAct = buildPixmaps Pixmaps.ignore redPixel in let failedIcons = (failedIcon, failedIcon) in let mergeLogo = buildPixmaps Pixmaps.mergeLogo greenPixel in (* let rightArrowBlack = buildPixmap (Pixmaps.copyAB blackPixel) in let leftArrowBlack = buildPixmap (Pixmaps.copyBA blackPixel) in let mergeLogoBlack = buildPixmap (Pixmaps.mergeLogo blackPixel) in *) let displayArrow i j action = let changedFromDefault = match !theState.(j).ri.replicas with Different diff -> diff.direction <> diff.default_direction | _ -> false in let sel pixmaps = if changedFromDefault then snd pixmaps else fst pixmaps in let pixmaps = match action with Uicommon.AError -> failedIcons | Uicommon.ASkip _ -> ignoreAct | Uicommon.ALtoR false -> rightArrow | Uicommon.ALtoR true -> orangeRightArrow | Uicommon.ARtoL false -> leftArrow | Uicommon.ARtoL true -> orangeLeftArrow | Uicommon.AMerge -> mergeLogo in mainWindow#set_cell ~pixmap:(sel pixmaps) i 1 in let displayStatusIcon i status = match status with | Failed -> mainWindow#set_cell ~pixmap:failedIcon i 3 | Done -> mainWindow#set_cell ~pixmap:doneIcon i 3 | NoStatus -> mainWindow#set_cell ~text:" " i 3 in let displayMain() = (* The call to mainWindow#clear below side-effect current, so we save the current value before we clear out the main window and rebuild it. *) let savedCurrent = currentRow () in mainWindow#freeze (); mainWindow#clear (); for i = Array.length !theState - 1 downto 0 do let (r1, action, r2, status, path) = columnsOf i in (* let row = lst_store#prepend () in lst_store#set ~row ~column:c_replica1 r1; lst_store#set ~row ~column:c_replica2 r2; lst_store#set ~row ~column:c_status status; lst_store#set ~row ~column:c_path path; *) ignore (mainWindow#prepend [ r1; ""; r2; ""; transcodeFilename path ]); displayArrow 0 i action; displayStatusIcon i status done; debug (fun()-> Util.msg "reset current to %s\n" (match savedCurrent with None->"None" | Some(i) -> string_of_int i)); begin match savedCurrent with None -> selectSomethingIfPossible () | Some idx -> select idx true end; mainWindow#thaw (); updateDetails (); (* Do we need this line? *) in let redisplay i = let (r1, action, r2, status, path) = columnsOf i in (*mainWindow#freeze ();*) mainWindow#set_cell ~text:r1 i 0; displayArrow i i action; mainWindow#set_cell ~text:r2 i 2; displayStatusIcon i status; mainWindow#set_cell ~text:(transcodeFilename path) i 4; if status = Failed then mainWindow#set_cell ~text:(transcodeFilename path ^ " [failed: click on this line for details]") i 4; (*mainWindow#thaw ();*) if currentRow () = Some i then begin updateDetails (); updateButtons () end in let fastRedisplay i = let (r1, action, r2, status, path) = columnsOf i in displayStatusIcon i status; if status = Failed then mainWindow#set_cell ~text:(transcodeFilename path ^ " [failed: click on this line for details]") i 4; if currentRow () = Some i then updateDetails (); in let totalBytesToTransfer = ref Uutil.Filesize.zero in let totalBytesTransferred = ref Uutil.Filesize.zero in let t0 = ref 0. in let t1 = ref 0. in let lastFrac = ref 0. in let oldWritten = ref 0. in let writeRate = ref 0. in let displayGlobalProgress v = if v = 0. || abs_float (v -. !lastFrac) > 1. then begin lastFrac := v; progressBar#set_fraction (max 0. (min 1. (v /. 100.))) end; if v < 0.001 then progressBar#set_text " " else begin let t = Unix.gettimeofday () in let delta = t -. !t1 in if delta >= 0.5 then begin t1 := t; let remTime = if v >= 100. then "00:00 remaining" else let t = truncate ((!t1 -. !t0) *. (100. -. v) /. v +. 0.5) in Format.sprintf "%02d:%02d remaining" (t / 60) (t mod 60) in let written = !clientWritten +. !serverWritten in let b = 0.64 ** delta in writeRate := b *. !writeRate +. (1. -. b) *. (written -. !oldWritten) /. delta; oldWritten := written; let rate = !writeRate (*!emitRate2 +. !receiveRate2*) in let txt = if rate > 99. then Format.sprintf "%s (%s)" remTime (rate2str rate) else remTime in progressBar#set_text txt end end in let showGlobalProgress b = (* Concatenate the new message *) totalBytesTransferred := Uutil.Filesize.add !totalBytesTransferred b; let v = (Uutil.Filesize.percentageOfTotalSize !totalBytesTransferred !totalBytesToTransfer) in displayGlobalProgress v in let root1IsLocal = ref true in let root2IsLocal = ref true in let initGlobalProgress b = let (root1,root2) = Globals.roots () in root1IsLocal := fst root1 = Local; root2IsLocal := fst root2 = Local; totalBytesToTransfer := b; totalBytesTransferred := Uutil.Filesize.zero; t0 := Unix.gettimeofday (); t1 := !t0; writeRate := 0.; oldWritten := !clientWritten +. !serverWritten; displayGlobalProgress 0. in let showProgress i bytes dbg = let i = Uutil.File.toLine i in let item = !theState.(i) in item.bytesTransferred <- Uutil.Filesize.add item.bytesTransferred bytes; let b = item.bytesTransferred in let len = item.bytesToTransfer in let newstatus = if b = Uutil.Filesize.zero || len = Uutil.Filesize.zero then "start " else if len = Uutil.Filesize.zero then Printf.sprintf "%5s " (Uutil.Filesize.toString b) else Util.percent2string (Uutil.Filesize.percentageOfTotalSize b len) in let dbg = if Trace.enabled "progress" then dbg ^ "/" else "" in let newstatus = dbg ^ newstatus in let oldstatus = mainWindow#cell_text i 3 in if oldstatus <> newstatus then mainWindow#set_cell ~text:newstatus i 3; showGlobalProgress bytes; gtk_sync false; begin match item.ri.replicas with Different diff -> begin match diff.direction with Replica1ToReplica2 -> if !root2IsLocal then clientWritten := !clientWritten +. Uutil.Filesize.toFloat bytes else serverWritten := !serverWritten +. Uutil.Filesize.toFloat bytes | Replica2ToReplica1 -> if !root1IsLocal then clientWritten := !clientWritten +. Uutil.Filesize.toFloat bytes else serverWritten := !serverWritten +. Uutil.Filesize.toFloat bytes | Conflict | Merge -> (* Diff / merge *) clientWritten := !clientWritten +. Uutil.Filesize.toFloat bytes end | _ -> assert false end in (* Install showProgress so that we get called back by low-level file transfer stuff *) Uutil.setProgressPrinter showProgress; (* Apply new ignore patterns to the current state, expecting that the number of reconitems will grow smaller. Adjust the display, being careful to keep the cursor as near as possible to its position before the new ignore patterns take effect. *) let ignoreAndRedisplay () = let lst = Array.to_list !theState in (* FIX: we should actually test whether any prefix is now ignored *) let keep sI = not (Globals.shouldIgnore sI.ri.path1) in begin match currentRow () with None -> theState := Array.of_list (Safelist.filter keep lst); current := IntSet.empty | Some index -> let i = ref index in let l = ref [] in Array.iteri (fun j sI -> if keep sI then l := sI::!l else if j < !i then decr i) !theState; theState := Array.of_list (Safelist.rev !l); current := if !l = [] then IntSet.empty else IntSet.singleton (min (!i) ((Array.length !theState) - 1)) end; displayMain() in let sortAndRedisplay () = current := IntSet.empty; let compareRIs = Sortri.compareReconItems() in Array.stable_sort (fun si1 si2 -> compareRIs si1.ri si2.ri) !theState; displayMain() in (****************************************************************** Main detect-updates-and-reconcile logic ******************************************************************) let commitUpdates () = Trace.status "Updating synchronizer state"; let t = Trace.startTimer "Updating synchronizer state" in gtk_sync true; Update.commitUpdates(); Trace.showTimer t in let clearMainWindow () = grDisactivateAll (); make_busy toplevelWindow; mainWindow#clear(); detailsWindow#buffer#set_text "" in let detectUpdatesAndReconcile () = clearMainWindow (); startStats (); progressBarPulse := true; sync_action := Some (fun () -> progressBar#pulse ()); let findUpdates () = let t = Trace.startTimer "Checking for updates" in Trace.status "Looking for changes"; let updates = Update.findUpdates () in Trace.showTimer t; updates in let reconcile updates = let t = Trace.startTimer "Reconciling" in let reconRes = Recon.reconcileAll ~allowPartial:true updates in Trace.showTimer t; reconRes in let (reconItemList, thereAreEqualUpdates, dangerousPaths) = reconcile (findUpdates ()) in if not !Update.foundArchives then commitUpdates (); if reconItemList = [] then if thereAreEqualUpdates then begin if !Update.foundArchives then commitUpdates (); Trace.status "Replicas have been changed only in identical ways since last sync" end else Trace.status "Everything is up to date" else Trace.status "Check and/or adjust selected actions; then press Go"; theState := Array.of_list (Safelist.map (fun ri -> { ri = ri; bytesTransferred = Uutil.Filesize.zero; bytesToTransfer = Uutil.Filesize.zero; whatHappened = None }) reconItemList); current := IntSet.empty; displayMain(); progressBarPulse := false; sync_action := None; displayGlobalProgress 0.; stopStats (); grSet grGo (Array.length !theState > 0); grSet grRescan true; make_interactive toplevelWindow; if Prefs.read Globals.confirmBigDeletes then begin if dangerousPaths <> [] then begin Prefs.set Globals.batch false; Util.warn (Uicommon.dangerousPathMsg dangerousPaths) end; end; in (********************************************************************* Help menu *********************************************************************) let addDocSection (shortname, (name, docstr)) = if shortname = "about" then ignore (helpMenu#add_image_item ~stock:`ABOUT ~callback:(fun () -> documentation shortname) name) else if shortname <> "" && name <> "" then ignore (helpMenu#add_item ~callback:(fun () -> documentation shortname) name) in Safelist.iter addDocSection Strings.docs; (********************************************************************* Ignore menu *********************************************************************) let addRegExpByPath pathfunc = Util.StringSet.iter (fun pat -> Uicommon.addIgnorePattern pat) (IntSet.fold (fun i s -> Util.StringSet.add (pathfunc !theState.(i).ri.path1) s) !current Util.StringSet.empty); ignoreAndRedisplay () in grAdd grAction (ignoreMenu#add_item ~key:GdkKeysyms._i ~callback:(fun () -> getLock (fun () -> addRegExpByPath Uicommon.ignorePath)) "Permanently Ignore This _Path"); grAdd grAction (ignoreMenu#add_item ~key:GdkKeysyms._E ~callback:(fun () -> getLock (fun () -> addRegExpByPath Uicommon.ignoreExt)) "Permanently Ignore Files with this _Extension"); grAdd grAction (ignoreMenu#add_item ~key:GdkKeysyms._N ~callback:(fun () -> getLock (fun () -> addRegExpByPath Uicommon.ignoreName)) "Permanently Ignore Files with this _Name (in any Dir)"); (* grAdd grRescan (ignoreMenu#add_item ~callback: (fun () -> getLock ignoreDialog) "Edit ignore patterns"); *) (********************************************************************* Sort menu *********************************************************************) grAdd grRescan (sortMenu#add_item ~callback:(fun () -> getLock (fun () -> Sortri.sortByName(); sortAndRedisplay())) "Sort by _Name"); grAdd grRescan (sortMenu#add_item ~callback:(fun () -> getLock (fun () -> Sortri.sortBySize(); sortAndRedisplay())) "Sort by _Size"); grAdd grRescan (sortMenu#add_item ~callback:(fun () -> getLock (fun () -> Sortri.sortNewFirst(); sortAndRedisplay())) "Sort Ne_w Entries First"); grAdd grRescan (sortMenu#add_item ~callback:(fun () -> getLock (fun () -> Sortri.restoreDefaultSettings(); sortAndRedisplay())) "_Default Ordering"); (********************************************************************* Main function : synchronize *********************************************************************) let synchronize () = if Array.length !theState = 0 then Trace.status "Nothing to synchronize" else begin grDisactivateAll (); make_busy toplevelWindow; Trace.status "Propagating changes"; Transport.logStart (); let totalLength = Array.fold_left (fun l si -> si.bytesTransferred <- Uutil.Filesize.zero; let len = if si.whatHappened = None then Common.riLength si.ri else Uutil.Filesize.zero in si.bytesToTransfer <- len; Uutil.Filesize.add l len) Uutil.Filesize.zero !theState in initGlobalProgress totalLength; let t = Trace.startTimer "Propagating changes" in let im = Array.length !theState in let rec loop i actions pRiThisRound = if i < im then begin let theSI = !theState.(i) in let textDetailed = ref None in let action = match theSI.whatHappened with None -> if not (pRiThisRound theSI.ri) then return () else catch (fun () -> Transport.transportItem theSI.ri (Uutil.File.ofLine i) (fun title text -> textDetailed := (Some text); if Prefs.read Uicommon.confirmmerge then twoBoxAdvanced ~parent:toplevelWindow ~title:title ~message:("Do you want to commit the changes to" ^ " the replicas ?") ~longtext:text ~advLabel:"View details..." ~astock:`YES ~bstock:`NO else true) >>= (fun () -> return Util.Succeeded)) (fun e -> match e with Util.Transient s -> return (Util.Failed s) | _ -> fail e) >>= (fun res -> let rem = Uutil.Filesize.sub theSI.bytesToTransfer theSI.bytesTransferred in if rem <> Uutil.Filesize.zero then showProgress (Uutil.File.ofLine i) rem "done"; theSI.whatHappened <- Some (res, !textDetailed); fastRedisplay i; (* JV (7/09): It does not seem that useful to me to scroll the display to make the first unfinished item visible. The scrolling is way too fast, and it makes it impossible to browse the list. *) (* sync_action := Some (fun () -> makeFirstUnfinishedVisible pRiThisRound; sync_action := None); *) gtk_sync false; return ()) | Some _ -> return () (* Already processed this one (e.g. merged it) *) in loop (i + 1) (action :: actions) pRiThisRound end else actions in startStats (); Lwt_unix.run (let actions = loop 0 [] (fun ri -> not (Common.isDeletion ri)) in Lwt_util.join actions); Lwt_unix.run (let actions = loop 0 [] Common.isDeletion in Lwt_util.join actions); Transport.logFinish (); Trace.showTimer t; commitUpdates (); stopStats (); let failureList = Array.fold_right (fun si l -> match si.whatHappened with Some (Util.Failed err, _) -> (si, [err], "transport failure") :: l | _ -> l) !theState [] in let failureCount = List.length failureList in let failures = if failureCount = 0 then [] else [Printf.sprintf "%d failure%s" failureCount (if failureCount = 1 then "" else "s")] in let partialList = Array.fold_right (fun si l -> match si.whatHappened with Some (Util.Succeeded, _) when partiallyProblematic si.ri && not (problematic si.ri) -> let errs = match si.ri.replicas with Different diff -> diff.errors1 @ diff.errors2 | _ -> assert false in (si, errs, "partial transfer (errors during update detection)") :: l | _ -> l) !theState [] in let partialCount = List.length partialList in let partials = if partialCount = 0 then [] else [Printf.sprintf "%d partially transferred" partialCount] in let skippedList = Array.fold_right (fun si l -> match si.ri.replicas with Problem err -> (si, [err], "error during update detection") :: l | Different diff when diff.direction = Conflict -> (si, [], if diff.default_direction = Conflict then "conflict" else "skipped") :: l | _ -> l) !theState [] in let skippedCount = List.length skippedList in let skipped = if skippedCount = 0 then [] else [Printf.sprintf "%d skipped" skippedCount] in Trace.status (Printf.sprintf "Synchronization complete %s" (String.concat ", " (failures @ partials @ skipped))); displayGlobalProgress 0.; grSet grRescan true; make_interactive toplevelWindow; let totalCount = failureCount + partialCount + skippedCount in if totalCount > 0 then begin let format n item sing plur = match n with 0 -> [] | 1 -> [Format.sprintf "one %s%s" item sing] | n -> [Format.sprintf "%d %s%s" n item plur] in let infos = format failureCount "failure" "" "s" @ format partialCount "partially transferred director" "y" "ies" @ format skippedCount "skipped item" "" "s" in let message = (if failureCount = 0 then "The synchronization was successful.\n\n" else "") ^ "The replicas are not fully synchronized.\n" ^ (if totalCount < 2 then "There was" else "There were") ^ begin match infos with [] -> assert false | [x] -> " " ^ x | l -> ":\n - " ^ String.concat ";\n - " l end ^ "." in summaryBox ~parent:toplevelWindow ~title:"Synchronization summary" ~message ~f: (fun t -> let bullet = "\xe2\x80\xa2 " in let layout = t#misc#pango_context#create_layout in Pango.Layout.set_text layout bullet; let (n, _) = Pango.Layout.get_pixel_size layout in let path = t#buffer#create_tag [`FONT_DESC (Lazy.force fontBold)] in let description = t#buffer#create_tag [`FONT_DESC (Lazy.force fontItalic)] in let errorFirstLine = t#buffer#create_tag [`LEFT_MARGIN (n); `INDENT (- n)] in let errorNextLines = t#buffer#create_tag [`LEFT_MARGIN (2 * n)] in List.iter (fun (si, errs, desc) -> t#buffer#insert ~tags:[path] (transcodeFilename (Path.toString si.ri.path1)); t#buffer#insert ~tags:[description] (" \xe2\x80\x94 " ^ desc ^ "\n"); List.iter (fun err -> let errl = Str.split (Str.regexp_string "\n") (transcode err) in match errl with [] -> () | f :: rem -> t#buffer#insert ~tags:[errorFirstLine] (bullet ^ f ^ "\n"); List.iter (fun n -> t#buffer#insert ~tags:[errorNextLines] (n ^ "\n")) rem) errs) (failureList @ partialList @ skippedList)) end end in (********************************************************************* Quit button *********************************************************************) (* actionBar#insert_space (); ignore (actionBar#insert_button ~text:"Quit" ~icon:((GMisc.image ~stock:`QUIT ())#coerce) ~tooltip:"Exit Unison" ~callback:safeExit ()); *) (********************************************************************* go button *********************************************************************) (* actionBar#insert_space ();*) grAdd grGo (actionBar#insert_button ~text:"Go" (* tooltip:"Go with displayed actions" *) ~icon:((GMisc.image ~stock:`EXECUTE ())#coerce) ~tooltip:"Perform the synchronization" ~callback:(fun () -> getLock synchronize) ()); (* Does not quite work: too slow, and Files.copy must be modifed to support an interruption without error. *) (* ignore (actionBar#insert_button ~text:"Stop" ~icon:((GMisc.image ~stock:`STOP ())#coerce) ~tooltip:"Exit Unison" ~callback:Abort.all ()); *) (********************************************************************* Rescan button *********************************************************************) let updateFromProfile = ref (fun () -> ()) in let loadProfile p reload = debug (fun()-> Util.msg "Loading profile %s..." p); Trace.status "Loading profile"; Uicommon.initPrefs p (fun () -> if not reload then displayWaitMessage ()) getFirstRoot getSecondRoot termInteract; !updateFromProfile () in let reloadProfile () = let n = match !Prefs.profileName with None -> assert false | Some n -> n in clearMainWindow (); if not (Prefs.profileUnchanged ()) then loadProfile n true in let detectCmd () = getLock detectUpdatesAndReconcile; updateDetails (); if Prefs.read Globals.batch then begin Prefs.set Globals.batch false; synchronize() end in (* actionBar#insert_space ();*) grAdd grRescan (actionBar#insert_button ~text:"Rescan" ~icon:((GMisc.image ~stock:`REFRESH ())#coerce) ~tooltip:"Check for updates" ~callback: (fun () -> reloadProfile(); detectCmd()) ()); (********************************************************************* Buttons for <--, M, -->, Skip *********************************************************************) let doActionOnRow f i = let theSI = !theState.(i) in begin match theSI.whatHappened, theSI.ri.replicas with None, Different diff -> f theSI.ri diff; redisplay i | _ -> () end in let updateCurrent () = let n = mainWindow#rows in (* This has quadratic complexity, thus we only do it when the list is not too long... *) if n < 300 then begin current := IntSet.empty; for i = 0 to n -1 do if mainWindow#get_row_state i = `SELECTED then current := IntSet.add i !current done end in let doAction f = (* FIX: when the window does not have the focus, we are not notified immediately from changes to the list of selected items. So, we update our view of the current selection here. *) updateCurrent (); match currentRow () with Some i -> doActionOnRow f i; nextInteresting () | None -> (* FIX: this is quadratic when all items are selected. We could trigger a redisplay instead, but it may be tricky to preserve the set of selected rows, the focus row and the scrollbar position. The right fix is probably to move to a GTree.column_list. *) let n = IntSet.cardinal !current in if n > 0 then begin if n > 20 then mainWindow#freeze (); IntSet.iter (fun i -> doActionOnRow f i) !current; if n > 20 then mainWindow#thaw () end in let leftAction _ = doAction (fun _ diff -> diff.direction <- Replica2ToReplica1) in let rightAction _ = doAction (fun _ diff -> diff.direction <- Replica1ToReplica2) in let questionAction _ = doAction (fun _ diff -> diff.direction <- Conflict) in let mergeAction _ = doAction (fun _ diff -> diff.direction <- Merge) in actionBar#insert_space (); grAdd grAction (actionBar#insert_button (* ~icon:((GMisc.pixmap leftArrowBlack ())#coerce)*) ~icon:((GMisc.image ~stock:`GO_BACK ())#coerce) ~text:"Right to Left" ~tooltip:"Propagate selected items\n\ from the right replica to the left one" ~callback:leftAction ()); (* actionBar#insert_space ();*) grAdd grAction (actionBar#insert_button ~text:"Skip" ~icon:((GMisc.image ~stock:`NO ())#coerce) ~tooltip:"Skip selected items" ~callback:questionAction ()); (* actionBar#insert_space ();*) grAdd grAction (actionBar#insert_button (* ~icon:((GMisc.pixmap rightArrowBlack ())#coerce)*) ~icon:((GMisc.image ~stock:`GO_FORWARD ())#coerce) ~text:"Left to Right" ~tooltip:"Propagate selected items\n\ from the left replica to the right one" ~callback:rightAction ()); (* actionBar#insert_space ();*) grAdd grAction (actionBar#insert_button (* ~icon:((GMisc.pixmap mergeLogoBlack())#coerce)*) ~icon:((GMisc.image ~stock:`ADD ())#coerce) ~text:"Merge" ~tooltip:"Merge selected files" ~callback:mergeAction ()); (********************************************************************* Diff / merge buttons *********************************************************************) let diffCmd () = match currentRow () with Some i -> getLock (fun () -> let item = !theState.(i) in let len = match item.ri.replicas with Problem _ -> Uutil.Filesize.zero | Different diff -> snd (if !root1IsLocal then diff.rc2 else diff.rc1).size in item.bytesTransferred <- Uutil.Filesize.zero; item.bytesToTransfer <- len; initGlobalProgress len; startStats (); Uicommon.showDiffs item.ri (fun title text -> messageBox ~title:(transcode title) (transcode text)) Trace.status (Uutil.File.ofLine i); stopStats (); displayGlobalProgress 0.; fastRedisplay i) | None -> () in actionBar#insert_space (); grAdd grDiff (actionBar#insert_button ~text:"Diff" ~icon:((GMisc.image ~stock:`DIALOG_INFO ())#coerce) ~tooltip:"Compare the two files at each replica" ~callback:diffCmd ()); (********************************************************************* Detail button *********************************************************************) (* actionBar#insert_space ();*) grAdd grDetail (actionBar#insert_button ~text:"Details" ~icon:((GMisc.image ~stock:`INFO ())#coerce) ~tooltip:"Show detailed information about\n\ an item, when available" ~callback:showDetCommand ()); (********************************************************************* Profile change button *********************************************************************) actionBar#insert_space (); let profileChange _ = match getProfile false with None -> () | Some p -> clearMainWindow (); loadProfile p false; detectCmd () in grAdd grRescan (actionBar#insert_button ~text:"Change Profile" ~icon:((GMisc.image ~stock:`OPEN ())#coerce) ~tooltip:"Select a different profile" ~callback:profileChange ()); (********************************************************************* Keyboard commands *********************************************************************) ignore (mainWindow#event#connect#key_press ~callback: begin fun ev -> let key = GdkEvent.Key.keyval ev in if key = GdkKeysyms._Left then begin leftAction (); GtkSignal.stop_emit (); true end else if key = GdkKeysyms._Right then begin rightAction (); GtkSignal.stop_emit (); true end else false end); (********************************************************************* Action menu *********************************************************************) let buildActionMenu init = let actionMenu = replace_submenu "_Actions" actionItem in grAdd grRescan (actionMenu#add_image_item ~callback:(fun _ -> mainWindow#select_all ()) ~image:((GMisc.image ~stock:`SELECT_ALL ~icon_size:`MENU ())#coerce) ~modi:[`CONTROL] ~key:GdkKeysyms._A "Select _All"); grAdd grRescan (actionMenu#add_item ~callback:(fun _ -> mainWindow#unselect_all ()) ~modi:[`SHIFT; `CONTROL] ~key:GdkKeysyms._A "_Deselect All"); ignore (actionMenu#add_separator ()); let (loc1, loc2) = if init then ("", "") else let (root1,root2) = Globals.roots () in (root2hostname root1, root2hostname root2) in let def_descr = "Left to Right" in let descr = if init || loc1 = loc2 then def_descr else Printf.sprintf "from %s to %s" loc1 loc2 in let left = actionMenu#add_image_item ~key:GdkKeysyms._greater ~callback:rightAction ~image:((GMisc.image ~stock:`GO_FORWARD ~icon_size:`MENU ())#coerce) ~name:("Propagate " ^ def_descr) ("Propagate " ^ descr) in grAdd grAction left; left#add_accelerator ~group:accel_group ~modi:[`SHIFT] GdkKeysyms._greater; left#add_accelerator ~group:accel_group GdkKeysyms._period; let def_descl = "Right to Left" in let descl = if init || loc1 = loc2 then def_descr else Printf.sprintf "from %s to %s" (Unicode.protect loc2) (Unicode.protect loc1) in let right = actionMenu#add_image_item ~key:GdkKeysyms._less ~callback:leftAction ~image:((GMisc.image ~stock:`GO_BACK ~icon_size:`MENU ())#coerce) ~name:("Propagate " ^ def_descl) ("Propagate " ^ descl) in grAdd grAction right; right#add_accelerator ~group:accel_group ~modi:[`SHIFT] GdkKeysyms._less; right#add_accelerator ~group:accel_group ~modi:[`SHIFT] GdkKeysyms._comma; grAdd grAction (actionMenu#add_image_item ~key:GdkKeysyms._slash ~callback:questionAction ~image:((GMisc.image ~stock:`NO ~icon_size:`MENU ())#coerce) "Do _Not Propagate Changes"); let merge = actionMenu#add_image_item ~key:GdkKeysyms._m ~callback:mergeAction ~image:((GMisc.image ~stock:`ADD ~icon_size:`MENU ())#coerce) "_Merge the Files" in grAdd grAction merge; (* merge#add_accelerator ~group:accel_group ~modi:[`SHIFT] GdkKeysyms._m; *) (* Override actions *) ignore (actionMenu#add_separator ()); grAdd grAction (actionMenu#add_item ~callback:(fun () -> doAction (fun ri _ -> Recon.setDirection ri `Replica1ToReplica2 `Prefer)) "Resolve Conflicts in Favor of First Root"); grAdd grAction (actionMenu#add_item ~callback:(fun () -> doAction (fun ri _ -> Recon.setDirection ri `Replica2ToReplica1 `Prefer)) "Resolve Conflicts in Favor of Second Root"); grAdd grAction (actionMenu#add_item ~callback:(fun () -> doAction (fun ri _ -> Recon.setDirection ri `Newer `Prefer)) "Resolve Conflicts in Favor of Most Recently Modified"); grAdd grAction (actionMenu#add_item ~callback:(fun () -> doAction (fun ri _ -> Recon.setDirection ri `Older `Prefer)) "Resolve Conflicts in Favor of Least Recently Modified"); ignore (actionMenu#add_separator ()); grAdd grAction (actionMenu#add_item ~callback:(fun () -> doAction (fun ri _ -> Recon.setDirection ri `Newer `Force)) "Force Newer Files to Replace Older Ones"); grAdd grAction (actionMenu#add_item ~callback:(fun () -> doAction (fun ri _ -> Recon.setDirection ri `Older `Force)) "Force Older Files to Replace Newer Ones"); ignore (actionMenu#add_separator ()); grAdd grAction (actionMenu#add_item ~callback:(fun () -> doAction (fun ri _ -> Recon.revertToDefaultDirection ri)) "_Revert to Unison's Recommendations"); grAdd grAction (actionMenu#add_item ~callback:(fun () -> doAction (fun ri _ -> Recon.setDirection ri `Merge `Force)) "Revert to the Merging Default, if Available"); (* Diff *) ignore (actionMenu#add_separator ()); grAdd grDiff (actionMenu#add_image_item ~key:GdkKeysyms._d ~callback:diffCmd ~image:((GMisc.image ~stock:`DIALOG_INFO ~icon_size:`MENU ())#coerce) "Show _Diffs"); (* Details *) grAdd grDetail (actionMenu#add_image_item ~key:GdkKeysyms._i ~callback:showDetCommand ~image:((GMisc.image ~stock:`INFO ~icon_size:`MENU ())#coerce) "Detailed _Information") in buildActionMenu true; (********************************************************************* Synchronization menu *********************************************************************) grAdd grGo (fileMenu#add_image_item ~key:GdkKeysyms._g ~image:(GMisc.image ~stock:`EXECUTE ~icon_size:`MENU () :> GObj.widget) ~callback:(fun () -> getLock synchronize) "_Go"); grAdd grRescan (fileMenu#add_image_item ~key:GdkKeysyms._r ~image:(GMisc.image ~stock:`REFRESH ~icon_size:`MENU () :> GObj.widget) ~callback:(fun () -> reloadProfile(); detectCmd()) "_Rescan"); grAdd grRescan (fileMenu#add_item ~key:GdkKeysyms._a ~callback:(fun () -> reloadProfile(); Prefs.set Globals.batch true; detectCmd()) "_Detect Updates and Proceed (Without Waiting)"); grAdd grRescan (fileMenu#add_item ~key:GdkKeysyms._f ~callback:( fun () -> let rec loop i acc = if i >= Array.length (!theState) then acc else let notok = (match !theState.(i).whatHappened with None-> true | Some(Util.Failed _, _) -> true | Some(Util.Succeeded, _) -> false) || match !theState.(i).ri.replicas with Problem _ -> true | Different diff -> diff.direction = Conflict in if notok then loop (i+1) (i::acc) else loop (i+1) (acc) in let failedindices = loop 0 [] in let failedpaths = Safelist.map (fun i -> !theState.(i).ri.path1) failedindices in debug (fun()-> Util.msg "Rescaning with paths = %s\n" (String.concat ", " (Safelist.map (fun p -> "'"^(Path.toString p)^"'") failedpaths))); let paths = Prefs.read Globals.paths in let confirmBigDeletes = Prefs.read Globals.confirmBigDeletes in Prefs.set Globals.paths failedpaths; Prefs.set Globals.confirmBigDeletes false; detectCmd(); Prefs.set Globals.paths paths; Prefs.set Globals.confirmBigDeletes confirmBigDeletes) "Re_check Unsynchronized Items"); ignore (fileMenu#add_separator ()); grAdd grRescan (fileMenu#add_image_item ~key:GdkKeysyms._p ~callback:(fun _ -> match getProfile false with None -> () | Some(p) -> clearMainWindow (); loadProfile p false; detectCmd ()) ~image:(GMisc.image ~stock:`OPEN ~icon_size:`MENU () :> GObj.widget) "Change _Profile..."); let fastProf name key = grAdd grRescan (fileMenu#add_item ~key:key ~callback:(fun _ -> if System.file_exists (Prefs.profilePathname name) then begin Trace.status ("Loading profile " ^ name); loadProfile name false; detectCmd () end else Trace.status ("Profile " ^ name ^ " not found")) ("Select profile " ^ name)) in let fastKeysyms = [| GdkKeysyms._0; GdkKeysyms._1; GdkKeysyms._2; GdkKeysyms._3; GdkKeysyms._4; GdkKeysyms._5; GdkKeysyms._6; GdkKeysyms._7; GdkKeysyms._8; GdkKeysyms._9 |] in Array.iteri (fun i v -> match v with None -> () | Some(profile, info) -> fastProf profile fastKeysyms.(i)) profileKeymap; ignore (fileMenu#add_separator ()); ignore (fileMenu#add_item ~callback:(fun _ -> statWin#show ()) "Show _Statistics"); ignore (fileMenu#add_separator ()); let quit = fileMenu#add_image_item ~key:GdkKeysyms._q ~callback:safeExit ~image:((GMisc.image ~stock:`QUIT ~icon_size:`MENU ())#coerce) "_Quit" in quit#add_accelerator ~group:accel_group ~modi:[`CONTROL] GdkKeysyms._q; (********************************************************************* Expert menu *********************************************************************) if Prefs.read Uicommon.expert then begin let (expertMenu, _) = add_submenu "Expert" in let addDebugToggle modname = let cm = expertMenu#add_check_item ~active:(Trace.enabled modname) ~callback:(fun b -> Trace.enable modname b) ("Debug '" ^ modname ^ "'") in cm#set_show_toggle true in addDebugToggle "all"; addDebugToggle "verbose"; addDebugToggle "update"; ignore (expertMenu#add_separator ()); ignore (expertMenu#add_item ~callback:(fun () -> Printf.fprintf stderr "\nGC stats now:\n"; Gc.print_stat stderr; Printf.fprintf stderr "\nAfter major collection:\n"; Gc.full_major(); Gc.print_stat stderr; flush stderr) "Show memory/GC stats") end; (********************************************************************* Finish up *********************************************************************) grDisactivateAll (); updateFromProfile := (fun () -> displayNewProfileLabel (); setMainWindowColumnHeaders (Uicommon.roots2string ()); buildActionMenu false); ignore (toplevelWindow#event#connect#delete ~callback: (fun _ -> safeExit (); true)); toplevelWindow#show (); fun () -> !updateFromProfile (); mainWindow#misc#grab_focus (); detectCmd () (********************************************************************* STARTUP *********************************************************************) let start _ = begin try (* Initialize the GTK library *) ignore (GMain.Main.init ()); Util.warnPrinter := Some (fun msg -> warnBox ~parent:(toplevelWindow ()) "Warning" msg); GtkSignal.user_handler := (fun exn -> match exn with Util.Transient(s) | Util.Fatal(s) -> fatalError s | exn -> fatalError (Uicommon.exn2string exn)); (* Ask the Remote module to call us back at regular intervals during long network operations. *) let rec tick () = gtk_sync true; Lwt_unix.sleep 0.05 >>= tick in ignore_result (tick ()); let detectCmd = createToplevelWindow() in Uicommon.uiInit fatalError tryAgainOrQuit displayWaitMessage (fun () -> getProfile true) getFirstRoot getSecondRoot termInteract; scanProfiles(); detectCmd (); (* Display the ui *) (*JV: not useful, as Unison does not handle any signal ignore (GMain.Timeout.add 500 (fun _ -> true)); (* Hack: this allows signals such as SIGINT to be handled even when Gtk is waiting for events *) *) GMain.Main.main () with Util.Transient(s) | Util.Fatal(s) -> fatalError s | exn -> fatalError (Uicommon.exn2string exn) end end (* module Private *) (********************************************************************* UI SELECTION *********************************************************************) module Body : Uicommon.UI = struct let start = function Uicommon.Text -> Uitext.Body.start Uicommon.Text | Uicommon.Graphic -> let displayAvailable = Util.osType = `Win32 || try System.getenv "DISPLAY" <> "" with Not_found -> false in if displayAvailable then Private.start Uicommon.Graphic else Uitext.Body.start Uicommon.Text let defaultUi = Uicommon.Graphic end (* module Body *) unison-2.40.102/path.mli0000644006131600613160000000205612025627377015052 0ustar bcpiercebcpierce(* Unison file synchronizer: src/path.mli *) (* Copyright 1999-2009, Benjamin C. Pierce (see COPYING for details) *) (* Abstract type of relative pathnames *) type 'a path (* Pathname valid on both replicas (case insensitive in case insensitive mode) *) type t = [`Global] path (* Pathname specialized to a replica (case sensitive on a case sensitive filesystem) *) type local = [`Local] path val empty : 'a path val length : t -> int val isEmpty : local -> bool val child : 'a path -> Name.t -> 'a path val parent : local -> local val finalName : t -> Name.t option val deconstruct : 'a path -> (Name.t * 'a path) option val deconstructRev : local -> (Name.t * local) option val fromString : string -> 'a path val toNames : t -> Name.t list val toString : 'a path -> string val toDebugString : local -> string val addSuffixToFinalName : local -> string -> local val addPrefixToFinalName : local -> string -> local val compare : t -> t -> int val followLink : local -> bool val followPred : Pred.t val forceLocal : t -> local val makeGlobal : local -> t unison-2.40.102/INSTALL.gtk20000644006131600613160000000303711361646373015311 0ustar bcpiercebcpierceWe are happy to announce a new version of Unison with a user interface based on Gtk 2.2, enabling display of filenames with any locale encoding. Installation instructions follow: ----------------------------- LINUX (and maybe other Unixes): In order to use gtk2 with unison, 1) install glib, pango, gtk (version >2.2) from http://www.gtk.org/ 2) install lablgtk2 (version >20030423) from http://wwwfun.kurims.kyoto-u.ac.jp/soft/olabl/lablgtk.html 3) install unison (version >2.9.36) from http://www.cis.upenn.edu/~bcpierce/unison/ Simply type 'make'. Makefile will detect the presence of lablgtk2 directory $(OCAMLLIBDIR)/lablgtk2 (such as /usr/local/lib/ocaml/lablgtk2/) and use UISTYLE=gtk2 by default. If absent, it falls back to lablgtk with UISTYLE=gtk, then back to UISTYLE=text. You can force the selection by make UISTYLE=gtk2 or make UISTYLE=gtk or make UISTYLE=text 4) setup your locale environment properly for example, export LANG=zh_HK.BIG5-HKSCS otherwise, you will get Uncaught exception Glib.GError("Invalid byte sequence in conversion input") 5) enjoy unison with i18n! ----------------------------- OS X: 1) Install gtk2 using fink: sudo /sw/bin/fink install gtk+2 Then proceed from step 2 above. In our tests, the linker generates lots of error messages, but appears to build a working executable. Also, we have not yet been able to get this build to work with 'STATIC=true'. ----------------------------- WINDOWS: (Anybody want to contribute instructions??) unison-2.40.102/remote.mli0000644006131600613160000001100611361646373015403 0ustar bcpiercebcpierce(* Unison file synchronizer: src/remote.mli *) (* Copyright 1999-2009, Benjamin C. Pierce (see COPYING for details) *) module Thread : sig val unwindProtect : (unit -> 'a Lwt.t) -> (exn -> unit Lwt.t) -> 'a Lwt.t end (* Register a server function. The result is a function that takes a host name as argument and either executes locally or else communicates with a remote server, as appropriate. (Calling registerServerCmd also has the side effect of registering the command under the given name, so that when we are running as a server it can be looked up and executed when requested by a remote client.) *) val registerHostCmd : string (* command name *) -> ('a -> 'b Lwt.t) (* local command *) -> ( string (* -> host *) -> 'a (* arguments *) -> 'b Lwt.t) (* -> (suspended) result *) (* A variant of registerHostCmd, for constructing a remote command to be applied to a particular root (host + fspath). - A naming convention: when a `root command' is built from a corresponding `local command', we name the two functions OnRoot and Local *) val registerRootCmd : string (* command name *) -> ((Fspath.t * 'a) -> 'b Lwt.t) (* local command *) -> ( Common.root (* -> root *) -> 'a (* additional arguments *) -> 'b Lwt.t) (* -> (suspended) result *) (* Test whether a command exits on some root *) val commandAvailable : Common.root -> (* root *) string -> (* command name *) bool Lwt.t (* Enter "server mode", reading and processing commands from a remote client process until killed *) val beAServer : unit -> unit val waitOnPort : string option -> string -> unit (* Whether the server should be killed when the client terminates *) val killServer : bool Prefs.t (* Establish a connection to the remote server (if any) corresponding to the root and return the canonical name of the root *) val canonizeRoot : string -> Clroot.clroot -> (string -> string -> string) option -> Common.root Lwt.t (* Statistics *) val emittedBytes : float ref val receivedBytes : float ref (* Establish a connection to the server. First call openConnectionStart, then loop: call openConnectionPrompt, if you get a prompt, respond with openConnectionReply if desired. After you get None from openConnectionPrompt, call openConnectionEnd. Call openConnectionCancel to abort the connection. *) type preconnection val openConnectionStart : Clroot.clroot -> preconnection option val openConnectionPrompt : preconnection -> string option val openConnectionReply : preconnection -> string -> unit val openConnectionEnd : preconnection -> unit val openConnectionCancel : preconnection -> unit (* return the canonical name of the root. The connection to the root must have already been established by the openConnection sequence. *) val canonize : Clroot.clroot -> Common.root (****) type msgId = int module MsgIdMap : Map.S with type key = msgId val newMsgId : unit -> msgId type connection val connectionToRoot : Common.root -> connection val registerServerCmd : string -> (connection -> 'a -> 'b Lwt.t) -> connection -> 'a -> 'b Lwt.t val registerSpecialServerCmd : string -> ('a -> (Bytearray.t * int * int) list -> (Bytearray.t * int * int) list * int) * (Bytearray.t -> int -> 'a) -> ('b -> (Bytearray.t * int * int) list -> (Bytearray.t * int * int) list * int) * (Bytearray.t -> int -> 'b) -> (connection -> 'a -> 'b Lwt.t) -> connection -> 'a -> 'b Lwt.t val defaultMarshalingFunctions : ('a -> (Bytearray.t * int * int) list -> (Bytearray.t * int * int) list * int) * (Bytearray.t -> int -> 'b) val intSize : int val encodeInt : int -> Bytearray.t * int * int val decodeInt : Bytearray.t -> int -> int val registerRootCmdWithConnection : string (* command name *) -> (connection -> 'a -> 'b Lwt.t) (* local command *) -> Common.root (* root on which the command is executed *) -> Common.root (* other root *) -> 'a (* additional arguments *) -> 'b Lwt.t (* result *) val streamingActivated : bool Prefs.t val registerStreamCmd : string -> ('a -> (Bytearray.t * int * int) list -> (Bytearray.t * int * int) list * int) * (Bytearray.t -> int -> 'a) -> (connection -> 'a -> unit) -> connection -> (('a -> unit Lwt.t) -> 'b Lwt.t) -> 'b Lwt.t unison-2.40.102/fileinfo.mli0000644006131600613160000000176111361646373015712 0ustar bcpiercebcpierce(* Unison file synchronizer: src/fileinfo.mli *) (* Copyright 1999-2009, Benjamin C. Pierce (see COPYING for details) *) type typ = [`ABSENT | `FILE | `DIRECTORY | `SYMLINK] val type2string : typ -> string type t = { typ : typ; inode : int; desc : Props.t; osX : Osx.info} val get : bool -> Fspath.t -> Path.local -> t val set : Fspath.t -> Path.local -> [`Set of Props.t | `Copy of Path.local | `Update of Props.t] -> Props.t -> unit val get' : System.fspath -> t (* IF THIS CHANGES, MAKE SURE TO INCREMENT THE ARCHIVE VERSION NUMBER! *) type stamp = InodeStamp of int (* inode number, for Unix systems *) | CtimeStamp of float (* creation time, for windows systems *) val stamp : t -> stamp val ressStamp : t -> Osx.ressStamp (* Check whether a file is unchanged *) val unchanged : Fspath.t -> Path.local -> t -> (t * bool * bool) (****) val init : bool -> unit val allowSymlinks : [`True|`False|`Default] Prefs.t val ignoreInodeNumbers : bool Prefs.t unison-2.40.102/props.ml0000644006131600613160000006342212025627377015114 0ustar bcpiercebcpierce(* Unison file synchronizer: src/props.ml *) (* Copyright 1999-2009, Benjamin C. Pierce This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . *) let debug = Util.debug "props" module type S = sig type t val dummy : t val hash : t -> int -> int val similar : t -> t -> bool val override : t -> t -> t val strip : t -> t val diff : t -> t -> t val toString : t -> string val syncedPartsToString : t -> string val set : Fspath.t -> Path.local -> [`Set | `Update] -> t -> unit val get : Unix.LargeFile.stats -> Osx.info -> t val init : bool -> unit end (* Nb: the syncedPartsToString call is only used for archive dumping, for *) (* debugging purposes. It could be deleted without losing functionality. *) (**** Permissions ****) module Perm : sig include S val fileDefault : t val fileSafe : t val dirDefault : t val extract : t -> int val check : Fspath.t -> Path.local -> Unix.LargeFile.stats -> t -> unit val validatePrefs : unit -> unit val permMask : int Prefs.t val dontChmod : bool Prefs.t end = struct (* We introduce a type, Perm.t, that holds a file's permissions along with *) (* the operating system where the file resides. Different operating systems *) (* have different permission systems, so we have to take the OS into account *) (* when comparing and setting permissions. We also need an "impossible" *) (* permission that to take care of a tricky special case in update *) (* detection. It can be that the archive contains a directory that has *) (* never been synchronized, although some of its children have been. In *) (* this case, the directory's permissions have never been synchronized and *) (* might be different on the two replicas. We use NullPerm for the *) (* permissions of such an archive entry, and ensure (in similarPerms) that *) (* NullPerm is never similar to any real permission. *) (* NOTE: IF YOU CHANGE TYPE "PERM", THE ARCHIVE FORMAT CHANGES; INCREMENT *) (* "UPDATE.ARCHIVEFORMAT" *) type t = int * int (* This allows us to export NullPerm while keeping the type perm abstract *) let dummy = (0, 0) let extract = fst let unix_mask = 0o7777 (* All bits *) let wind_mask = 0o200 (* -w------- : only the write bit can be changed in Windows *) let permMask = Prefs.createInt "perms" (0o777 (* rwxrwxrwx *) + 0o1000 (* Sticky bit *)) "part of the permissions which is synchronized" "The integer value of this preference is a mask indicating which \ permission bits should be synchronized. It is set by default to \ $0o1777$: all bits but the set-uid and set-gid bits are \ synchronised (synchronizing theses latter bits can be a security \ hazard). If you want to synchronize all bits, you can set the \ value of this preference to $-1$. If one of the replica is on \ a FAT [Windows] filesystem, you should consider using the \ {\tt fat} preference instead of this preference. If you need \ Unison not to set permissions at all, set the value of this \ preference to $0$ and set the preference {\tt dontchmod} to {\tt true}." (* Os-specific local conventions on file permissions *) let (fileDefault, dirDefault, fileSafe, dirSafe) = match Util.osType with `Win32 -> debug (fun() -> Util.msg "Using windows defaults for file permissions"); ((0o600, -1), (* rw------- *) (0o700, -1), (* rwx------ *) (0o600, -1), (* rw------- *) (0o700, -1)) (* rwx------ *) | `Unix -> let umask = let u = Unix.umask 0 in ignore (Unix.umask u); debug (fun() -> Util.msg "Umask: %s" (Printf.sprintf "%o" u)); (fun fp -> (lnot u) land fp) in ((umask 0o666, -1), (* rw-rw-rw- *) (umask 0o777, -1), (* rwxrwxrwx *) (umask 0o600, -1), (* rw------- *) (umask 0o700, -1)) (* rwx------ *) let hash (p, m) h = Uutil.hash2 (p land m) (Uutil.hash2 m h) let perm2fileperm (p, m) = p let fileperm2perm p = (p, Prefs.read permMask) (* Are two perms similar (for update detection and recon) *) let similar (p1, m1) (p2, m2) = let m = Prefs.read permMask in m1 land m = m && m2 land m = m && p1 land m = p2 land m (* overrideCommonPermsIn p1 p2 : gives the perm that would result from *) (* propagating p2 to p1. We expect the following invariants: similarPerms *) (* (overrideCommonPermsIn p1 p2) p2 (whenever similarPerms p2 p2) and *) (* hashPerm (overrideCommonPermsIn p1 p2) = hashPerm p2 *) let override (p1, m1) (p2, m2) = let m = Prefs.read permMask land m2 in ((p1 land (lnot m)) lor (p2 land m), m) let strip (p, m) = (p, m land (Prefs.read permMask)) let diff (p, m) (p', m') = (p', (p lxor p') land m land m') let toString = function (_, 0) -> "unknown permissions" | (fp, _) when Prefs.read permMask = wind_mask -> if fp land wind_mask <> 0 then "read-write" else "read-only" | (fp, _) -> let m = Prefs.read permMask in let bit mb unknown off on = if mb land m = 0 then unknown else if fp land mb <> 0 then on else off in bit 0o4000 "" "-" "S" ^ bit 0o2000 "" "-" "s" ^ bit 0o1000 "?" "" "t" ^ bit 0o0400 "?" "-" "r" ^ bit 0o0200 "?" "-" "w" ^ bit 0o0100 "?" "-" "x" ^ bit 0o0040 "?" "-" "r" ^ bit 0o0020 "?" "-" "w" ^ bit 0o0010 "?" "-" "x" ^ bit 0o0004 "?" "-" "r" ^ bit 0o0002 "?" "-" "w" ^ bit 0o0001 "?" "-" "x" let syncedPartsToString = function (_, 0) -> "unknown permissions" | (fp, m) -> let bit mb unknown off on = if mb land m = 0 then unknown else if fp land mb <> 0 then on else off in bit 0o4000 "" "-" "S" ^ bit 0o2000 "" "-" "s" ^ bit 0o1000 "?" "" "t" ^ bit 0o0400 "?" "-" "r" ^ bit 0o0200 "?" "-" "w" ^ bit 0o0100 "?" "-" "x" ^ bit 0o0040 "?" "-" "r" ^ bit 0o0020 "?" "-" "w" ^ bit 0o0010 "?" "-" "x" ^ bit 0o0004 "?" "-" "r" ^ bit 0o0002 "?" "-" "w" ^ bit 0o0001 "?" "-" "x" let dontChmod = Prefs.createBool "dontchmod" false "!when set, never use the chmod system call" ( "By default, Unison uses the 'chmod' system call to set the permission bits" ^ " of files after it has copied them. But in some circumstances (and under " ^ " some operating systems), the chmod call always fails. Setting this " ^ " preference completely prevents Unison from ever calling chmod.") let validatePrefs () = if Prefs.read dontChmod && (Prefs.read permMask <> 0) then raise (Util.Fatal "If the 'dontchmod' preference is set, the 'perms' preference should be 0") let set fspath path kind (fp, mask) = (* BCP: removed "|| kind <> `Update" on 10/2005, but reinserted it on 11/2008. I'd removed it to make Dale Worley happy -- he wanted a way to make sure that Unison would never call chmod, and setting prefs to 0 seemed like a reasonable way to do this. But in fact it caused new files to be created with wrong prefs. *) if (mask <> 0 || kind = `Set) && (not (Prefs.read dontChmod)) then Util.convertUnixErrorsToTransient "setting permissions" (fun () -> let abspath = Fspath.concat fspath path in debug (fun() -> Util.msg "Setting permissions for %s to %s (%s)\n" (Fspath.toDebugString abspath) (toString (fileperm2perm fp)) (Printf.sprintf "%o/%o" fp mask)); try Fs.chmod abspath fp with Unix.Unix_error (Unix.EOPNOTSUPP, _, _) as e -> try Util.convertUnixErrorsToTransient "setting permissions" (fun () -> raise e) with Util.Transient msg -> raise (Util.Transient (msg ^ ". You can use preference \"fat\",\ or else set preference \"perms\" to 0 and \ preference \"dontchmod\" to true to avoid this error"))) let get stats _ = (stats.Unix.LargeFile.st_perm, Prefs.read permMask) let check fspath path stats (fp, mask) = let fp' = stats.Unix.LargeFile.st_perm in if fp land mask <> fp' land mask then raise (Util.Transient (Format.sprintf "Failed to set permissions of file %s to %s: \ the permissions was set to %s instead. \ The filesystem probably does not support all permission bits. \ If this is a FAT filesystem, you should set the \"fat\" option \ to true. \ Otherwise, you should probably set the \"perms\" option to 0o%o \ (or to 0 if you don't need to synchronize permissions)." (Fspath.toPrintString (Fspath.concat fspath path)) (syncedPartsToString (fp, mask)) (syncedPartsToString (fp', mask)) ((Prefs.read permMask) land (lnot (fp lxor fp'))))) let init someHostIsRunningWindows = let mask = if someHostIsRunningWindows then wind_mask else unix_mask in let oldMask = Prefs.read permMask in let newMask = oldMask land mask in debug (fun() -> Util.msg "Setting permission mask to %s (%s and %s)\n" (Printf.sprintf "%o" newMask) (Printf.sprintf "%o" oldMask) (Printf.sprintf "%o" mask)); Prefs.set permMask newMask end (* ------------------------------------------------------------------------- *) (* User and group ids *) (* ------------------------------------------------------------------------- *) let numericIds = Prefs.createBool "numericids" false "!don't map uid/gid values by user/group names" "When this flag is set to \\verb|true|, groups and users are \ synchronized numerically, rather than by name. \n\ \n\ The special uid 0 and the special group 0 are never mapped via \ user/group names even if this preference is not set." (* For backward compatibility *) let _ = Prefs.alias numericIds "numericIds" module Id (M : sig val sync : bool Prefs.t val kind : string val to_num : string -> int val toString : int -> string val syncedPartsToString : int -> string val set : Fspath.t -> int -> unit val get : Unix.LargeFile.stats -> int end) : S = struct type t = IdIgnored | IdNamed of string | IdNumeric of int let dummy = IdIgnored let hash id h = Uutil.hash2 (match id with IdIgnored -> -1 | IdNumeric i -> i | IdNamed nm -> Uutil.hash nm) h let similar id id' = not (Prefs.read M.sync) || (id <> IdIgnored && id' <> IdIgnored && id = id') let override id id' = id' let strip id = if Prefs.read M.sync then id else IdIgnored let diff id id' = if similar id id' then IdIgnored else id' let toString id = match id with IdIgnored -> "" | IdNumeric i -> " " ^ M.kind ^ "=" ^ string_of_int i | IdNamed n -> " " ^ M.kind ^ "=" ^ n let syncedPartsToString = toString let tbl = Hashtbl.create 17 let extern id = match id with IdIgnored -> -1 | IdNumeric i -> i | IdNamed nm -> try Hashtbl.find tbl nm with Not_found -> let id = try M.to_num nm with Not_found -> raise (Util.Transient ("No " ^ M.kind ^ " " ^ nm)) in if id = 0 then raise (Util.Transient (Printf.sprintf "Trying to map the non-root %s %s to %s 0" M.kind nm M.kind)); Hashtbl.add tbl nm id; id let set fspath path kind id = match extern id with -1 -> () | id -> Util.convertUnixErrorsToTransient "setting file ownership" (fun () -> let abspath = Fspath.concat fspath path in M.set abspath id) let tbl = Hashtbl.create 17 let get stats _ = if not (Prefs.read M.sync) then IdIgnored else let id = M.get stats in if id = 0 || Prefs.read numericIds then IdNumeric id else try Hashtbl.find tbl id with Not_found -> let id' = try IdNamed (M.toString id) with Not_found -> IdNumeric id in Hashtbl.add tbl id id'; id' let init someHostIsRunningWindows = if someHostIsRunningWindows then Prefs.set M.sync false; end module Uid = Id (struct let sync = Prefs.createBool "owner" false "synchronize owner" ("When this flag is set to \\verb|true|, the owner attributes " ^ "of the files are synchronized. " ^ "Whether the owner names or the owner identifiers are synchronized" ^ "depends on the preference \\texttt{numerids}.") let kind = "user" let to_num nm = (Unix.getpwnam nm).Unix.pw_uid let toString id = (Unix.getpwuid id).Unix.pw_name let syncedPartsToString = toString let set path id = Fs.chown path id (-1) let get stats = stats.Unix.LargeFile.st_uid end) module Gid = Id (struct let sync = Prefs.createBool "group" false "synchronize group attributes" ("When this flag is set to \\verb|true|, the group attributes " ^ "of the files are synchronized. " ^ "Whether the group names or the group identifiers are synchronized " ^ "depends on the preference \\texttt{numerids}.") let kind = "group" let to_num nm = (Unix.getgrnam nm).Unix.gr_gid let toString id = (Unix.getgrgid id).Unix.gr_name let syncedPartsToString = toString let set path id = Fs.chown path (-1) id let get stats = stats.Unix.LargeFile.st_gid end) (* ------------------------------------------------------------------------- *) (* Modification time *) (* ------------------------------------------------------------------------- *) module Time : sig include S val same : t -> t -> bool val extract : t -> float val sync : bool Prefs.t val replace : t -> float -> t val check : Fspath.t -> Path.local -> Unix.LargeFile.stats -> t -> unit end = struct let sync = Prefs.createBool "times" false "synchronize modification times" "When this flag is set to \\verb|true|, \ file modification times (but not directory modtimes) are propagated." type t = Synced of float | NotSynced of float let dummy = NotSynced 0. let extract t = match t with Synced v -> v | NotSynced v -> v let minus_two = Int64.of_int (-2) let approximate t = Int64.logand (Int64.of_float t) minus_two let oneHour = Int64.of_int 3600 let minusOneHour = Int64.neg oneHour let moduloOneHour t = let v = Int64.rem t oneHour in if v >= Int64.zero then v else Int64.add v oneHour (* Accept one hour differences and one second differences *) let possible_deltas = [ -3601L; 3601L; -3600L; 3600L; -3599L; 3599L; -1L; 1L; 0L ] let hash t h = Uutil.hash2 (match t with Synced _ -> 1 (* As we are ignoring one-second differences, we cannot provide a more accurate hash. *) | NotSynced _ -> 0) h (* Times have a two-second granularity on FAT filesystems. They are approximated upward under Windows, downward under Linux... Ignoring one-second changes also makes Unison more robust when dealing with systems with sub-second granularity (we have no control on how this is may be rounded). *) let similar t t' = not (Prefs.read sync) || match t, t' with Synced v, Synced v' -> List.mem (Int64.sub (Int64.of_float v) (Int64.of_float v')) possible_deltas | NotSynced _, NotSynced _ -> true | _ -> false let override t t' = match t, t' with _, Synced _ -> t' | Synced v, _ -> NotSynced v | _ -> t let replace t v = match t with Synced _ -> t | NotSynced _ -> NotSynced v let strip t = match t with Synced v when not (Prefs.read sync) -> NotSynced v | _ -> t let diff t t' = if similar t t' then NotSynced (extract t') else t' let toString t = Util.time2string (extract t) let syncedPartsToString t = match t with Synced _ -> Format.sprintf "%s (%f)" (toString t) (extract t) | NotSynced _ -> "" (* FIX: Probably there should be a check here that prevents us from ever *) (* setting a file's modtime into the future. *) let set fspath path kind t = match t with Synced v -> Util.convertUnixErrorsToTransient "setting modification time" (fun () -> let abspath = Fspath.concat fspath path in if not (Fs.canSetTime abspath) then begin (* Nb. This workaround was proposed by Dmitry Bely, to work around the fact that Unix.utimes fails on readonly files under windows. I'm [bcp] a little bit uncomfortable with it for two reasons: (1) if we crash in the middle, the permissions might be left in a bad state, and (2) I don't understand the Win32 permissions model enough to know whether it will always work -- e.g., what if the UID of the unison process is not the same as that of the file itself (under Unix, this case would fail, but we certainly don't want to make it WORLD-writable, even briefly!). *) let oldPerms = (Fs.lstat abspath).Unix.LargeFile.st_perm in Util.finalize (fun()-> Fs.chmod abspath 0o600; Fs.utimes abspath v v) (fun()-> Fs.chmod abspath oldPerms) end else if false then begin (* A special hack for Rasmus, who has a special situation that requires the utimes-setting program to run 'setuid root' (and we do not want all of Unison to run setuid, so we just spin off an external utility to do it). *) let time = Unix.localtime v in let tstr = Printf.sprintf "%4d%02d%02d%02d%02d.%02d" (time.Unix.tm_year + 1900) (time.Unix.tm_mon + 1) time.Unix.tm_mday time.Unix.tm_hour time.Unix.tm_min time.Unix.tm_sec in let cmd = "/usr/local/bin/sudo -u root /usr/bin/touch -m -a -t " ^ tstr ^ " " ^ Fspath.quotes abspath in Util.msg "Running external program to set utimes:\n %s\n" cmd; let (r,_) = Lwt_unix.run (External.runExternalProgram cmd) in if r<>(Unix.WEXITED 0) then raise (Util.Transient "External time-setting command failed") end else Fs.utimes abspath v v) | _ -> () let get stats _ = let v = stats.Unix.LargeFile.st_mtime in if stats.Unix.LargeFile.st_kind = Unix.S_REG && Prefs.read sync then Synced v else NotSynced v let check fspath path stats t = match t with NotSynced _ -> () | Synced v -> let t' = Synced (stats.Unix.LargeFile.st_mtime) in if not (similar t t') then raise (Util.Transient (Format.sprintf "Failed to set modification time of file %s to %s: \ the time was set to %s instead" (Fspath.toPrintString (Fspath.concat fspath path)) (syncedPartsToString t) (syncedPartsToString t'))) (* When modification time are synchronized, we cannot update the archive when they are changed due to daylight saving time. Thus, we have to compare then using "similar". *) let same p p' = match p, p' with Synced _, Synced _ -> similar p p' | _ -> let delta = extract p -. extract p' in delta = 0. || delta = 3600. || delta = -3600. let init _ = () end (* ------------------------------------------------------------------------- *) (* Type and creator *) (* ------------------------------------------------------------------------- *) module TypeCreator : S = struct type t = string option let dummy = None let hash t h = Uutil.hash2 (Uutil.hash t) h let similar t t' = not (Prefs.read Osx.rsrc) || t = t' let override t t' = t' let strip t = t let diff t t' = if similar t t' then None else t' let zeroes = "\000\000\000\000\000\000\000\000" let toString t = match t with Some s when String.length s > 0 && s.[0] = 'F' && String.sub (s ^ zeroes) 1 8 <> zeroes -> let s = s ^ zeroes in " " ^ String.escaped (String.sub s 1 4) ^ " " ^ String.escaped (String.sub s 5 4) | _ -> "" let syncedPartsToString = toString let set fspath path kind t = match t with None -> () | Some t -> Osx.setFileInfos fspath path t let get stats info = if Prefs.read Osx.rsrc && (stats.Unix.LargeFile.st_kind = Unix.S_REG || stats.Unix.LargeFile.st_kind = Unix.S_DIR) then Some info.Osx.finfo else None let init _ = () end (* ------------------------------------------------------------------------- *) (* Properties *) (* ------------------------------------------------------------------------- *) type t = { perm : Perm.t; uid : Uid.t; gid : Gid.t; time : Time.t; typeCreator : TypeCreator.t; length : Uutil.Filesize.t } let template perm = { perm = perm; uid = Uid.dummy; gid = Gid.dummy; time = Time.dummy; typeCreator = TypeCreator.dummy; length = Uutil.Filesize.dummy } let dummy = template Perm.dummy let hash p h = Perm.hash p.perm (Uid.hash p.uid (Gid.hash p.gid (Time.hash p.time (TypeCreator.hash p.typeCreator h)))) let similar p p' = Perm.similar p.perm p'.perm && Uid.similar p.uid p'.uid && Gid.similar p.gid p'.gid && Time.similar p.time p'.time && TypeCreator.similar p.typeCreator p'.typeCreator let override p p' = { perm = Perm.override p.perm p'.perm; uid = Uid.override p.uid p'.uid; gid = Gid.override p.gid p'.gid; time = Time.override p.time p'.time; typeCreator = TypeCreator.override p.typeCreator p'.typeCreator; length = p'.length } let strip p = { perm = Perm.strip p.perm; uid = Uid.strip p.uid; gid = Gid.strip p.gid; time = Time.strip p.time; typeCreator = TypeCreator.strip p.typeCreator; length = p.length } let toString p = Printf.sprintf "modified on %s size %-9.f %s%s%s%s" (Time.toString p.time) (Uutil.Filesize.toFloat p.length) (Perm.toString p.perm) (Uid.toString p.uid) (Gid.toString p.gid) (TypeCreator.toString p.typeCreator) let syncedPartsToString p = let tm = Time.syncedPartsToString p.time in Printf.sprintf "%s%s size %-9.f %s%s%s%s" (if tm = "" then "" else "modified at ") tm (Uutil.Filesize.toFloat p.length) (Perm.syncedPartsToString p.perm) (Uid.syncedPartsToString p.uid) (Gid.syncedPartsToString p.gid) (TypeCreator.syncedPartsToString p.typeCreator) let diff p p' = { perm = Perm.diff p.perm p'.perm; uid = Uid.diff p.uid p'.uid; gid = Gid.diff p.gid p'.gid; time = Time.diff p.time p'.time; typeCreator = TypeCreator.diff p.typeCreator p'.typeCreator; length = p'.length } let get stats infos = { perm = Perm.get stats infos; uid = Uid.get stats infos; gid = Gid.get stats infos; time = Time.get stats infos; typeCreator = TypeCreator.get stats infos; length = if stats.Unix.LargeFile.st_kind = Unix.S_REG then Uutil.Filesize.fromStats stats else Uutil.Filesize.zero } let set fspath path kind p = Uid.set fspath path kind p.uid; Gid.set fspath path kind p.gid; TypeCreator.set fspath path kind p.typeCreator; Time.set fspath path kind p.time; Perm.set fspath path kind p.perm (* Paranoid checks *) let check fspath path stats p = Time.check fspath path stats p.time; Perm.check fspath path stats p.perm let init someHostIsRunningWindows = Perm.init someHostIsRunningWindows; Uid.init someHostIsRunningWindows; Gid.init someHostIsRunningWindows; Time.init someHostIsRunningWindows; TypeCreator.init someHostIsRunningWindows let fileDefault = template Perm.fileDefault let fileSafe = template Perm.fileSafe let dirDefault = template Perm.dirDefault let same_time p p' = Time.same p.time p'.time let length p = p.length let setLength p l = {p with length=l} let time p = Time.extract p.time let setTime p t = {p with time = Time.replace p.time t} let perms p = Perm.extract p.perm let syncModtimes = Time.sync let permMask = Perm.permMask let dontChmod = Perm.dontChmod let validatePrefs = Perm.validatePrefs (* ------------------------------------------------------------------------- *) (* Directory change stamps *) (* ------------------------------------------------------------------------- *) (* We are reusing the directory length to store a flag indicating that the directory is unchanged *) type dirChangedStamp = Uutil.Filesize.t let freshDirStamp () = let t = (Unix.gettimeofday () +. sqrt 2. *. float (Unix.getpid ())) *. 1000. in Uutil.Filesize.ofFloat t let changedDirStamp = Uutil.Filesize.zero let setDirChangeFlag p stamp inode = let stamp = Uutil.Filesize.add stamp (Uutil.Filesize.ofInt inode) in (setLength p stamp, length p <> stamp) let dirMarkedUnchanged p stamp inode = let stamp = Uutil.Filesize.add stamp (Uutil.Filesize.ofInt inode) in stamp <> changedDirStamp && length p = stamp unison-2.40.102/checksum.ml0000644006131600613160000000532711361646373015552 0ustar bcpiercebcpierce(* Unison file synchronizer: src/checksum.ml *) (* Copyright 1999-2009, Benjamin C. Pierce This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . *) (* The checksum (or fast fingerprinting) algorithm must be fast and has to *) (* be called in a rolling fashion (i.e. we must be able to calculate a new *) (* checksum when provided the current checksum, the outgoing character and *) (* the incoming one). *) (* Definition: cksum([c_n, c_{n-1}, ..., c_0]) = Sum c_i * 16381 ^ i *) type t = int type u = int array (* [power v n] computes [v ^ n] *) let rec power v n = if n = 0 then 1 else let v' = power v (n / 2) in let v'' = v' * v' in if n land 1 <> 0 then v * v'' else v'' (* Takes the block length and returns a pre-computed table for the function *) (* roll: If [init l] => I, then I_n = n * 16381 ^ (l + 1), for 0 <= n < 256 *) (* NB: 256 is the upper-bound of ASCII code returned by Char.code *) let init l = let p = power 16381 (l + 1) in Array.init 256 (fun i -> (i * p) land 0x7fffffff) (* Function [roll] computes fixed-length checksum from previous checksum *) (* Roughly: given the pre-computed table, compute the new checksum from the *) (* old one along with the outgoing and incoming characters, i.e., *) (* - *) (* [roll cksum([c_n, ..., c_0]) c_n c'] => cksum([c_{n-1}, ..., c_0, c']) *) (* - *) let roll init cksum cout cin = let v = cksum + Char.code cin in (v lsl 14 - (v + v + v) (* v * 16381 *) - Array.unsafe_get init (Char.code cout)) land 0x7fffffff (* Function [substring] computes checksum for a given substring in one batch *) (* process: [substring s p l] => cksum([s_p, ..., s_{p + l - 1}]) *) let substring s p l = let cksum = ref 0 in for i = p to p + l - 1 do let v = !cksum + Char.code (String.unsafe_get s i) in cksum := (v lsl 14 - (v + v + v)) (* v * 16381 *) done; !cksum land 0x7fffffff unison-2.40.102/files.ml0000644006131600613160000013163111361646373015050 0ustar bcpiercebcpierce(* Unison file synchronizer: src/files.ml *) (* Copyright 1999-2009, Benjamin C. Pierce This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . *) open Common open Lwt open Fileinfo let debug = Trace.debug "files" let debugverbose = Trace.debug "files+" (* ------------------------------------------------------------ *) let commitLogName = Util.fileInHomeDir "DANGER.README" let writeCommitLog source target tempname = let sourcename = Fspath.toDebugString source in let targetname = Fspath.toDebugString target in debug (fun() -> Util.msg "Writing commit log: renaming %s to %s via %s\n" sourcename targetname tempname); Util.convertUnixErrorsToFatal "writing commit log" (fun () -> let c = System.open_out_gen [Open_wronly; Open_creat; Open_trunc; Open_excl] 0o600 commitLogName in Printf.fprintf c "Warning: the last run of %s terminated abnormally " Uutil.myName; Printf.fprintf c "while moving\n %s\nto\n %s\nvia\n %s\n\n" sourcename targetname tempname; Printf.fprintf c "Please check the state of these files immediately\n"; Printf.fprintf c "(and delete this notice when you've done so).\n"; close_out c) let clearCommitLog () = debug (fun() -> (Util.msg "Deleting commit log\n")); Util.convertUnixErrorsToFatal "clearing commit log" (fun () -> System.unlink commitLogName) let processCommitLog () = if System.file_exists commitLogName then begin raise(Util.Fatal( Printf.sprintf "Warning: the previous run of %s terminated in a dangerous state. Please consult the file %s, delete it, and try again." Uutil.myName (System.fspathToPrintString commitLogName))) end else Lwt.return () let processCommitLogOnHost = Remote.registerHostCmd "processCommitLog" processCommitLog let processCommitLogs() = Lwt_unix.run (Globals.allHostsIter (fun h -> processCommitLogOnHost h ())) (* ------------------------------------------------------------ *) let deleteLocal (fspathTo, (pathTo, ui)) = debug (fun () -> Util.msg "deleteLocal [%s] (None, %s)\n" (Fspath.toDebugString fspathTo) (Path.toString pathTo)); let localPathTo = Update.translatePathLocal fspathTo pathTo in (* Make sure the target is unchanged first *) (* (There is an unavoidable race condition here.) *) let prevArch = Update.checkNoUpdates fspathTo localPathTo ui in Stasher.backup fspathTo localPathTo `AndRemove prevArch; (* Archive update must be done last *) Update.replaceArchiveLocal fspathTo localPathTo Update.NoArchive; Lwt.return () let deleteOnRoot = Remote.registerRootCmd "delete" deleteLocal let delete rootFrom pathFrom rootTo pathTo ui = deleteOnRoot rootTo (pathTo, ui) >>= fun _ -> Update.replaceArchive rootFrom pathFrom Update.NoArchive (* ------------------------------------------------------------ *) let fileUpdated ui = match ui with Updates (File (_, ContentsUpdated _), _) -> true | _ -> false let setPropLocal (fspath, (path, ui, newDesc, oldDesc)) = (* [ui] provides the modtime while [newDesc] provides the other file properties *) let localPath = Update.translatePathLocal fspath path in let (workingDir,realPath) = Fspath.findWorkingDir fspath localPath in Fileinfo.set workingDir realPath (`Update oldDesc) newDesc; if fileUpdated ui then Stasher.stashCurrentVersion fspath localPath None; (* Archive update must be done last *) Update.updateProps fspath localPath (Some newDesc) ui; Lwt.return () let setPropOnRoot = Remote.registerRootCmd "setProp" setPropLocal let updatePropsOnRoot = Remote.registerRootCmd "updateProps" (fun (fspath, (path, propOpt, ui)) -> let localPath = Update.translatePathLocal fspath path in (* Archive update must be done first *) Update.updateProps fspath localPath propOpt ui; if fileUpdated ui then Stasher.stashCurrentVersion fspath localPath None; Lwt.return ()) let updateProps root path propOpt ui = updatePropsOnRoot root (path, propOpt, ui) (* FIX: we should check there has been no update before performing the change *) let setProp rootFrom pathFrom rootTo pathTo newDesc oldDesc uiFrom uiTo = debug (fun() -> Util.msg "setProp %s %s %s\n %s %s %s\n" (root2string rootFrom) (Path.toString pathFrom) (Props.toString newDesc) (root2string rootTo) (Path.toString pathTo) (Props.toString oldDesc)); setPropOnRoot rootTo (pathTo, uiTo, newDesc, oldDesc) >>= fun _ -> updateProps rootFrom pathFrom None uiFrom (* ------------------------------------------------------------ *) let mkdirOnRoot = Remote.registerRootCmd "mkdir" (fun (fspath,(workingDir,path)) -> let info = Fileinfo.get false workingDir path in if info.Fileinfo.typ = `DIRECTORY then begin begin try (* Make sure the directory is writable *) Fs.chmod (Fspath.concat workingDir path) (Props.perms info.Fileinfo.desc lor 0o700) with Unix.Unix_error _ -> () end; Lwt.return (true, info.Fileinfo.desc) end else begin if info.Fileinfo.typ <> `ABSENT then Os.delete workingDir path; Os.createDir workingDir path Props.dirDefault; Lwt.return (false, (Fileinfo.get false workingDir path).Fileinfo.desc) end) let setDirPropOnRoot = Remote.registerRootCmd "setDirProp" (fun (_, (workingDir, path, initialDesc, newDesc)) -> Fileinfo.set workingDir path (`Set initialDesc) newDesc; Lwt.return ()) let makeSymlink = Remote.registerRootCmd "makeSymlink" (fun (fspath, (workingDir, path, l)) -> if Os.exists workingDir path then Os.delete workingDir path; Os.symlink workingDir path l; Lwt.return ()) (* ------------------------------------------------------------ *) let performRename fspathTo localPathTo workingDir pathFrom pathTo prevArch = debug (fun () -> Util.msg "Renaming %s to %s in %s; root is %s\n" (Path.toString pathFrom) (Path.toString pathTo) (Fspath.toDebugString workingDir) (Fspath.toDebugString fspathTo)); let source = Fspath.concat workingDir pathFrom in let target = Fspath.concat workingDir pathTo in Util.convertUnixErrorsToTransient (Printf.sprintf "renaming %s to %s" (Fspath.toDebugString source) (Fspath.toDebugString target)) (fun () -> debugverbose (fun() -> Util.msg "calling Fileinfo.get from renameLocal\n"); let filetypeFrom = (Fileinfo.get false source Path.empty).Fileinfo.typ in debugverbose (fun() -> Util.msg "back from Fileinfo.get from renameLocal\n"); if filetypeFrom = `ABSENT then raise (Util.Transient (Printf.sprintf "Error while renaming %s to %s -- source file has disappeared!" (Fspath.toPrintString source) (Fspath.toPrintString target))); let filetypeTo = (Fileinfo.get false target Path.empty).Fileinfo.typ in (* Windows and Unix operate differently if the target path of a rename already exists: in Windows an exception is raised, in Unix the file is clobbered. In both Windows and Unix, if the target is an existing **directory**, an exception will be raised. We want to avoid doing the move first, if possible, because this opens a "window of danger" during which the contents of the path is nothing. *) let moveFirst = match (filetypeFrom, filetypeTo) with | (_, `ABSENT) -> false | ((`FILE | `SYMLINK), (`FILE | `SYMLINK)) -> Util.osType <> `Unix | _ -> true (* Safe default *) in if moveFirst then begin debug (fun() -> Util.msg "rename: moveFirst=true\n"); let tmpPath = Os.tempPath workingDir pathTo in let temp = Fspath.concat workingDir tmpPath in let temp' = Fspath.toDebugString temp in debug (fun() -> Util.msg "moving %s to %s\n" (Fspath.toDebugString target) temp'); Stasher.backup fspathTo localPathTo `ByCopying prevArch; writeCommitLog source target temp'; Util.finalize (fun() -> (* If the first rename fails, the log can be removed: the filesystem is in a consistent state *) Os.rename "renameLocal(1)" target Path.empty temp Path.empty; (* If the next renaming fails, we will be left with DANGER.README file which will make any other (similar) renaming fail in a cryptic way. So it seems better to abort early by converting Unix errors to Fatal ones (rather than Transient). *) Util.convertUnixErrorsToFatal "renaming with commit log" (fun () -> debug (fun() -> Util.msg "rename %s to %s\n" (Fspath.toDebugString source) (Fspath.toDebugString target)); Os.rename "renameLocal(2)" source Path.empty target Path.empty)) (fun _ -> clearCommitLog()); (* It is ok to leave a temporary file. So, the log can be cleared before deleting it. *) Os.delete temp Path.empty end else begin debug (fun() -> Util.msg "rename: moveFirst=false\n"); Stasher.backup fspathTo localPathTo `ByCopying prevArch; Os.rename "renameLocal(3)" source Path.empty target Path.empty; debug (fun() -> if filetypeFrom = `FILE then Util.msg "Contents of %s after renaming = %s\n" (Fspath.toDebugString target) (Fingerprint.toString (Fingerprint.file target Path.empty))); end) (* FIX: maybe we should rename the destination before making any check ? *) (* JV (6/09): the window is small again... FIX: When this code was originally written, we assumed that the checkNoUpdates would happen immediately before the rename, so that the window of danger where other processes could invalidate the thing we just checked was very small. But now that transport is multi-threaded, this window of danger could get very long because other transfers are saturating the link. It would be better, I think, to introduce a real 2PC protocol here, so that both sides would (locally and almost-atomically) check that their assumptions had not been violated and then switch the temp file into place, but remain able to roll back if something fails either locally or on the other side. *) let renameLocal (fspathTo, (localPathTo, workingDir, pathFrom, pathTo, ui, archOpt)) = (* Make sure the target is unchanged, then do the rename. (Note that there is an unavoidable race condition here...) *) let prevArch = Update.checkNoUpdates fspathTo localPathTo ui in performRename fspathTo localPathTo workingDir pathFrom pathTo prevArch; begin match archOpt with Some archTo -> Stasher.stashCurrentVersion fspathTo localPathTo None; Update.iterFiles fspathTo localPathTo archTo Xferhint.insertEntry; (* Archive update must be done last *) Update.replaceArchiveLocal fspathTo localPathTo archTo | None -> () end; Lwt.return () let renameOnHost = Remote.registerRootCmd "rename" renameLocal let rename root localPath workingDir pathOld pathNew ui archOpt = debug (fun() -> Util.msg "rename(root=%s, pathOld=%s, pathNew=%s)\n" (root2string root) (Path.toString pathOld) (Path.toString pathNew)); renameOnHost root (localPath, workingDir, pathOld, pathNew, ui, archOpt) (* ------------------------------------------------------------ *) (* Calculate the target working directory and paths for the copy. workingDir is an fspath naming the directory on the target host where the copied file will actually live. (In the case where pathTo names a symbolic link, this will be the parent directory of the file that the symlink points to, not the symlink itself. Note that this fspath may be outside of the replica, or even on a different volume.) realPathTo is the name of the target file relative to workingDir. (If pathTo names a symlink, this will be the name of the file pointed to by the symlink, not the name of the link itself.) tempPathTo is a temporary file name in the workingDir. The file (or directory structure) will first be copied here, then "almost atomically" moved onto realPathTo. *) let setupTargetPathsLocal (fspath, path) = let localPath = Update.translatePathLocal fspath path in let (workingDir,realPath) = Fspath.findWorkingDir fspath localPath in let tempPath = Os.tempPath ~fresh:false workingDir realPath in Lwt.return (workingDir, realPath, tempPath, localPath) let setupTargetPaths = Remote.registerRootCmd "setupTargetPaths" setupTargetPathsLocal let rec createDirectories fspath localPath props = match props with [] -> () | desc :: rem -> match Path.deconstructRev localPath with None -> assert false | Some (_, parentPath) -> createDirectories fspath parentPath rem; try let absolutePath = Fspath.concat fspath parentPath in Fs.mkdir absolutePath (Props.perms desc) (* The directory may have already been created if there are several paths with the same prefix *) with Unix.Unix_error (Unix.EEXIST, _, _) -> () let setupTargetPathsAndCreateParentDirectoryLocal (fspath, (path, props)) = let localPath = Update.translatePathLocal fspath path in Util.convertUnixErrorsToTransient "creating parent directories" (fun () -> createDirectories fspath localPath props); let (workingDir,realPath) = Fspath.findWorkingDir fspath localPath in let tempPath = Os.tempPath ~fresh:false workingDir realPath in Lwt.return (workingDir, realPath, tempPath, localPath) let setupTargetPathsAndCreateParentDirectory = Remote.registerRootCmd "setupTargetPathsAndCreateParentDirectory" setupTargetPathsAndCreateParentDirectoryLocal (* ------------------------------------------------------------ *) let updateSourceArchiveLocal (fspathFrom, (localPathFrom, uiFrom, errPaths)) = (* Archive update must be done first (before Stasher call) *) let newArch = Update.updateArchive fspathFrom localPathFrom uiFrom in (* We update the archive with what we were expected to copy *) Update.replaceArchiveLocal fspathFrom localPathFrom newArch; (* Then, we remove all pieces of which the copy failed *) List.iter (fun p -> debug (fun () -> Util.msg "Copy under %s/%s was aborted\n" (Fspath.toDebugString fspathFrom) (Path.toString p)); Update.replaceArchiveLocal fspathFrom p Update.NoArchive) errPaths; Stasher.stashCurrentVersion fspathFrom localPathFrom None; Lwt.return () let updateSourceArchive = Remote.registerRootCmd "updateSourceArchive" updateSourceArchiveLocal (* ------------------------------------------------------------ *) let deleteSpuriousChild fspathTo pathTo nm = (* FIX: maybe we should turn them into Unison temporary files? *) let path = (Path.child pathTo nm) in debug (fun() -> Util.msg "Deleting spurious file %s/%s\n" (Fspath.toDebugString fspathTo) (Path.toString path)); Os.delete fspathTo path let rec deleteSpuriousChildrenRec fspathTo pathTo archChildren children = match archChildren, children with archNm :: archRem, nm :: rem -> let c = Name.compare archNm nm in if c < 0 then deleteSpuriousChildrenRec fspathTo pathTo archRem children else if c = 0 then deleteSpuriousChildrenRec fspathTo pathTo archChildren rem else begin deleteSpuriousChild fspathTo pathTo nm; deleteSpuriousChildrenRec fspathTo pathTo archChildren rem end | [], nm :: rem -> deleteSpuriousChild fspathTo pathTo nm; deleteSpuriousChildrenRec fspathTo pathTo [] rem | _, [] -> () let deleteSpuriousChildrenLocal (_, (fspathTo, pathTo, archChildren)) = deleteSpuriousChildrenRec fspathTo pathTo archChildren (List.sort Name.compare (Os.childrenOf fspathTo pathTo)); Lwt.return () let deleteSpuriousChildren = Remote.registerRootCmd "deleteSpuriousChildren" deleteSpuriousChildrenLocal let rec normalizePropsRec propsFrom propsTo = match propsFrom, propsTo with d :: r, d' :: r' -> normalizePropsRec r r' | _, [] -> propsFrom | [], _ :: _ -> assert false let normalizeProps propsFrom propsTo = normalizePropsRec (Safelist.rev propsFrom) (Safelist.rev propsTo) (* ------------------------------------------------------------ *) let copyReg = Lwt_util.make_region 50 let copy update rootFrom pathFrom (* copy from here... *) uiFrom (* (and then check that this updateItem still describes the current state of the src replica) *) propsFrom (* the properties of the parent directories, in case we need to propagate them *) rootTo pathTo (* ...to here *) uiTo (* (but, before committing the copy, check that this updateItem still describes the current state of the target replica) *) propsTo (* the properties of the parent directories *) id = (* for progress display *) debug (fun() -> Util.msg "copy %s %s ---> %s %s \n" (root2string rootFrom) (Path.toString pathFrom) (root2string rootTo) (Path.toString pathTo)); (* Calculate target paths *) setupTargetPathsAndCreateParentDirectory rootTo (pathTo, normalizeProps propsFrom propsTo) >>= fun (workingDir, realPathTo, tempPathTo, localPathTo) -> (* When in Unicode case-insensitive mode, we want to create files with NFC normal-form filenames. *) let realPathTo = match update with `Update _ -> realPathTo | `Copy -> match Path.deconstructRev realPathTo with None -> assert false | Some (name, parentPath) -> Path.child parentPath (Name.normalize name) in (* Calculate source path *) Update.translatePath rootFrom pathFrom >>= fun localPathFrom -> let errors = ref [] in (* Inner loop for recursive copy... *) let rec copyRec pFrom (* Path to copy from *) pTo (* (Temp) path to copy to *) realPTo (* Path where this file will ultimately be placed (needed by rsync, which uses the old contents of this file to optimize transfer) *) f = (* Source archive subtree for this path *) debug (fun() -> Util.msg "copyRec %s --> %s (really to %s)\n" (Path.toString pFrom) (Path.toString pTo) (Path.toString realPTo)); Lwt.catch (fun () -> match f with Update.ArchiveFile (desc, dig, stamp, ress) -> Lwt_util.run_in_region copyReg 1 (fun () -> Abort.check id; let stmp = if Update.useFastChecking () then Some stamp else None in Copy.file rootFrom pFrom rootTo workingDir pTo realPTo update desc dig stmp ress id >>= fun info -> let ress' = Osx.stamp info.Fileinfo.osX in Lwt.return (Update.ArchiveFile (Props.override info.Fileinfo.desc desc, dig, Fileinfo.stamp info, ress'), [])) | Update.ArchiveSymlink l -> Lwt_util.run_in_region copyReg 1 (fun () -> debug (fun() -> Util.msg "Making symlink %s/%s -> %s\n" (root2string rootTo) (Path.toString pTo) l); Abort.check id; makeSymlink rootTo (workingDir, pTo, l) >>= fun () -> Lwt.return (f, [])) | Update.ArchiveDir (desc, children) -> Lwt_util.run_in_region copyReg 1 (fun () -> debug (fun() -> Util.msg "Creating directory %s/%s\n" (root2string rootTo) (Path.toString pTo)); mkdirOnRoot rootTo (workingDir, pTo)) >>= fun (dirAlreadyExisting, initialDesc) -> Abort.check id; (* We start a thread for each child *) let childThreads = Update.NameMap.mapi (fun name child -> let nameTo = Name.normalize name in copyRec (Path.child pFrom name) (Path.child pTo nameTo) (Path.child realPTo nameTo) child) children in (* We collect the thread results *) Update.NameMap.fold (fun nm childThr remThr -> childThr >>= fun (arch, paths) -> remThr >>= fun (children, pathl, error) -> let childErr = arch = Update.NoArchive in let children = if childErr then children else Update.NameMap.add nm arch children in Lwt.return (children, paths :: pathl, error || childErr)) childThreads (Lwt.return (Update.NameMap.empty, [], false)) >>= fun (newChildren, pathl, childError) -> begin if dirAlreadyExisting || childError then let childNames = Update.NameMap.fold (fun nm _ l -> nm :: l) newChildren [] in deleteSpuriousChildren rootTo (workingDir, pTo, childNames) else Lwt.return () end >>= fun () -> Lwt_util.run_in_region copyReg 1 (fun () -> (* We use the actual file permissions so as to preserve inherited bits *) setDirPropOnRoot rootTo (workingDir, pTo, initialDesc, desc)) >>= fun () -> Lwt.return (Update.ArchiveDir (desc, newChildren), List.flatten pathl) | Update.NoArchive -> assert false) (fun e -> match e with Util.Transient _ -> if not (Abort.testException e) then begin Abort.file id; errors := e :: !errors end; Lwt.return (Update.NoArchive, [pFrom]) | _ -> Lwt.fail e) in (* Compute locally what we need to propagate *) let rootLocal = List.hd (Globals.rootsInCanonicalOrder ()) in let localArch = Update.updateArchive (snd rootLocal) localPathFrom uiFrom in copyRec localPathFrom tempPathTo realPathTo localArch >>= fun (archTo, errPaths) -> if archTo = Update.NoArchive then (* We were not able to transfer anything *) Lwt.fail (List.hd !errors) else begin (* Rename the files to their final location and then update the archive on the destination replica *) rename rootTo localPathTo workingDir tempPathTo realPathTo uiTo (Some archTo) >>= fun () -> (* Update the archive on the source replica FIX: we could reuse localArch if rootFrom is the same as rootLocal *) updateSourceArchive rootFrom (localPathFrom, uiFrom, errPaths) >>= fun () -> (* Return the first error, if any *) match Safelist.rev !errors with e :: _ -> Lwt.fail e | [] -> Lwt.return () end (* ------------------------------------------------------------ *) let (>>=) = Lwt.bind let diffCmd = Prefs.createString "diff" "diff -u CURRENT2 CURRENT1" "!set command for showing differences between files" ("This preference can be used to control the name and command-line " ^ "arguments of the system " ^ "utility used to generate displays of file differences. The default " ^ "is `\\verb|diff -u CURRENT2 CURRENT1|'. If the value of this preference contains the substrings " ^ "CURRENT1 and CURRENT2, these will be replaced by the names of the files to be " ^ "diffed. If not, the two filenames will be appended to the command. In both " ^ "cases, the filenames are suitably quoted.") let tempName s = Os.tempFilePrefix ^ s let rec diff root1 path1 ui1 root2 path2 ui2 showDiff id = debug (fun () -> Util.msg "diff %s %s %s %s ...\n" (root2string root1) (Path.toString path1) (root2string root2) (Path.toString path2)); let displayDiff fspath1 fspath2 = let cmd = if Util.findsubstring "CURRENT1" (Prefs.read diffCmd) = None then (Prefs.read diffCmd) ^ " " ^ (Fspath.quotes fspath1) ^ " " ^ (Fspath.quotes fspath2) else Util.replacesubstrings (Prefs.read diffCmd) ["CURRENT1", Fspath.quotes fspath1; "CURRENT2", Fspath.quotes fspath2] in let c = System.open_process_in (if Util.osType = `Win32 && not Util.isCygwin then (* BCP: Proposed by Karl M. to deal with the standard windows command processor's weird treatment of spaces and quotes: *) "\"" ^ cmd ^ "\"" else cmd) in showDiff cmd (External.readChannelTillEof c); ignore (System.close_process_in c) in let (desc1, fp1, ress1, desc2, fp2, ress2) = Common.fileInfos ui1 ui2 in match root1,root2 with (Local,fspath1),(Local,fspath2) -> Util.convertUnixErrorsToTransient "diffing files" (fun () -> let path1 = Update.translatePathLocal fspath1 path1 in let path2 = Update.translatePathLocal fspath2 path2 in displayDiff (Fspath.concat fspath1 path1) (Fspath.concat fspath2 path2)) | (Local,fspath1),(Remote host2,fspath2) -> Util.convertUnixErrorsToTransient "diffing files" (fun () -> let path1 = Update.translatePathLocal fspath1 path1 in let (workingDir, realPath) = Fspath.findWorkingDir fspath1 path1 in let tmppath = Path.addSuffixToFinalName realPath (tempName "diff-") in Os.delete workingDir tmppath; Lwt_unix.run (Update.translatePath root2 path2 >>= (fun path2 -> Copy.file root2 path2 root1 workingDir tmppath realPath `Copy (Props.setLength Props.fileSafe (Props.length desc2)) fp2 None ress2 id) >>= fun info -> Lwt.return ()); displayDiff (Fspath.concat workingDir realPath) (Fspath.concat workingDir tmppath); Os.delete workingDir tmppath) | (Remote host1,fspath1),(Local,fspath2) -> Util.convertUnixErrorsToTransient "diffing files" (fun () -> let path2 = Update.translatePathLocal fspath2 path2 in let (workingDir, realPath) = Fspath.findWorkingDir fspath2 path2 in let tmppath = Path.addSuffixToFinalName realPath "#unisondiff-" in Lwt_unix.run (Update.translatePath root1 path1 >>= (fun path1 -> (* Note that we don't need the resource fork *) Copy.file root1 path1 root2 workingDir tmppath realPath `Copy (Props.setLength Props.fileSafe (Props.length desc1)) fp1 None ress1 id >>= fun info -> Lwt.return ())); displayDiff (Fspath.concat workingDir tmppath) (Fspath.concat workingDir realPath); Os.delete workingDir tmppath) | (Remote host1,fspath1),(Remote host2,fspath2) -> assert false (**********************************************************************) (* Taken from ocamltk/jpf/fileselect.ml *) let get_files_in_directory dir = let dirh = System.opendir dir in let files = ref [] in begin try while true do files := dirh.System.readdir () :: !files done with End_of_file -> dirh.System.closedir () end; Sort.list (<) !files let ls dir pattern = Util.convertUnixErrorsToTransient "listing files" (fun () -> let files = get_files_in_directory dir in let re = Rx.glob pattern in let rec filter l = match l with [] -> [] | hd :: tl -> if Rx.match_string re hd then hd :: filter tl else filter tl in filter files) (*********************************************************************** CALL OUT TO EXTERNAL MERGE PROGRAM ************************************************************************) let formatMergeCmd p f1 f2 backup out1 out2 outarch = if not (Globals.shouldMerge p) then raise (Util.Transient ("'merge' preference not set for "^(Path.toString p))); let raw = try Globals.mergeCmdForPath p with Not_found -> raise (Util.Transient ("'merge' preference does not provide a command " ^ "template for " ^ (Path.toString p))) in let cooked = raw in let cooked = Util.replacesubstring cooked "CURRENT1" f1 in let cooked = Util.replacesubstring cooked "CURRENT2" f2 in let cooked = match backup with None -> begin let cooked = Util.replacesubstring cooked "CURRENTARCHOPT" "" in match Util.findsubstring "CURRENTARCH" cooked with None -> cooked | Some _ -> raise (Util.Transient ("No archive found, but the 'merge' command " ^ "template expects one. (Consider enabling " ^ "'backupcurrent' for this file or using CURRENTARCHOPT " ^ "instead of CURRENTARCH.)")) end | Some(s) -> let cooked = Util.replacesubstring cooked "CURRENTARCHOPT" s in let cooked = Util.replacesubstring cooked "CURRENTARCH" s in cooked in let cooked = Util.replacesubstring cooked "NEW1" out1 in let cooked = Util.replacesubstring cooked "NEW2" out2 in let cooked = Util.replacesubstring cooked "NEWARCH" outarch in let cooked = Util.replacesubstring cooked "NEW" out1 in let cooked = Util.replacesubstring cooked "PATH" (Path.toString p) in cooked let copyBack fspathFrom pathFrom rootTo pathTo propsTo uiTo id = setupTargetPaths rootTo pathTo >>= (fun (workingDirForCopy, realPathTo, tempPathTo, localPathTo) -> let info = Fileinfo.get false fspathFrom pathFrom in let fp = Os.fingerprint fspathFrom pathFrom info in let stamp = Osx.stamp info.Fileinfo.osX in let newprops = Props.setLength propsTo (Props.length info.Fileinfo.desc) in Copy.file (Local, fspathFrom) pathFrom rootTo workingDirForCopy tempPathTo realPathTo `Copy newprops fp None stamp id >>= fun info -> rename rootTo localPathTo workingDirForCopy tempPathTo realPathTo uiTo None) let keeptempfilesaftermerge = Prefs.createBool "keeptempfilesaftermerge" false "*" "" let showStatus = function | Unix.WEXITED i -> Printf.sprintf "exited (%d)" i | Unix.WSIGNALED i -> Printf.sprintf "killed with signal %d" i | Unix.WSTOPPED i -> Printf.sprintf "stopped with signal %d" i let merge root1 path1 ui1 root2 path2 ui2 id showMergeFn = debug (fun () -> Util.msg "merge path %s between roots %s and %s\n" (Path.toString path1) (root2string root1) (root2string root2)); (* The following assumes root1 is always local: switch them if needed to make this so *) let (root1,path1,ui1,root2,path2,ui2) = match root1 with (Local,fspath1) -> (root1,path1,ui1,root2,path2,ui2) | _ -> (root2,path2,ui2,root1,path1,ui1) in let (localPath1, (workingDirForMerge, basep), fspath1) = match root1 with (Local,fspath1) -> let localPath1 = Update.translatePathLocal fspath1 path1 in (localPath1, Fspath.findWorkingDir fspath1 localPath1, fspath1) | _ -> assert false in (* We're going to be doing a lot of copying, so let's define a shorthand that fixes most of the arguments to Copy.localfile *) let copy l = Safelist.iter (fun (src,trg) -> debug (fun () -> Util.msg "Copying %s to %s\n" (Path.toString src) (Path.toString trg)); Os.delete workingDirForMerge trg; let info = Fileinfo.get false workingDirForMerge src in Copy.localFile workingDirForMerge src workingDirForMerge trg trg `Copy info.Fileinfo.desc (Osx.ressLength info.Fileinfo.osX.Osx.ressInfo) (Some id)) l in let working1 = Path.addPrefixToFinalName basep (tempName "merge1-") in let working2 = Path.addPrefixToFinalName basep (tempName "merge2-") in let workingarch = Path.addPrefixToFinalName basep (tempName "mergearch-") in let new1 = Path.addPrefixToFinalName basep (tempName "mergenew1-") in let new2 = Path.addPrefixToFinalName basep (tempName "mergenew2-") in let newarch = Path.addPrefixToFinalName basep (tempName "mergenewarch-") in let (desc1, fp1, ress1, desc2, fp2, ress2) = Common.fileInfos ui1 ui2 in Util.convertUnixErrorsToTransient "merging files" (fun () -> (* Install finalizer (below) in case we unwind the stack *) Util.finalize (fun () -> (* Make local copies of the two replicas *) Os.delete workingDirForMerge working1; Os.delete workingDirForMerge working2; Os.delete workingDirForMerge workingarch; Lwt_unix.run (Copy.file root1 localPath1 root1 workingDirForMerge working1 basep `Copy desc1 fp1 None ress1 id >>= fun info -> Lwt.return ()); Lwt_unix.run (Update.translatePath root2 path2 >>= (fun path2 -> Copy.file root2 path2 root1 workingDirForMerge working2 basep `Copy desc2 fp2 None ress2 id) >>= fun info -> Lwt.return ()); (* retrieve the archive for this file, if any *) let arch = match ui1, ui2 with | Updates (_, Previous (_,_,dig,_)), Updates (_, Previous (_,_,dig2,_)) -> if dig = dig2 then Stasher.getRecentVersion fspath1 localPath1 dig else assert false | NoUpdates, Updates(_, Previous (_,_,dig,_)) | Updates(_, Previous (_,_,dig,_)), NoUpdates -> Stasher.getRecentVersion fspath1 localPath1 dig | Updates (_, New), Updates(_, New) | Updates (_, New), NoUpdates | NoUpdates, Updates (_, New) -> debug (fun () -> Util.msg "File is new, no current version will be searched"); None | _ -> assert false in (* Make a local copy of the archive file (in case the merge program overwrites it and the program crashes before the call to the Stasher). *) begin match arch with Some fspath -> let info = Fileinfo.get false fspath Path.empty in Copy.localFile fspath Path.empty workingDirForMerge workingarch workingarch `Copy info.Fileinfo.desc (Osx.ressLength info.Fileinfo.osX.Osx.ressInfo) None | None -> () end; (* run the merge command *) Os.delete workingDirForMerge new1; Os.delete workingDirForMerge new2; Os.delete workingDirForMerge newarch; let info1 = Fileinfo.get false workingDirForMerge working1 in (* FIX: Why split out the parts of the pair? Why is it not abstract anyway??? *) let dig1 = Os.fingerprint workingDirForMerge working1 info1 in let info2 = Fileinfo.get false workingDirForMerge working2 in let dig2 = Os.fingerprint workingDirForMerge working2 info2 in let cmd = formatMergeCmd path1 (Fspath.quotes (Fspath.concat workingDirForMerge working1)) (Fspath.quotes (Fspath.concat workingDirForMerge working2)) (match arch with None -> None | Some f -> Some(Fspath.quotes f)) (Fspath.quotes (Fspath.concat workingDirForMerge new1)) (Fspath.quotes (Fspath.concat workingDirForMerge new2)) (Fspath.quotes (Fspath.concat workingDirForMerge newarch)) in Trace.log (Printf.sprintf "Merge command: %s\n" cmd); let returnValue, mergeResultLog = Lwt_unix.run (External.runExternalProgram cmd) in Trace.log (Printf.sprintf "Merge result (%s):\n%s\n" (showStatus returnValue) mergeResultLog); debug (fun () -> Util.msg "Merge result = %s\n" (showStatus returnValue)); (* This query to the user probably belongs below, after we've gone through all the logic that might raise exceptions in various conditions. But it has the side effect of *displaying* the results of the merge (or putting them in a "details" area), so we don't want to skip doing it if we raise one of these exceptions. Better might be to split out the displaying from the querying... *) if not (showMergeFn (Printf.sprintf "Results of merging %s" (Path.toString path1)) mergeResultLog) then raise (Util.Transient ("Merge command canceled by the user")); (* It's useful for now to be a bit verbose about what we're doing, but let's keep it easy to switch this to debug-only in some later release... *) let say f = f() in (* Check which files got created by the merge command and do something appropriate with them *) debug (fun()-> Util.msg "New file 1 = %s\n" (Fspath.toDebugString (Fspath.concat workingDirForMerge new1))); let new1exists = Fs.file_exists (Fspath.concat workingDirForMerge new1) in let new2exists = Fs.file_exists (Fspath.concat workingDirForMerge new2) in let newarchexists = Fs.file_exists (Fspath.concat workingDirForMerge newarch) in if new1exists && new2exists then begin if newarchexists then say (fun () -> Util.msg "Three outputs detected \n") else say (fun () -> Util.msg "Two outputs detected \n"); let info1 = Fileinfo.get false workingDirForMerge new1 in let info2 = Fileinfo.get false workingDirForMerge new2 in let dig1' = Os.fingerprint workingDirForMerge new1 info1 in let dig2' = Os.fingerprint workingDirForMerge new2 info2 in if dig1'=dig2' then begin debug (fun () -> Util.msg "Two outputs equal => update the archive\n"); copy [(new1,working1); (new2,working2); (new1,workingarch)]; end else if returnValue = Unix.WEXITED 0 then begin say (fun () -> (Util.msg "Two outputs not equal but merge command returned 0, so we will\n"; Util.msg "overwrite the other replica and the archive with the first output\n")); copy [(new1,working1); (new1,working2); (new1,workingarch)]; end else begin say (fun () -> (Util.msg "Two outputs not equal and the merge command exited with nonzero status, \n"; Util.msg "so we will copy back the new files but not update the archive\n")); copy [(new1,working1); (new2,working2)]; end end else if new1exists && (not new2exists) && (not newarchexists) then begin if returnValue = Unix.WEXITED 0 then begin say (fun () -> Util.msg "One output detected \n"); copy [(new1,working1); (new1,working2); (new1,workingarch)]; end else begin say (fun () -> Util.msg "One output detected but merge command returned nonzero exit status\n"); raise (Util.Transient "One output detected but merge command returned nonzero exit status\n") end end else if (not new1exists) && new2exists && (not newarchexists) then begin assert false end else if (not new1exists) && (not new2exists) && (not newarchexists) then begin say (fun () -> Util.msg "No outputs detected \n"); let working1_still_exists = Fs.file_exists (Fspath.concat workingDirForMerge working1) in let working2_still_exists = Fs.file_exists (Fspath.concat workingDirForMerge working2) in if working1_still_exists && working2_still_exists then begin say (fun () -> Util.msg "No output from merge cmd and both original files are still present\n"); let info1' = Fileinfo.get false workingDirForMerge working1 in let dig1' = Os.fingerprint workingDirForMerge working1 info1' in let info2' = Fileinfo.get false workingDirForMerge working2 in let dig2' = Os.fingerprint workingDirForMerge working2 info2' in if dig1 = dig1' && dig2 = dig2' then raise (Util.Transient "Merge program didn't change either temp file"); if dig1' = dig2' then begin say (fun () -> Util.msg "Merge program made files equal\n"); copy [(working1,workingarch)]; end else if dig2 = dig2' then begin say (fun () -> Util.msg "Merge program changed just first input\n"); copy [(working1,working2);(working1,workingarch)] end else if dig1 = dig1' then begin say (fun () -> Util.msg "Merge program changed just second input\n"); copy [(working2,working1);(working2,workingarch)] end else if returnValue <> Unix.WEXITED 0 then raise (Util.Transient ("Error: the merge function changed both of " ^ "its inputs but did not make them equal")) else begin say (fun () -> (Util.msg "Merge program changed both of its inputs in"; Util.msg "different ways, but returned zero.\n")); (* Note that we assume the merge program knew what it was doing when it returned 0 -- i.e., we assume a zero result means that the files are "morally equal" and either can be replaced by the other; we therefore choose one of them (#2) as the unique new result, so that we can update Unison's archive and call the file 'in sync' again. *) copy [(working2,working1);(working2,workingarch)]; end end else if working1_still_exists && (not working2_still_exists) && returnValue = Unix.WEXITED 0 then begin say (fun () -> Util.msg "No outputs and second replica has been deleted \n"); copy [(working1,working2); (working1,workingarch)]; end else if (not working1_still_exists) && working2_still_exists && returnValue = Unix.WEXITED 0 then begin say (fun () -> Util.msg "No outputs and first replica has been deleted \n"); copy [(working2,working1); (working2,workingarch)]; end else if returnValue = Unix.WEXITED 0 then begin raise (Util.Transient ("Error: the merge program deleted both of its " ^ "inputs and generated no output!")) end else begin say (fun() -> Util.msg "The merge program exited with nonzero status and did not leave"; Util.msg " both files equal"); raise (Util.Transient ("Error: the merge program failed and did not leave" ^ " both files equal")) end end else begin assert false end; Lwt_unix.run (debug (fun () -> Util.msg "Committing results of merge\n"); copyBack workingDirForMerge working1 root1 path1 desc1 ui1 id >>= (fun () -> copyBack workingDirForMerge working2 root2 path2 desc2 ui2 id >>= (fun () -> let arch_fspath = Fspath.concat workingDirForMerge workingarch in if Fs.file_exists arch_fspath then begin debug (fun () -> Util.msg "Updating unison archives for %s to reflect results of merge\n" (Path.toString path1)); if not (Stasher.shouldBackupCurrent path1) then Util.msg "Warning: 'backupcurrent' is not set for path %s\n" (Path.toString path1); Stasher.stashCurrentVersion workingDirForMerge localPath1 (Some workingarch); let infoarch = Fileinfo.get false workingDirForMerge workingarch in let dig = Os.fingerprint arch_fspath Path.empty infoarch in debug (fun () -> Util.msg "New digest is %s\n" (Os.fullfingerprint_to_string dig)); let new_archive_entry = Update.ArchiveFile (Props.get (Fs.stat arch_fspath) infoarch.osX, dig, Fileinfo.stamp (Fileinfo.get true arch_fspath Path.empty), Osx.stamp infoarch.osX) in Update.replaceArchive root1 path1 new_archive_entry >>= fun _ -> Update.replaceArchive root2 path2 new_archive_entry >>= fun _ -> Lwt.return () end else (Lwt.return ()) )))) ) (fun _ -> Util.ignoreTransientErrors (fun () -> if not (Prefs.read keeptempfilesaftermerge) then begin Os.delete workingDirForMerge working1; Os.delete workingDirForMerge working2; Os.delete workingDirForMerge workingarch; Os.delete workingDirForMerge new1; Os.delete workingDirForMerge new2; Os.delete workingDirForMerge newarch end)) unison-2.40.102/fpcache.mli0000644006131600613160000000162011361646373015502 0ustar bcpiercebcpierce(* Unison file synchronizer: src/fpcache.mli *) (* Copyright 1999-2010, Benjamin C. Pierce (see COPYING for details) *) (* Initialize the cache *) val init : bool -> System.fspath -> unit (* Close the cache file and clear the in-memory cache *) val finish : unit -> unit (* Get the fingerprint of a file, possibly from the cache *) val fingerprint : bool -> Fspath.t -> Path.local -> Fileinfo.t -> Os.fullfingerprint option -> Props.t * Os.fullfingerprint * Fileinfo.stamp * Osx.ressStamp (* Add an entry to the cache *) val save : Path.local -> Props.t * Os.fullfingerprint * Fileinfo.stamp * Osx.ressStamp -> unit (****) val dataClearlyUnchanged : bool -> Path.local -> Fileinfo.t -> Props.t -> Fileinfo.stamp -> bool val ressClearlyUnchanged : bool -> Fileinfo.t -> 'a Osx.ressInfo -> bool -> bool (* Is that a file for which fast checking is disabled? *) val excelFile : Path.local -> bool unison-2.40.102/common.mli0000644006131600613160000001261211361646373015404 0ustar bcpiercebcpierce(* Unison file synchronizer: src/common.mli *) (* Copyright 1999-2009, Benjamin C. Pierce (see COPYING for details) *) (***************************************************************************) (* COMMON TYPES USED BY ALL MODULES *) (***************************************************************************) type hostname = string (* "Canonized" names of hosts *) type host = Local | Remote of string (* Roots for replicas (this is the type that is used by most of the code) *) type root = host * Fspath.t val root2string : root -> string (* Give a printable hostname from a root (local prints as "local") *) val root2hostname : root -> hostname val compareRoots : root -> root -> int val sortRoots : root list -> root list (* Note, local roots come before remote roots *) (* There are a number of functions in several modules that accept or return lists containing one element for each path-to-be-synchronized specified by the user using the -path option. This type constructor is used instead of list, to help document their behavior -- in particular, allowing us to write 'blah list list' as 'blah list oneperpath' in a few places. *) type 'a oneperpath = ONEPERPATH of 'a list (*****************************************************************************) (* COMMON TYPES USED BY UPDATE MODULE AND RECONCILER *) (*****************************************************************************) (* An updateItem describes the difference between the current state of the filesystem below a given path and the state recorded in the archive below that path. The other types are helpers. *) type prevState = Previous of Fileinfo.typ * Props.t * Os.fullfingerprint * Osx.ressStamp | New type contentschange = ContentsSame | ContentsUpdated of Os.fullfingerprint * Fileinfo.stamp * Osx.ressStamp type permchange = PropsSame | PropsUpdated (* Variable name prefix: "ui" *) type updateItem = NoUpdates (* Path not changed *) | Updates (* Path changed in this replica *) of updateContent (* - new state *) * prevState (* - summary of old state *) | Error (* Error while detecting updates *) of string (* - description of error *) (* Variable name prefix: "uc" *) and updateContent = Absent (* Path refers to nothing *) | File (* Path refers to an ordinary file *) of Props.t (* - summary of current state *) * contentschange (* - hint to transport agent *) | Dir (* Path refers to a directory *) of Props.t (* - summary of current state *) * (Name.t * updateItem) list (* - children MUST KEEP SORTED for recon *) * permchange (* - did permissions change? *) * bool (* - is the directory now empty? *) | Symlink (* Path refers to a symbolic link *) of string (* - link text *) (*****************************************************************************) (* COMMON TYPES SHARED BY RECONCILER AND TRANSPORT AGENT *) (*****************************************************************************) type status = [ `Deleted | `Modified | `PropsChanged | `Created | `Unchanged ] (* Variable name prefix: "rc" *) type replicaContent = { typ : Fileinfo.typ; status : status; desc : Props.t; (* Properties (for the UI) *) ui : updateItem; size : int * Uutil.Filesize.t; (* Number of items and size *) props : Props.t list } (* Parent properties *) type direction = Conflict | Merge | Replica1ToReplica2 | Replica2ToReplica1 val direction2string : direction -> string type difference = { rc1 : replicaContent; (* - content of first replica *) rc2 : replicaContent; (* - content of second replica *) errors1 : string list; (* - deep errors in first replica *) errors2 : string list; (* - deep errors in second replica *) mutable direction : direction; (* - action to take (it's mutable so that the user interface can change it) *) default_direction : direction } (* - default action to take *) (* Variable name prefix: "rplc" *) type replicas = Problem of string (* There was a problem during update detection *) | Different of difference (* Replicas differ *) (* Variable name prefix: "ri" *) type reconItem = {path1 : Path.t; path2 : Path.t; replicas : replicas} val ucLength : updateContent -> Uutil.Filesize.t val uiLength : updateItem -> Uutil.Filesize.t val riLength : reconItem -> Uutil.Filesize.t val riFileType : reconItem -> string val fileInfos : updateItem -> updateItem -> Props.t * Os.fullfingerprint * Osx.ressStamp * Props.t * Os.fullfingerprint * Osx.ressStamp (* True if the ri's type is Problem or if it is Different and the direction is Conflict *) val problematic : reconItem -> bool (* True if the ri is problematic or if it has some deep errors in a directory *) val partiallyProblematic : reconItem -> bool val isDeletion : reconItem -> bool unison-2.40.102/uimacnew/0000755006131600613160000000000012050210657015203 5ustar bcpiercebcpierceunison-2.40.102/uimacnew/ImageAndTextCell.m0000644006131600613160000001234411361646373020513 0ustar bcpiercebcpierce/* ImageAndTextCell.m Copyright (c) 2001-2004, Apple Computer, Inc., all rights reserved. Author: Chuck Pisula Milestones: Initially created 3/1/01 Subclass of NSTextFieldCell which can display text and an image simultaneously. */ /* IMPORTANT: This Apple software is supplied to you by Apple Computer, Inc. ("Apple") in consideration of your agreement to the following terms, and your use, installation, modification or redistribution of this Apple software constitutes acceptance of these terms. If you do not agree with these terms, please do not use, install, modify or redistribute this Apple software. In consideration of your agreement to abide by the following terms, and subject to these terms, Apple grants you a personal, non-exclusive license, under Apples copyrights in this original Apple software (the "Apple Software"), to use, reproduce, modify and redistribute the Apple Software, with or without modifications, in source and/or binary forms; provided that if you redistribute the Apple Software in its entirety and without modifications, you must retain this notice and the following text and disclaimers in all such redistributions of the Apple Software. Neither the name, trademarks, service marks or logos of Apple Computer, Inc. may be used to endorse or promote products derived from the Apple Software without specific prior written permission from Apple. Except as expressly stated in this notice, no other rights or licenses, express or implied, are granted by Apple herein, including but not limited to any patent rights that may be infringed by your derivative works or by other works in which the Apple Software may be incorporated. The Apple Software is provided by Apple on an "AS IS" basis. APPLE MAKES NO WARRANTIES, EXPRESS OR IMPLIED, INCLUDING WITHOUT LIMITATION THE IMPLIED WARRANTIES OF NON-INFRINGEMENT, MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE, REGARDING THE APPLE SOFTWARE OR ITS USE AND OPERATION ALONE OR IN COMBINATION WITH YOUR PRODUCTS. IN NO EVENT SHALL APPLE BE LIABLE FOR ANY SPECIAL, INDIRECT, INCIDENTAL OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) ARISING IN ANY WAY OUT OF THE USE, REPRODUCTION, MODIFICATION AND/OR DISTRIBUTION OF THE APPLE SOFTWARE, HOWEVER CAUSED AND WHETHER UNDER THEORY OF CONTRACT, TORT (INCLUDING NEGLIGENCE), STRICT LIABILITY OR OTHERWISE, EVEN IF APPLE HAS BEEN ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. */ #import "ImageAndTextCell.h" @implementation ImageAndTextCell - (void)dealloc { [image release]; image = nil; [super dealloc]; } - copyWithZone:(NSZone *)zone { ImageAndTextCell *cell = (ImageAndTextCell *)[super copyWithZone:zone]; cell->image = [image retain]; return cell; } - (void)setImage:(NSImage *)anImage { if (anImage != image) { [image release]; image = [anImage retain]; } } - (NSImage *)image { return image; } - (NSRect)imageFrameForCellFrame:(NSRect)cellFrame { if (image != nil) { NSRect imageFrame; imageFrame.size = [image size]; imageFrame.origin = cellFrame.origin; imageFrame.origin.x += 3; imageFrame.origin.y += ceil((cellFrame.size.height - imageFrame.size.height) / 2); return imageFrame; } else return NSZeroRect; } - (void)editWithFrame:(NSRect)aRect inView:(NSView *)controlView editor:(NSText *)textObj delegate:(id)anObject event:(NSEvent *)theEvent { NSRect textFrame, imageFrame; NSDivideRect (aRect, &imageFrame, &textFrame, 3 + [image size].width, NSMinXEdge); [super editWithFrame: textFrame inView: controlView editor:textObj delegate:anObject event: theEvent]; } #if MAC_OS_X_VERSION_MAX_ALLOWED < MAC_OS_X_VERSION_10_5 typedef int NSInteger; #endif - (void)selectWithFrame:(NSRect)aRect inView:(NSView *)controlView editor:(NSText *)textObj delegate:(id)anObject start:(NSInteger)selStart length:(NSInteger)selLength { NSRect textFrame, imageFrame; NSDivideRect (aRect, &imageFrame, &textFrame, 3 + [image size].width, NSMinXEdge); [super selectWithFrame: textFrame inView: controlView editor:textObj delegate:anObject start:selStart length:selLength]; } - (void)drawWithFrame:(NSRect)cellFrame inView:(NSView *)controlView { if (image != nil) { NSSize imageSize; NSRect imageFrame; imageSize = [image size]; NSDivideRect(cellFrame, &imageFrame, &cellFrame, 3 + imageSize.width, NSMinXEdge); if ([self drawsBackground]) { [[self backgroundColor] set]; NSRectFill(imageFrame); } imageFrame.origin.x += 3; imageFrame.size = imageSize; if ([controlView isFlipped]) imageFrame.origin.y += ceil((cellFrame.size.height + imageFrame.size.height) / 2); else imageFrame.origin.y += ceil((cellFrame.size.height - imageFrame.size.height) / 2); [image compositeToPoint:imageFrame.origin operation:NSCompositeSourceOver]; } [super drawWithFrame:cellFrame inView:controlView]; } - (NSSize)cellSize { NSSize cellSize = [super cellSize]; cellSize.width += (image ? [image size].width : 0) + 3; return cellSize; } @end unison-2.40.102/uimacnew/ReconTableView.m0000644006131600613160000001613311361646373020252 0ustar bcpiercebcpierce// // ReconTableView.m // Unison // // Created by Trevor Jim on Wed Aug 27 2003. // Copyright (c) 2003. See file COPYING for details. // #import "ReconTableView.h" #import "ReconItem.h" #import "MyController.h" @implementation NSOutlineView (_UnisonExtras) - (NSArray *)selectedObjects { NSMutableArray *result = [NSMutableArray array]; NSIndexSet *set = [self selectedRowIndexes]; NSUInteger index = [set firstIndex]; while (index != NSNotFound) { [result addObject:[self itemAtRow:index]]; index = [set indexGreaterThanIndex: index]; } return result; } - (void)setSelectedObjects:(NSArray *)selectedObjects { NSMutableIndexSet *set = [NSMutableIndexSet indexSet]; int i = [selectedObjects count]; while (i--) { int index = [self rowForItem:[selectedObjects objectAtIndex:i]]; if (index >= 0) [set addIndex:index]; } [self selectRowIndexes:set byExtendingSelection:NO]; } - (NSEnumerator *)selectedObjectEnumerator { return [[self selectedObjects] objectEnumerator]; } - (int)rowCapacityWithoutScrolling { float bodyHeight = [self visibleRect].size.height; bodyHeight -= [[self headerView] visibleRect].size.height; return bodyHeight / ([self rowHeight] + 2.0); } - (BOOL)_canAcceptRowCountWithoutScrolling:(int)rows { return ([self numberOfRows] + rows) <= [self rowCapacityWithoutScrolling]; } - (BOOL)_expandChildrenIfSpace:(id)parent level:(int)level { BOOL didExpand = NO; id dataSource = [self dataSource]; int count = [dataSource outlineView:self numberOfChildrenOfItem:parent]; if (level == 0) { if (count && ([self isItemExpanded:parent] || [self _canAcceptRowCountWithoutScrolling:count])) { [self expandItem:parent expandChildren:NO]; didExpand = YES; } } else { // try expanding each of our children. If all expand, then return YES, // indicating that it may be worth trying the next level int i; for (i=0; i < count; i++) { id child = [dataSource outlineView:self child:i ofItem:parent]; didExpand = [self _expandChildrenIfSpace:child level:level-1] || didExpand; } } return didExpand; } - (void)expandChildrenIfSpace { int level = 1; while ([self _expandChildrenIfSpace:nil level:level]) level++; } @end @implementation ReconTableView - (BOOL)editable { return editable; } - (void)setEditable:(BOOL)x { editable = x; } - (BOOL)validateItem:(IBAction *) action { if (action == @selector(selectAll:) || action == @selector(selectConflicts:) || action == @selector(copyLR:) || action == @selector(copyRL:) || action == @selector(leaveAlone:) || action == @selector(forceNewer:) || action == @selector(forceOlder:) || action == @selector(revert:) || action == @selector(ignorePath:) || action == @selector(ignoreExt:) || action == @selector(ignoreName:)) return editable; else if (action == @selector(merge:)) { if (!editable) return NO; else return [self canDiffSelection]; } else if (action == @selector(showDiff:)) { if ((!editable) || (!([self numberOfSelectedRows]==1))) return NO; else return [self canDiffSelection]; } else return YES; } - (BOOL)validateMenuItem:(NSMenuItem *)menuItem { return [self validateItem:[menuItem action]]; } - (BOOL)validateToolbarItem:(NSToolbarItem *)toolbarItem { return [self validateItem:[toolbarItem action]]; } - (void)doIgnore:(unichar)c { NSEnumerator *e = [self selectedObjectEnumerator]; ReconItem *item, *last = nil; while (item = [e nextObject]) { [item doIgnore:c]; last = item; } if (last) { // something was selected MyController* controller = (MyController*) [self dataSource]; last = [controller updateForIgnore:last]; [self selectRowIndexes:[NSIndexSet indexSetWithIndex:[self rowForItem:last]] byExtendingSelection:NO]; [self reloadData]; } } - (IBAction)ignorePath:(id)sender { [self doIgnore:'I']; } - (IBAction)ignoreExt:(id)sender { [self doIgnore:'E']; } - (IBAction)ignoreName:(id)sender { [self doIgnore:'N']; } - (void)doAction:(unichar)c { int numSelected = 0; NSEnumerator *e = [self selectedObjectEnumerator]; ReconItem *item, *last = nil; while (item = [e nextObject]) { numSelected++; [item doAction:c]; last = item; } if (numSelected>0) { int nextRow = [self rowForItem:last] + 1; if (numSelected == 1 && [self numberOfRows] > nextRow && c!='d') { // Move to next row, unless already at last row, or if more than one row selected [self selectRowIndexes:[NSIndexSet indexSetWithIndex:nextRow] byExtendingSelection:NO]; [self scrollRowToVisible:nextRow]; } [self reloadData]; } } - (IBAction)copyLR:(id)sender { [self doAction:'>']; } - (IBAction)copyRL:(id)sender { [self doAction:'<']; } - (IBAction)leaveAlone:(id)sender { [self doAction:'/']; } - (IBAction)forceOlder:(id)sender { [self doAction:'-']; } - (IBAction)forceNewer:(id)sender { [self doAction:'+']; } - (IBAction)selectConflicts:(id)sender { [self deselectAll:self]; MyController* controller = (MyController*) [self dataSource]; NSMutableArray *reconItems = [controller reconItems]; int i = 0; for (; i < [reconItems count]; i++) { ReconItem *item = [reconItems objectAtIndex:i]; if ([item isConflict]) [self selectRowIndexes:[NSIndexSet indexSetWithIndex:[self rowForItem:item]] byExtendingSelection:YES]; } } - (IBAction)revert:(id)sender { [self doAction:'R']; } - (IBAction)merge:(id)sender { [self doAction:'m']; } - (IBAction)showDiff:(id)sender { [self doAction:'d']; } /* There are menu commands for these, but we add some shortcuts so you don't have to press the Command key */ - (void)keyDown:(NSEvent *)event { /* some keys return zero-length strings */ if ([[event characters] length] == 0) { [super keyDown:event]; return; } /* actions are disabled when when menu items are */ if (!editable) { [super keyDown:event]; return; } unichar c = [[event characters] characterAtIndex:0]; switch (c) { case '>': case NSRightArrowFunctionKey: [self doAction:'>']; break; case '<': case NSLeftArrowFunctionKey: [self doAction:'<']; break; case '?': case '/': [self doAction:'/']; break; default: [super keyDown:event]; break; } } - (BOOL)canDiffSelection { BOOL canDiff = YES; NSEnumerator *e = [self selectedObjectEnumerator]; ReconItem *item; while (item = [e nextObject]) { if (![item canDiff]) canDiff= NO; } return canDiff; } /* Override default highlight colour because it's hard to see the conflict/resolution icons */ - (id)_highlightColorForCell:(NSCell *)cell { if(([[self window] firstResponder] == self) && [[self window] isMainWindow] && [[self window] isKeyWindow]) return [NSColor colorWithCalibratedRed:0.7 green:0.75 blue:0.8 alpha:1.0]; else return [NSColor colorWithCalibratedRed:0.8 green:0.8 blue:0.8 alpha:1.0]; } @end unison-2.40.102/uimacnew/toolbar/0000755006131600613160000000000012050210657016645 5ustar bcpiercebcpierceunison-2.40.102/uimacnew/toolbar/right.tif0000644006131600613160000001256211361646373020510 0ustar bcpiercebcpierceMM*&FO6^@_AaB`A]@Y=E0$F:'hjI\?Z=qM^fgaxR_AW<Z>1"f2rNeFtPzٔߘۖۖޘܗ[`B`B 0"R_nL}֓nc^^cnՒƈ{UoL(OQc\ӑڕ}`zSwQxRySySxRwQzT`}ؔڕiYM /jdהҐnXX[[[[[[[[XXoяܖpY ,}VʘiяҐl\````````````\mяؔphG,fuؔtadddddeedddddddauՒ͌q(baرzؓgiiiiiiglliiiiiiigؔXEŇӑtlmmmmmq}V9'^tpmmmmmktҐ΍|AT9ѐƈpqqqqqqwX Q8lxsqqqqpLjՑĆK3]ƈԑsuux}}}bjHv{uuusՒˋVtʊӑxy|_Y=Y=Y=]@F0(Z~|xxӑ͍p̌Ґ{|bC5$i{ҏЎώҏ~ŇeE;)m~яҐxҐҐĆÆgbCcCcCgFM4. aLjÅÆЎӑt^֓ЎLjLj͌͌͌֒n|UĆˋ…ƈ̌ד[Q7ۖ̋ÅƇćŇŇŇŇŇ͌h eEЏƈĆŇŇŇƇĆˋۖM5DדЏɉȉljljljljljΎlK4xԑˋLjljljljljljɉЎד?hڕ΍ʊʊʊʊʊʊȉяЎʊʊʊʊʊʊʊ΍ەf(dݗЎoƇώ̌̌̌̌̌͌͌̌̌̌̌̌̌̌ώLjoύݗ$`\ޘďҐ΍΍΍΍΍΍΍΍΍΍΍΍ҐΌeߙW ,ۖyZĆؔЏώЎЎЎЎЎЎώЏؔƇ[xݗ)Nӑܖ{rNjҐۖ֓ӐҐҐӐ֒ۖӑlrNyݗˋJ'OޘɉZfF\wĆ͌͌Ňx]fFXȉߘK /^ۖޘ…akI_A^@^@_AjH`ߘܖ] ,"&6%}i דޘӑʊʊӑޘؔg0!{ #11333327"&hV;] ʫuῃᅡt^ U: &h263333.. ))&&     3(1:$2^LR./right.tif% % ImageMagick 6.1.8 04/01/06 Q16 http://www.imagemagick.org2006:03:24 23:56:45unison-2.40.102/uimacnew/toolbar/rescan.tif0000644006131600613160000001261011361646373020640 0ustar bcpiercebcpierceMM*&FO6^@_AaB`A]@Y=E0$F:'hjI\?Z=qM^fgaxR_AW<Z>1"f2rNeFtPzٔߘۖۖޘܗ[`B`B 0"R_nL}֓nc^^cnՒƈ{UoL(OQc\ӑڕ}`zSwQxRySySxRwQzT`}ؔڕiYM /jdהҐnXX[[]^^][[XXoяܖpY ,}VʘiяҐl\``ddZvQvQZdd`_\mяؔphG,fuؔtadejqM1"  2"qMjedauՒ͌q(baرzؓgijlJ2K3ljigؔXEŇӑtlmsN6 1"1! O6smktҐ΍|AT9ѐƈpqvWT:mvvlS9YvqpLjՑĆK3]ƈԑsuz7&V;~wuux~S9;(zusՒˋWtʊӑx{q  t{yyyx}y x~wӑ͍p̌Ґ{h7&||||XI2 >*nK~ҏЎώҏ~k8&…s bяҐxҐҐĆz |…ȉ_jIʊÆЎӑt^֓ЎLj…ʊ?,_Aяƈ…„͌[>7&LjÆƈ̌ד[Q7ۖ̋ÅƇĆ͌haB͌LjĆĆȉ?+rˋĆƇĆˋۖM5DדЏȉȉȉҐeE8&v͌ljLjʊljʊLjljɉЎד?hڕ΍ʊ̌яfEnӐʊʊʊ̋ʊʊ΍ەf(dݗЎoƇώ̌΍דmI2qԑ̌̌̌̌̌ώLjoύݗ$`\ޘďҐ΍΍֓דĆzljώ΍΍΍΍ҐΌeߙW ,ۖyZĆؔЏώЎӐՒяώЎώЏؔƇ[xݗ)NҐܖ{rNjҐۖ֓ӐҐҐӐ֒ۖӑlrNyݗˋJ(OޘɉZfF\wĆ͌͌Ňx]fFXȉߘK /]ۖޘ…akI_A^@^A_AjH`ߘۖ\ ,"&6%}i דޘӑʊʊӑޘؔg2"{ #11333327"&hV;] ʫuῂᅢt] W;!&h263333.. ))&&    !3*2(1::2tLR../final-smallerfiles/rescan.tif% % ImageMagick 6.1.8 04/01/06 Q16 http://www.imagemagick.org2006:04:04 22:31:24unison-2.40.102/uimacnew/toolbar/left.tif0000644006131600613160000001256211361646373020325 0ustar bcpiercebcpierceMM*&FO6^@_AaB`A]@Y=E0$F:'hjI\?Z=qM^fgaxR_AW<Z>1"f2rNeFtPzٔߘۖۖޘܗ[`B`B 0"R_nL}֓nc^^cnՒƈ{UoL(OQc\ӑڕ}`zSwQxRySySxRwQzT`}ؔڕiYM /jdהҐnXX[[[[[[[[XXoяܖpY ,}VʘiяҐl\````````````\mяؔphG,fuؔtaddddddddedddddauՒ͌q(baرzؓgiiiiiiijnihiiiiigؔXEŇӑtlmmmmmnsn[>I2qmmmmmktҐ΍|AT9ѐƈpqqqqqvwzS%6$wqqqqqqpLjՑĆK3]ƈԑsuuux|c:'@+}}}|uusՒˋWtʊӑxyyqQ8]@Y=Y=Y=gFwyxӑ͍p̌Ґ{}|cD  y}{ҏЎώҏ~~jI  |~яҐxҐҐĆɉyZ> "gGcCcCbCqMÆЎӑt^֓ЎLjƇ͌rD/H1ד͌͌͌ˋ…ƈ̌ד[Q7ۖ̋ÅƇćŇŇĆĆ̋͌e0 ?+΍ŇŇŇŇŇŇƇĆˋۖM5DדЏɉȉljljljljLjȉяʊvQ_@͌ljljljljljljɉЎד?hڕ΍ʊʊʊʊʊʊʊ̋ԑʊʊʊʊʊʊʊ΍ەf(dݗЎoƇώ͍̌̌̌̌̌̌̌̌̌̌̌̌̌ώLjoύݗ$`\ޘďҐ΍΍΍΍΍΍΍΍΍΍΍΍ҐΌeߙW ,ۖyZĆؔЏώЎЎЎЎЎЎώЏؔƇ[xݗ)Nӑܖ{rNjҐۖ֓ӐҐҐӐ֒ۖӑlrNyݗˋJ'OޘɉZfF\wĆ͌͌Ňx]fFXȉߘK /^ۖޘ…akI_A^@^@_AjH`ߘܖ] ,"&6%}i דޘӑʊʊӑޘؔg0!{ #11333327"&hV;] ʫuῃᅡt^ U: &h263333.. ))&&     3(1:$2^LR./left.tif% % ImageMagick 6.1.8 04/01/06 Q16 http://www.imagemagick.org2006:03:24 23:55:51unison-2.40.102/uimacnew/toolbar/diff.tif0000644006131600613160000001256211361646373020303 0ustar bcpiercebcpierceMM*&FO6^@_AaB`A]@Y=E0$F:'hjI\?Z=qM^fgaxR_AW<Z>1"f2rNeFtPzٔߘۖۖޘܗ[`B`B 0"R_nL}֓nc^^cnՒƈ{UoL(OQc\ӑڕ}`zSwQxRySySxRwQzT`}ؔڕiYM /jdהҐnXZ_a`][[[[XXoяܖpY ,}VʘiяҐl\d[cDS9^@Wea````\mяؔphG,fuؔtajeE R8heddddauՒ͌q(baرzؓgnmJ8&Z=C.R8niiiiigؔXEŇӑtmkiHutvX `pmmmmktҐ΍|AT9ѐƈpvX/ xrqq{O6dExqqqqqpLjՑĆK3]ƈԑs{vQL4}uuu|qMU;|uuuuusՒˋWtʊӑx}^0!yyyS9kJyyyyyxӑ͍p̌Ґ{}{sO……Æa  r|||||{ҏЎώҏ~…]=*fFJ3 fŇ~яҐxҐҐĆLj\ jȉÆЎӑt^֓ЎLjˋbyS]~tp̌ƈ̌ד[Q7ۖ̋ÅƇćŇŇĆLj͌ώ΍ȉώruύĆŇƇĆˋۖM5DדЏɉȉljljljljljljljljLjӐr zώLjɉЎד?hڕ΍ʊʊʊʊʊʊʊʊʊʊ֒n Ґەf(dݗЎoƇώ̌̌̌̌̌̌̌̌̌̌ٔl >+ȉʊoύݗ$`\ޘďҐ΍΍΍΍΍΍΍΍΍΍֓tˋҐeߙW ,ۖyZĆؔЏώЎЎЎЎЎЎώЎߙȉZxݗ)Nӑܖ{rNjҐۖ֓ӐҐҐӐ֒ۖӑlrNyݗˋJ'OޘɉZfF\wĆ͌͌Ňx]fFXȉߘK /^ۖޘ…akI_A^@^@_AjH`ߘܖ] ,"&6%}i דޘӑʊʊӑޘؔg0!{ #11333327"&hV;] ʫuῃᅡt^ U: &h263333.. ))&&     3(1:$2^LR./diff.tif% % ImageMagick 6.1.8 04/01/06 Q16 http://www.imagemagick.org2006:03:25 21:56:38unison-2.40.102/uimacnew/toolbar/add.tif0000644006131600613160000001256011361646373020121 0ustar bcpiercebcpierceMM*&FO6^@_AaB`A]@Y=E0$F:'hjI\?Z=qM^fgaxR_AW<Z>1"f2rNeFtPzٔߘۖۖޘܗ[`B`B 0"R_nL}֓nc^^cnՒƈ{UoL(OQc\ӑڕ}`zSwQxRySySxRwQzT`}ؔڕiYM /jdהҐnXX[[[[[[[[XXoяܖpY ,}VʘiяҐl\````adda````\mяؔphG,fuؔtaddddhpM,,oLhddddauՒ͌q(baرzؓgiiiiiocDbCoiiiiigؔXEŇӑtlmmmmmsjHiGsmmmmmktҐ΍|AT9ѐƈpqqqqqqwnKmJwqqqqqqpLjՑĆK3]ƈԑsuuy{{{wRvQ{{{yuusՒˋWtʊӑxyz\tOtOtOzSM4L4zStOtOtO]zyxӑ͍p̌Ґ{|2"6%|{ҏЎώҏ~„3#7%…~яҐxҐҐĆc|U}U}UZR8R8Z}U}U|UdÆЎӑt^֓ЎLjȉˋˋˋ֓\[֓ˋˋˋȉƈ̌ד[Q7ۖ̋ÅƇćŇŇŇŇŇώYXώŇŇŇŇŇŇƇĆˋۖM5DדЏɉȉljljljljljҐZZҐljljljljljljɉЎד?hڕ΍ʊʊʊʊʊ֒YX֒ʊʊʊʊʊ΍ەf(dݗЎoƇώ̌̌̌̌ԑlC.C.lԑ̌̌̌̌ώLjoύݗ$`\ޘďҐ΍΍΍΍яדדя΍΍΍΍ҐΌeߙW ,ۖyZĆؔЏώЎЎЎЎЎЎώЏؔƇ[xݗ)Nӑܖ{rNjҐۖ֓ӐҐҐӐ֒ۖӑlrNyݗˋJ'OޘɉZfF\wĆ͌͌Ňx]fFXȉߘK /^ۖޘ…akI_A^@^@_AjH`ߘܖ] ,"&6%}i דޘӑʊʊӑޘؔg0!{ #11333327"&hV;] ʫuῃᅡt^ U: &h263333.. ))&&     3(1:"2\LR./add.tif% % ImageMagick 6.1.8 04/01/06 Q16 http://www.imagemagick.org2006:03:24 23:55:37unison-2.40.102/uimacnew/toolbar/skip.tif0000644006131600613160000001256211361646373020341 0ustar bcpiercebcpierceMM*&FO6^@_AaB`A]@Y=E0$F:'hjI\?Z=qM^fgaxR_AW<Z>1"f2rNeFtPzٔߘۖۖޘܗ[`B`B 0"R_nL}֓nc^^cnՒƈ{UoL(OQc\ӑڕ}`zSwQxRySySxRwQzT`}ؔڕiYM /jdהҐnXX[[[[[[[[XXoяܖpY ,}VʘiяҐl\````acca````\mяؔphG,fuؔtadddhjbXXbjhdddauՒ͌q(baرzؓgiiio\A-B-\oiiigؔXEŇӑtlmmslI  mJsmmktҐ΍|AT9ѐƈpqqwxRyRwqqpLjՑĆK3]ƈԑsuwnqMhhpMowusՒˋWtʊӑxy_Ap||obCyxӑ͍p̌Ґ{}}&\{||{Ň_){ҏЎώҏ~s p^ [d}яҐxҐҐĆÆn @,ƈÅl V;ĆÆЎӑt^֓ЎLj…sry…͍tP(Æƈ̌ד[Q7ۖ̋ÅƇĆŇʊʊȉĆŇŇŇŇŇƈ̌A- o͍ƇĆˋۖM5DדЏɉȉljljljljljljljljljljLj΍~ mKՒLjɉЎד?hڕ΍ʊʊʊʊʊʊʊʊʊʊʊʊЎtŇ̋΍ەf(dݗЎoƇώ̌̌̌̌̌̌̌̌̌̌̌̌Ґ΍ύLjoύݗ$`\ޘďҐ΍΍΍΍΍΍΍΍΍΍΍΍ҐΌeߙW ,ۖyZĆؔЏώЎЎЎЎЎЎώЏؔƇ[xݗ)Nӑܖ{rNjҐۖ֓ӐҐҐӐ֒ۖӑlrNyݗˋJ'OޘɉZfF\wĆ͌͌Ňx]fFXȉߘK /^ۖޘ…akI_A^@^@_AjH`ߘܖ] ,"&6%}i דޘӑʊʊӑޘؔg0!{ #11333327"&hV;] ʫuῃᅡt^ U: &h263333.. ))&&     3(1:$2^LR./skip.tif% % ImageMagick 6.1.8 04/01/06 Q16 http://www.imagemagick.org2006:03:24 23:57:11unison-2.40.102/uimacnew/toolbar/go.tif0000644006131600613160000001256011361646373017776 0ustar bcpiercebcpierceMM*&/HN`\q^s_u]t[qWkDT#,G9GjiZpXknu]rUjYo1>h3qc|r^v]u0"*Tlyl(2Q"SwtuvvutwO 1}~~} -{̕g,7h'1c٭#FThM`BShI["mJ\Nb.9|QdCTSh SgUj YoWlK^Yo6CPcVk$-L_Ekd~A(1f#,a~ . * PpoL'1Pc{d{~%M0h]s\q\q\rg-"&5B~ 0;| #11333327"+%iVi ˨ Th (&i273333.. ))&&     3(1:"2\LR./go.tif% % ImageMagick 6.1.8 04/01/06 Q16 http://www.imagemagick.org2006:03:24 23:54:39unison-2.40.102/uimacnew/toolbar/restart.tif0000644006131600613160000001256411361646373021061 0ustar bcpiercebcpierceMM*&FO6^@_AaB`A]@Y=E0$F:'hjI\?Z=qM^fgaxR_AW<Z>1"f2rNeFtPzٔߘۖۖޘܗ[`B`B 0"R_nL}֓nc^^cnՒƈ{UoL(OQc\ӑڕ}`zSwQxRySySxRwQzT`}ؔڕiYM /jdהҐnXX[[]^^][[XXoяܖpY ,}VʘiяҐl\``ddZvQvQZdd`_\mяؔphG,fuؔtadejqM1"  2"qMjedauՒ͌q(baرzؓgijlJ2K3ljigؔXEŇӑtlmsN6 1"1! O6smktҐ΍|AT9ѐƈpqvWT:mvvlS9YvqpLjՑĆK3]ƈԑsuz7&V;~wuux~S9;(zusՒˋWtʊӑwx |~xyyy{r  r{xӑ͍p̌Ґ}rOH1W;\||||4#j{ҏЎώҏ[ p„5$m~яҐxҐҐĆʊ^@\ȉ…{  {ÆЎӑt^֓ЎLjĆÆ-T:͌„…ƈя\?C.ʋ…ƈ̌ד[Q7ۖ̋ÅƇĆ͌m5$ȉĆĆLj͌_AǰĆƇĆˋۖM5DדЏɉȉLjʊÅʋLjlj͌v8& fFҐȈljɉЎד?hڕ΍ʊʊ̌ʊʊʊӐlgGя̋ʊ΍ەf(dݗЎoƇώ̌̌̌̌̌ԑpJ3oד΍̌ώLjoύݗ$`\ޘďҐ΍΍΍΍ώLjzĆה֓΍΍ҐΌeߙW ,ۖyZĆؔЏώЎώяՒӐЎώЏؔƇ[xݗ)Nӑܖ{rNjҐۖ֓ӐҐҐӐ֒ۖӑlrNyݗˋJ'OޘɉZfF\wĆ͌͌Ňx]fFXȉߘK /^ۖޘ…akI_A^@^@_AjH`ߘܖ] ,"&6%}i דޘӑʊʊӑޘؔg0!{ #11333327"&hV;] ʫuῃᅡt^ U: &h263333.. ))&&    3(1:&2`LR./restart.tif% % ImageMagick 6.1.8 04/01/06 Q16 http://www.imagemagick.org2006:03:24 23:56:31unison-2.40.102/uimacnew/toolbar/quit.tif0000644006131600613160000001256211361646373020355 0ustar bcpiercebcpierceMM*/0H_`qqssturtpqjkST+,GFGjnpjkqrhjmo<=h3z|tvtv0**T12Q!"SO 1 -~77h01dvxuw##FrtprBfhwxuw[\{}}~bc^_E"#$$A01f+,a - * PL01Pz{z{$%M0rspqprqr~-"&AB~ :;| #11333327*+%iii  gh((&i273333.. ))&&     3(1:$2^LR./quit.tif% % ImageMagick 6.1.8 04/01/06 Q16 http://www.imagemagick.org2006:03:24 23:56:18unison-2.40.102/uimacnew/toolbar/merge.tif0000644006131600613160000001256211361646373020472 0ustar bcpiercebcpierceMM*&FO6^@_AaB`A]@Y=E0$F:'hjI\?Z=qM^fgaxR_AW<Z>1"f2rNeFtPzٔߘۖۖޘܗ[`B`B 0"R_nL}֓nc^^cnՒƈ{UoL(OQc\ӑڕ}`zSwQxRySySxRwQzT`}ؔڕiYM /jdהҐnXX[[[[[[[[XXoяܖpY ,}VʘiяҐl\````````````\mяؔphG,fuؔtbddddddddddddddauՒ͌q(baرzؓghnjiiiiiiiiiijnigؔXEŇӑtqT9R8ltnmmmmmmnspaCB-ntҐ΍|AT9ѐƈpxG1rNuwrqqquwX+)vqLjՑĆK3]ƈԑ{R82"^|xw}gA,3#|ÆԑˋWtʊדsX=^A(H2nuY= ]@X<`͍ٔp̌ٔe  U:ޘЎώٔg V;ݘҐxҐ֓ybChH,Q7v~cC fFbCdՒӑt^֓ώʊٕ̌\?:(ľLjŇ͍vM59'Ւ͍̌̋ד\Q7ۖ̋ÅƈЏT9&^ʊ͌ŇĆĆĆˋ΍j7%/!̌ƈĆˋۖN5DדЏȉЏkIjIŇӐȉLjljljljljLjȉЏ͌~VU:ˋɊЎד@hڕ΍ɉӑ͌ʊʊʊʊʊʊʊʊʊʊˋԑˋ͌ۖf(dݗЎoŇЏ̌̌̌̌̌̌̌̌̌̌̌̌̌̌ЎLjoύݗ$`\ޘďҐ΍΍΍΍΍΍΍΍΍΍΍΍ҐΌeߙW ,ۖyZĆؔЏώЎЎЎЎЎЎώЏؔƇ[xݗ)Nӑܖ{rNjҐۖ֓ӐҐҐӐ֒ۖӑlrNyݗˋJ'OޘɉZfF\wĆ͌͌Ňx]fFXȉߘK /^ۖޘ…akI_A^@^@_AjH`ߘۖ] ,"&6%}i דޘӑʊʊӑޘؔg0!{ #11333327"&hV;] ʫuῃᅡt^ U: &h263333.. ))&&     3(1:$2^LR./merge.tif% % ImageMagick 6.1.8 04/01/06 Q16 http://www.imagemagick.org2006:03:24 23:56:07unison-2.40.102/uimacnew/toolbar/save.tif0000644006131600613160000001256211361646373020331 0ustar bcpiercebcpierceMM*/0H_`qqssturtpqjkST+,GFGjnpjkqrhjmo<=h3z|tvtv0**T12Q!"SO 1 -~77h01dcece##F###$Bfh[\ !!!z|xz}{|%&%&bc ^_E/000A01f+,a - * PL01Pz{z{$%M0rspqprqr~-"&AB~ :;| #11333327*+%iii  gh((&i273333.. ))&&     3(1:$2^LR./save.tif% % ImageMagick 6.1.8 04/01/06 Q16 http://www.imagemagick.org2006:03:24 23:57:01unison-2.40.102/uimacnew/ImageAndTextCell.h0000644006131600613160000000053511361646373020505 0ustar bcpiercebcpierce// // ImageAndTextCell.h // // Copyright (c) 2001-2002, Apple. All rights reserved. // #import @interface ImageAndTextCell : NSTextFieldCell { @private NSImage *image; } - (void)setImage:(NSImage *)anImage; - (NSImage *)image; - (void)drawWithFrame:(NSRect)cellFrame inView:(NSView *)controlView; - (NSSize)cellSize; @end unison-2.40.102/uimacnew/ReconTableView.h0000644006131600613160000000223711361646373020245 0ustar bcpiercebcpierce// // ReconTableView.h // // NSTableView extended to handle additional keyboard events for the reconcile window. // The keyDown: method is redefined. // // Created by Trevor Jim on Wed Aug 27 2003. // Copyright (c) 2003, licensed under GNU GPL. // #import @interface ReconTableView : NSOutlineView { BOOL editable; } - (BOOL)editable; - (void)setEditable:(BOOL)x; - (BOOL)validateItem:(IBAction *) action; - (BOOL)validateMenuItem:(NSMenuItem *)menuItem; - (BOOL)validateToolbarItem:(NSToolbarItem *)toolbarItem; - (IBAction)ignorePath:(id)sender; - (IBAction)ignoreExt:(id)sender; - (IBAction)ignoreName:(id)sender; - (IBAction)copyLR:(id)sender; - (IBAction)copyRL:(id)sender; - (IBAction)leaveAlone:(id)sender; - (IBAction)forceOlder:(id)sender; - (IBAction)forceNewer:(id)sender; - (IBAction)selectConflicts:(id)sender; - (IBAction)revert:(id)sender; - (IBAction)merge:(id)sender; - (IBAction)showDiff:(id)sender; - (BOOL)canDiffSelection; @end @interface NSOutlineView (_UnisonExtras) - (NSArray *)selectedObjects; - (NSEnumerator *)selectedObjectEnumerator; - (void)setSelectedObjects:(NSArray *)selection; - (void)expandChildrenIfSpace; @end unison-2.40.102/uimacnew/TrevorsUnison.icns0000644006131600613160000005774411361646373020756 0ustar bcpiercebcpierceicns_it32!!!!####!##!!##!#11##11#!##!!##!#11##11#!##!!##! #11# #11#!##!!##!#11##11#!##!!##!#11##11#!##!!##!#11##11#"##!!##!#11##11#"##""##"#11##11#"##""##"#11##11#"##""##"#11##11#"##""##"#11##11#"##""##"#11##11#"##""##"#11##11#"##""##"#11##11#"##""##"#11##11#"##""##"#11##11#"##""##"#11##11#"##""##"#11##11#"##""##"#11##11#"#1ZւZ1#""#1ZZ1#"######################################################################################################################################################################################################################################################################################################################################################################################J##J##"#c##c#"!##!!##!!#####ד#!!#c#!!#c#!#V####V##0c#!!#p0#"#ʔ0#!!#0#"!#0#!!#0ʕ#!#V0#!!#0V###0##!!##0ʖ##!#c#!!#c#!#Ic#cI###֖c=#=c֚##!#pp#!####!#cc#!####!#II#!"##"##Ȼ##!#<<#!"#bb#"##||######!####!!####!!##||##!!##bb##!##<ȩ<##"####"!##<<##!"##VԟV##"!#bb#!!#II#!!"#VǏǕV#"!!#0VV0#!!"#"!!#!,,,,,,,, ,, ,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,ޙ,,ޙ,+כ++כ++ҝ++ҝ+}}}}+̟++̟+*MM**MՃM*҆҇}}{{yywwttrrppnnlljjggeeccaa_++_M]22]MKZDDZKCXQQX?;W00W;,TGGT,"R/2R"GPM""MPG9NE""EN9*L;""@L*GJA""AJG8HE,,EH8&F<++ #include #include #include #include #import #include #include /* CMF, April 2007: Alternate strategy for solving UI crashes based on http://alan.petitepomme.net/cwn/2005.03.08.html#9: 1) Run OCaml in a separate thread from the Cocoa main run loop. 2) Handle all calls to OCaml as callbacks -- have an OCaml thread hang in C-land and use mutexes and conditions to pass control from the C calling thread to the OCaml callback thread. Value Conversion Done in Bridge Thread: Value creation/conversion (like calls to caml_named_value or caml_copy_string) or access calls (like Field) need to occur in the OCaml thread. We do this by passing C args for conversion to the bridgeThreadWait() thread. Example of vulnerability: Field(caml_reconItems,j) could dereference caml_reconItems when the GC (running independently in an OCaml thread) could be moving it. */ pthread_mutex_t init_lock = PTHREAD_MUTEX_INITIALIZER; pthread_cond_t init_cond = PTHREAD_COND_INITIALIZER; static BOOL doneInit = NO; pthread_mutex_t global_call_lock = PTHREAD_MUTEX_INITIALIZER; pthread_cond_t global_call_cond = PTHREAD_COND_INITIALIZER; pthread_mutex_t global_res_lock = PTHREAD_MUTEX_INITIALIZER; pthread_cond_t global_res_cond = PTHREAD_COND_INITIALIZER; @implementation Bridge static Bridge *_instance = NULL; const char **the_argv; - (void)_ocamlStartup:(id)ignore { NSAutoreleasePool *pool = [[NSAutoreleasePool alloc] init]; pthread_mutex_lock(&init_lock); /* Initialize ocaml gc, etc. */ caml_startup((char **)the_argv); // cast to avoid warning, caml_startup assumes non-const, // NSApplicationMain assumes const // Register these with the collector // NSLog(@"*** _ocamlStartup - back from startup; signalling! (%d)", pthread_self()); doneInit = TRUE; pthread_cond_signal(&init_cond); pthread_mutex_unlock(&init_lock); // now start the callback thread // NSLog(@"*** _ocamlStartup - calling callbackThreadCreate (%d)", pthread_self()); value *f = caml_named_value("callbackThreadCreate"); (void)caml_callback_exn(*f,Val_unit); [pool release]; } + (void)startup:(const char **)argv { if (_instance) return; _instance = [[Bridge alloc] init]; [[NSExceptionHandler defaultExceptionHandler] setDelegate:_instance]; [[NSExceptionHandler defaultExceptionHandler] setExceptionHandlingMask: (NSLogUncaughtExceptionMask | NSLogTopLevelExceptionMask)]; // Init OCaml in another thread and wait for it to be ready pthread_mutex_lock(&init_lock); the_argv = argv; [NSThread detachNewThreadSelector:@selector(_ocamlStartup:) toTarget:_instance withObject:nil]; // NSLog(@"*** waiting for completion of caml_init"); while (!doneInit) pthread_cond_wait(&init_cond, &init_lock); pthread_mutex_unlock(&init_lock); // NSLog(@"*** caml_init complete!"); } #if MAC_OS_X_VERSION_MAX_ALLOWED < MAC_OS_X_VERSION_10_5 typedef unsigned int NSUInteger; #endif - (BOOL)exceptionHandler:(NSExceptionHandler *)sender shouldLogException:(NSException *)exception mask:(NSUInteger)aMask { // if (![[exception name] isEqual:@"OCamlException"]) return YES; NSString *msg = [NSString stringWithFormat:@"Uncaught exception: %@", [exception reason]]; msg = [[msg componentsSeparatedByString:@"\n"] componentsJoinedByString:@" "]; NSLog(@"%@", msg); NSRunAlertPanel(@"Fatal error", msg, @"Exit", nil, nil); exit(1); return FALSE; } @end // CallState struct is allocated on the C thread stack and then handed // to the OCaml callback thread to perform value conversion and issue the call typedef struct { enum { SafeCall, OldCall, FieldAccess } opCode; // New style calls const char *argTypes; va_list args; // Field access value *valueP; long fieldIndex; char fieldType; // Return values char *exception; void *retV; BOOL _autorelease; // for old style (unsafe) calls value call, a1, a2, a3, ret; int argCount; } CallState; static CallState *_CallState = NULL; static CallState *_RetState = NULL; // Our OCaml callback server thread -- waits for call then makes them // Called from thread spawned from OCaml CAMLprim value bridgeThreadWait(value ignore) { CAMLparam0(); CAMLlocal1 (args); args = caml_alloc_tuple(3); // NSLog(@"*** bridgeThreadWait init! (%d) Taking lock...", pthread_self()); while (TRUE) { // unblock ocaml while we wait for work caml_enter_blocking_section(); pthread_mutex_lock(&global_call_lock); while (!_CallState) pthread_cond_wait(&global_call_cond, &global_call_lock); // pick up our work and free up the call lock for other threads CallState *cs = _CallState; _CallState = NULL; pthread_mutex_unlock(&global_call_lock); // NSLog(@"*** bridgeThreadWait: have call -- leaving caml_blocking_section"); // we have a call to do -- get the ocaml lock caml_leave_blocking_section(); // NSLog(@"*** bridgeThreadWait: doing call"); NSAutoreleasePool *pool = [[NSAutoreleasePool alloc] init]; char retType = 'v'; value e = Val_unit; if (cs->opCode == SafeCall) { int i; char *fname = va_arg(cs->args, char *); value *f = caml_named_value(fname); // varargs with C-based args -- convert them to OCaml values based on type code string const char *p = cs->argTypes; retType = *p++; int argCount = 0; for(; *p != '\0'; p++) { const char *str; switch (*p) { case 's': str = va_arg(cs->args, const char *); Store_field (args, argCount, caml_copy_string(str)); break; case 'S': str = [va_arg(cs->args, NSString *) UTF8String]; Store_field (args, argCount, caml_copy_string(str)); break; case 'i': Store_field (args, argCount, Val_long(va_arg(cs->args, long))); break; case '@': Store_field (args, argCount, [va_arg(cs->args, OCamlValue *) value]); break; default: NSCAssert1(0, @"Unknown input type '%c'", *p); break; } argCount++; NSCAssert(argCount <= 3, @"More than 3 arguments"); } // Call OCaml -- TODO: add support for > 3 args if (argCount == 3) e = caml_callback3_exn(*f,Field(args,0),Field(args,1),Field(args,2)); else if (argCount == 2) e = caml_callback2_exn(*f,Field(args,0),Field(args,1)); else if (argCount == 1) e = caml_callback_exn(*f,Field(args,0)); else e = caml_callback_exn(*f,Val_unit); for (i = 0; i < argCount; i++) Store_field (args, i, Val_unit); } else if (cs->opCode == OldCall) { // old style (unsafe) version where OCaml values were passed directly from C thread if (cs->argCount == 3) e = caml_callback3_exn(cs->call,cs->a1,cs->a2,cs->a3); else if (cs->argCount == 2) e = caml_callback2_exn(cs->call,cs->a1,cs->a2); else e = caml_callback_exn(cs->call,cs->a1); retType = 'v'; } else if (cs->opCode == FieldAccess) { long index = cs->fieldIndex; e = (index == -1) ? Val_long(Wosize_val(*cs->valueP)) : Field(*cs->valueP, index); retType = cs->fieldType; } // Process return value cs->_autorelease = FALSE; cs->ret = e; // OCaml return type -- unsafe... if (!Is_exception_result(e)) { switch (retType) { case 'S': *((NSString **)&cs->retV) = (e == Val_unit) ? NULL : [[NSString alloc] initWithUTF8String:String_val(e)]; cs->_autorelease = TRUE; break; case 'N': if (Is_long (e)) { *((NSNumber **)&cs->retV) = [[NSNumber alloc] initWithLong:Long_val(e)]; } else { *((NSNumber **)&cs->retV) = [[NSNumber alloc] initWithDouble:Double_val(e)]; } cs->_autorelease = TRUE; break; case '@': *((NSObject **)&cs->retV) = (e == Val_unit) ? NULL : [[OCamlValue alloc] initWithValue:e]; cs->_autorelease = TRUE; break; case 'i': *((long *)&cs->retV) = Long_val(e); break; case 'x': break; default: NSCAssert1(0, @"Unknown return type '%c'", retType); break; } } if (Is_exception_result(e)) { // get exception string -- it will get thrown back in the calling thread value *f = caml_named_value("unisonExnInfo"); // We leak memory here... cs->exception = strdup(String_val(caml_callback(*f,Extract_exception(e)))); } [pool release]; // NSLog(@"*** bridgeThreadWait: returning"); // we're done, signal back pthread_mutex_lock(&global_res_lock); _RetState = cs; pthread_cond_signal(&global_res_cond); pthread_mutex_unlock(&global_res_lock); } // Never get here... CAMLreturn (Val_unit); } void *_passCall(CallState *cs) { pthread_mutex_lock(&global_call_lock); _CallState = cs; // signal so call can happen on other thread pthread_mutex_lock(&global_res_lock); pthread_cond_signal(&global_call_cond); pthread_mutex_unlock(&global_call_lock); // NSLog(@"*** _passCall (%d) -- performing signal and waiting", pthread_self()); // wait until done -- make sure the result is for our call while (_RetState != cs) pthread_cond_wait(&global_res_cond, &global_res_lock); _RetState = NULL; pthread_mutex_unlock(&global_res_lock); // NSLog(@"*** doCallback -- back with result"); if (cs->exception) { @throw [NSException exceptionWithName:@"OCamlException" reason:[NSString stringWithUTF8String:cs->exception] userInfo:nil]; } if (cs->_autorelease) [((id)cs->retV) autorelease]; return cs->retV; } void *ocamlCall(const char *argTypes, ...) { CallState cs; cs.opCode = SafeCall; cs.exception = NULL; cs.argTypes = argTypes; va_start(cs.args, argTypes); void * res = _passCall(&cs); va_end(cs.args); return res; } void *getField(value *vP, long index, char type) { CallState cs; cs.opCode = FieldAccess; cs.valueP = vP; cs.fieldIndex = index; cs.fieldType = type; cs.exception = NULL; return _passCall(&cs); } @implementation OCamlValue - initWithValue:(long)v { [super init]; _v = v; caml_register_global_root((value *)&_v); return self; } - (long)count { return (long)getField((value *) &_v, -1, 'i'); } - (void *)getField:(long)i withType:(char)t { return getField((value *)&_v, i, t); } - (long)value { // Unsafe to use! return _v; } - (void)dealloc { _v = Val_unit; caml_remove_global_root((value *)&_v); [super dealloc]; } @end // Legacy OCaml call API -- no longer needed #if 0 extern value doCallback (value c, int argcount, value v1, value v2, value v3, BOOL exitOnException); extern value Callback_checkexn(value c,value v); extern value Callback2_checkexn(value c,value v1,value v2); extern value Callback3_checkexn(value c,value v1,value v2,value v3); void reportExn(const char *msg) { NSString *s = [NSString stringWithFormat:@"Uncaught exception: %s", msg]; s = [[s componentsSeparatedByString:@"\n"] componentsJoinedByString:@" "]; NSLog(@"%@",s); NSRunAlertPanel(@"Fatal error",s,@"Exit",nil,nil); } // FIXME! Claim is that value conversion must also happen in the OCaml thread... value doCallback (value c, int argcount, value v1, value v2, value v3, BOOL exitOnException) { // NSLog(@"*** doCallback: (%d) -- trying to acquire global lock", pthread_self()); CallState cs; cs.opCode = OldCall; cs.exception = NULL; cs.call = c; cs.a1 = v1; cs.a2 = v2; cs.a3 = v3; cs.argCount = argcount; @try { return _passCall(&cs); } @catch (NSException *ex) { if (exitOnException) { reportExn(cs.exception); exit(1); } @throw ex; } } value Callback_checkexn(value c,value v) { return doCallback(c, 1, v, 0, 0, TRUE); } value Callback2_checkexn(value c,value v1,value v2) { return doCallback(c, 2, v1, v2, 0, TRUE); } value Callback3_checkexn(value c,value v1,value v2,value v3) { return doCallback(c, 3, v1, v2, v3, TRUE); } #endif unison-2.40.102/uimacnew/Growl.framework/0000755006131600613160000000000012050210657020271 5ustar bcpiercebcpierceunison-2.40.102/uimacnew/Growl.framework/Headers0000777006131600613160000000000012050210657026314 2Versions/Current/Headersustar bcpiercebcpierceunison-2.40.102/uimacnew/Growl.framework/Resources0000777006131600613160000000000012050210657027312 2Versions/Current/Resourcesustar bcpiercebcpierceunison-2.40.102/uimacnew/Growl.framework/Growl0000777006131600613160000000000012050210657025552 2Versions/Current/Growlustar bcpiercebcpierceunison-2.40.102/uimacnew/Growl.framework/Versions/0000755006131600613160000000000012050210657022101 5ustar bcpiercebcpierceunison-2.40.102/uimacnew/Growl.framework/Versions/Current0000777006131600613160000000000012050210657023546 2Austar bcpiercebcpierceunison-2.40.102/uimacnew/Growl.framework/Versions/A/0000755006131600613160000000000012050210657022261 5ustar bcpiercebcpierceunison-2.40.102/uimacnew/Growl.framework/Versions/A/Headers/0000755006131600613160000000000012050210657023634 5ustar bcpiercebcpierceunison-2.40.102/uimacnew/Growl.framework/Versions/A/Headers/GrowlDefines.h0000644006131600613160000003255111361646373026417 0ustar bcpiercebcpierce// // GrowlDefines.h // #ifndef _GROWLDEFINES_H #define _GROWLDEFINES_H #ifdef __OBJC__ #define XSTR(x) (@x) #define STRING NSString * #else #define XSTR CFSTR #define STRING CFStringRef #endif /*! @header GrowlDefines.h * @abstract Defines all the notification keys. * @discussion Defines all the keys used for registration with Growl and for * Growl notifications. * * Most applications should use the functions or methods of Growl.framework * instead of posting notifications such as those described here. * @updated 2004-01-25 */ // UserInfo Keys for Registration #pragma mark UserInfo Keys for Registration /*! @group Registration userInfo keys */ /* @abstract Keys for the userInfo dictionary of a GROWL_APP_REGISTRATION distributed notification. * @discussion The values of these keys describe the application and the * notifications it may post. * * Your application must register with Growl before it can post Growl * notifications (and have them not be ignored). However, as of Growl 0.6, * posting GROWL_APP_REGISTRATION notifications directly is no longer the * preferred way to register your application. Your application should instead * use Growl.framework's delegate system. * See +[GrowlApplicationBridge setGrowlDelegate:] or Growl_SetDelegate for * more information. */ /*! @defined GROWL_APP_NAME * @abstract The name of your application. * @discussion The name of your application. This should remain stable between * different versions and incarnations of your application. * For example, "SurfWriter" is a good app name, whereas "SurfWriter 2.0" and * "SurfWriter Lite" are not. */ #define GROWL_APP_NAME XSTR("ApplicationName") /*! @defined GROWL_APP_ICON * @abstract The image data for your application's icon. * @discussion Image data representing your application's icon. This may be * superimposed on a notification icon as a badge, used as the notification * icon when a notification-specific icon is not supplied, or ignored * altogether, depending on the display. Must be in a format supported by * NSImage, such as TIFF, PNG, GIF, JPEG, BMP, PICT, or PDF. * * Optional. Not supported by all display plugins. */ #define GROWL_APP_ICON XSTR("ApplicationIcon") /*! @defined GROWL_NOTIFICATIONS_DEFAULT * @abstract The array of notifications to turn on by default. * @discussion These are the names of the notifications that should be enabled * by default when your application registers for the first time. If your * application reregisters, Growl will look here for any new notification * names found in GROWL_NOTIFICATIONS_ALL, but ignore any others. */ #define GROWL_NOTIFICATIONS_DEFAULT XSTR("DefaultNotifications") /*! @defined GROWL_NOTIFICATIONS_ALL * @abstract The array of all notifications your application can send. * @discussion These are the names of all of the notifications that your * application may post. See GROWL_NOTIFICATION_NAME for a discussion of good * notification names. */ #define GROWL_NOTIFICATIONS_ALL XSTR("AllNotifications") /*! @defined GROWL_TICKET_VERSION * @abstract The version of your registration ticket. * @discussion Include this key in a ticket plist file that you put in your * application bundle for auto-discovery. The current ticket version is 1. */ #define GROWL_TICKET_VERSION XSTR("TicketVersion") // UserInfo Keys for Notifications #pragma mark UserInfo Keys for Notifications /*! @group Notification userInfo keys */ /* @abstract Keys for the userInfo dictionary of a GROWL_NOTIFICATION distributed notification. * @discussion The values of these keys describe the content of a Growl * notification. * * Not all of these keys are supported by all displays. Only the name, title, * and description of a notification are universal. Most of the built-in * displays do support all of these keys, and most other visual displays * probably will also. But, as of 0.6, the Log, MailMe, and Speech displays * support only textual data. */ /*! @defined GROWL_NOTIFICATION_NAME * @abstract The name of the notification. * @discussion The name of the notification. This should be human-readable, as * it's shown in the prefpane, in the list of notifications your application * supports. */ #define GROWL_NOTIFICATION_NAME XSTR("NotificationName") /*! @defined GROWL_NOTIFICATION_TITLE * @abstract The title to display in the notification. * @discussion The title of the notification. Should be very brief. * The title usually says what happened, e.g. "Download complete". */ #define GROWL_NOTIFICATION_TITLE XSTR("NotificationTitle") /*! @defined GROWL_NOTIFICATION_DESCRIPTION * @abstract The description to display in the notification. * @discussion The description should be longer and more verbose than the title. * The description usually tells the subject of the action, * e.g. "Growl-0.6.dmg downloaded in 5.02 minutes". */ #define GROWL_NOTIFICATION_DESCRIPTION XSTR("NotificationDescription") /*! @defined GROWL_NOTIFICATION_ICON * @discussion Image data for the notification icon. Must be in a format * supported by NSImage, such as TIFF, PNG, GIF, JPEG, BMP, PICT, or PDF. * * Optional. Not supported by all display plugins. */ #define GROWL_NOTIFICATION_ICON XSTR("NotificationIcon") /*! @defined GROWL_NOTIFICATION_APP_ICON * @discussion Image data for the application icon, in case GROWL_APP_ICON does * not apply for some reason. Must be in a format supported by NSImage, such * as TIFF, PNG, GIF, JPEG, BMP, PICT, or PDF. * * Optional. Not supported by all display plugins. */ #define GROWL_NOTIFICATION_APP_ICON XSTR("NotificationAppIcon") /*! @defined GROWL_NOTIFICATION_PRIORITY * @discussion The priority of the notification as an integer number from * -2 to +2 (+2 being highest). * * Optional. Not supported by all display plugins. */ #define GROWL_NOTIFICATION_PRIORITY XSTR("NotificationPriority") /*! @defined GROWL_NOTIFICATION_STICKY * @discussion A Boolean number controlling whether the notification is sticky. * * Optional. Not supported by all display plugins. */ #define GROWL_NOTIFICATION_STICKY XSTR("NotificationSticky") /*! @defined GROWL_NOTIFICATION_CLICK_CONTEXT * @abstract Identifies which notification was clicked. * @discussion An identifier for the notification for clicking purposes. * * This will be passed back to the application when the notification is * clicked. It must be plist-encodable (a data, dictionary, array, number, or * string object), and it should be unique for each notification you post. * A good click context would be a UUID string returned by NSProcessInfo or * CFUUID. * * Optional. Not supported by all display plugins. */ #define GROWL_NOTIFICATION_CLICK_CONTEXT XSTR("NotificationClickContext") /*! @defined GROWL_DISPLAY_PLUGIN * @discussion The name of a display plugin which should be used for this notification. * Optional. If this key is not set or the specified display plugin does not * exist, the display plugin stored in the application ticket is used. This key * allows applications to use different default display plugins for their * notifications. The user can still override those settings in the preference * pane. */ #define GROWL_DISPLAY_PLUGIN XSTR("NotificationDisplayPlugin") /*! @defined GROWL_NOTIFICATION_IDENTIFIER * @abstract An identifier for the notification for coalescing purposes. * Notifications with the same identifier fall into the same class; only * the last notification of a class is displayed on the screen. If a * notification of the same class is currently being displayed, it is * replaced by this notification. * * Optional. Not supported by all display plugins. */ #define GROWL_NOTIFICATION_IDENTIFIER XSTR("GrowlNotificationIdentifier") /*! @defined GROWL_APP_PID * @abstract The process identifier of the process which sends this * notification. If this field is set, the application will only receive * clicked and timed out notifications which originate from this process. * * Optional. */ #define GROWL_APP_PID XSTR("ApplicationPID") // Notifications #pragma mark Notifications /*! @group Notification names */ /* @abstract Names of distributed notifications used by Growl. * @discussion These are notifications used by applications (directly or * indirectly) to interact with Growl, and by Growl for interaction between * its components. * * Most of these should no longer be used in Growl 0.6 and later, in favor of * Growl.framework's GrowlApplicationBridge APIs. */ /*! @defined GROWL_APP_REGISTRATION * @abstract The distributed notification for registering your application. * @discussion This is the name of the distributed notification that can be * used to register applications with Growl. * * The userInfo dictionary for this notification can contain these keys: *
    *
  • GROWL_APP_NAME
  • *
  • GROWL_APP_ICON
  • *
  • GROWL_NOTIFICATIONS_ALL
  • *
  • GROWL_NOTIFICATIONS_DEFAULT
  • *
* * No longer recommended as of Growl 0.6. An alternate method of registering * is to use Growl.framework's delegate system. * See +[GrowlApplicationBridge setGrowlDelegate:] or Growl_SetDelegate for * more information. */ #define GROWL_APP_REGISTRATION XSTR("GrowlApplicationRegistrationNotification") /*! @defined GROWL_APP_REGISTRATION_CONF * @abstract The distributed notification for confirming registration. * @discussion The name of the distributed notification sent to confirm the * registration. Used by the Growl preference pane. Your application probably * does not need to use this notification. */ #define GROWL_APP_REGISTRATION_CONF XSTR("GrowlApplicationRegistrationConfirmationNotification") /*! @defined GROWL_NOTIFICATION * @abstract The distributed notification for Growl notifications. * @discussion This is what it all comes down to. This is the name of the * distributed notification that your application posts to actually send a * Growl notification. * * The userInfo dictionary for this notification can contain these keys: *
    *
  • GROWL_NOTIFICATION_NAME (required)
  • *
  • GROWL_NOTIFICATION_TITLE (required)
  • *
  • GROWL_NOTIFICATION_DESCRIPTION (required)
  • *
  • GROWL_NOTIFICATION_ICON
  • *
  • GROWL_NOTIFICATION_APP_ICON
  • *
  • GROWL_NOTIFICATION_PRIORITY
  • *
  • GROWL_NOTIFICATION_STICKY
  • *
  • GROWL_NOTIFICATION_CLICK_CONTEXT
  • *
  • GROWL_APP_NAME (required)
  • *
* * No longer recommended as of Growl 0.6. Three alternate methods of posting * notifications are +[GrowlApplicationBridge notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:], * Growl_NotifyWithTitleDescriptionNameIconPriorityStickyClickContext, and * Growl_PostNotification. */ #define GROWL_NOTIFICATION XSTR("GrowlNotification") /*! @defined GROWL_SHUTDOWN * @abstract The distributed notification name that tells Growl to shutdown. * @discussion The Growl preference pane posts this notification when the * "Stop Growl" button is clicked. */ #define GROWL_SHUTDOWN XSTR("GrowlShutdown") /*! @defined GROWL_PING * @abstract A distributed notification to check whether Growl is running. * @discussion This is used by the Growl preference pane. If it receives a * GROWL_PONG, the preference pane takes this to mean that Growl is running. */ #define GROWL_PING XSTR("Honey, Mind Taking Out The Trash") /*! @defined GROWL_PONG * @abstract The distributed notification sent in reply to GROWL_PING. * @discussion GrowlHelperApp posts this in reply to GROWL_PING. */ #define GROWL_PONG XSTR("What Do You Want From Me, Woman") /*! @defined GROWL_IS_READY * @abstract The distributed notification sent when Growl starts up. * @discussion GrowlHelperApp posts this when it has begin listening on all of * its sources for new notifications. GrowlApplicationBridge (in * Growl.framework), upon receiving this notification, reregisters using the * registration dictionary supplied by its delegate. */ #define GROWL_IS_READY XSTR("Lend Me Some Sugar; I Am Your Neighbor!") /*! @defined GROWL_NOTIFICATION_CLICKED * @abstract The distributed notification sent when a supported notification is clicked. * @discussion When a Growl notification with a click context is clicked on by * the user, Growl posts this distributed notification. * The GrowlApplicationBridge responds to this notification by calling a * callback in its delegate. */ #define GROWL_NOTIFICATION_CLICKED XSTR("GrowlClicked!") #define GROWL_NOTIFICATION_TIMED_OUT XSTR("GrowlTimedOut!") /*! @group Other symbols */ /* Symbols which don't fit into any of the other categories. */ /*! @defined GROWL_KEY_CLICKED_CONTEXT * @abstract Used internally as the key for the clickedContext passed over DNC. * @discussion This key is used in GROWL_NOTIFICATION_CLICKED, and contains the * click context that was supplied in the original notification. */ #define GROWL_KEY_CLICKED_CONTEXT XSTR("ClickedContext") /*! @defined GROWL_REG_DICT_EXTENSION * @abstract The filename extension for registration dictionaries. * @discussion The GrowlApplicationBridge in Growl.framework registers with * Growl by creating a file with the extension of .(GROWL_REG_DICT_EXTENSION) * and opening it in the GrowlHelperApp. This happens whether or not Growl is * running; if it was stopped, it quits immediately without listening for * notifications. */ #define GROWL_REG_DICT_EXTENSION XSTR("growlRegDict") #endif //ndef _GROWLDEFINES_H unison-2.40.102/uimacnew/Growl.framework/Versions/A/Headers/GrowlApplicationBridge-Carbon.h0000644006131600613160000010110311361646373031612 0ustar bcpiercebcpierce// // GrowlApplicationBridge-Carbon.h // Growl // // Created by Mac-arena the Bored Zo on Wed Jun 18 2004. // Based on GrowlApplicationBridge.h by Evan Schoenberg. // This source code is in the public domain. You may freely link it into any // program. // #ifndef _GROWLAPPLICATIONBRIDGE_CARBON_H_ #define _GROWLAPPLICATIONBRIDGE_CARBON_H_ #include #include /*! @header GrowlApplicationBridge-Carbon.h * @abstract Declares an API that Carbon applications can use to interact with Growl. * @discussion GrowlApplicationBridge uses a delegate to provide information //XXX * to Growl (such as your application's name and what notifications it may * post) and to provide information to your application (such as that Growl * is listening for notifications or that a notification has been clicked). * * You can set the Growldelegate with Growl_SetDelegate and find out the * current delegate with Growl_GetDelegate. See struct Growl_Delegate for more * information about the delegate. */ __BEGIN_DECLS /*! @struct Growl_Delegate * @abstract Delegate to supply GrowlApplicationBridge with information and respond to events. * @discussion The Growl delegate provides your interface to * GrowlApplicationBridge. When GrowlApplicationBridge needs information about * your application, it looks for it in the delegate; when Growl or the user * does something that you might be interested in, GrowlApplicationBridge * looks for a callback in the delegate and calls it if present * (meaning, if it is not NULL). * XXX on all of that * @field size The size of the delegate structure. * @field applicationName The name of your application. * @field registrationDictionary A dictionary describing your application and the notifications it can send out. * @field applicationIconData Your application's icon. * @field growlInstallationWindowTitle The title of the installation window. * @field growlInstallationInformation Text to display in the installation window. * @field growlUpdateWindowTitle The title of the update window. * @field growlUpdateInformation Text to display in the update window. * @field referenceCount A count of owners of the delegate. * @field retain Called when GrowlApplicationBridge receives this delegate. * @field release Called when GrowlApplicationBridge no longer needs this delegate. * @field growlIsReady Called when GrowlHelperApp is listening for notifications. * @field growlNotificationWasClicked Called when a Growl notification is clicked. * @field growlNotificationTimedOut Called when a Growl notification timed out. */ struct Growl_Delegate { /* @discussion This should be sizeof(struct Growl_Delegate). */ size_t size; /*All of these attributes are optional. *Optional attributes can be NULL; required attributes that * are NULL cause setting the Growl delegate to fail. *XXX - move optional/required status into the discussion for each field */ /* This name is used both internally and in the Growl preferences. * * This should remain stable between different versions and incarnations of * your application. * For example, "SurfWriter" is a good app name, whereas "SurfWriter 2.0" and * "SurfWriter Lite" are not. * * This can be NULL if it is provided elsewhere, namely in an * auto-discoverable plist file in your app bundle * (XXX refer to more information on that) or in registrationDictionary. */ CFStringRef applicationName; /* * Must contain at least these keys: * GROWL_NOTIFICATIONS_ALL (CFArray): * Contains the names of all notifications your application may post. * * Can also contain these keys: * GROWL_NOTIFICATIONS_DEFAULT (CFArray): * Names of notifications that should be enabled by default. * If omitted, GROWL_NOTIFICATIONS_ALL will be used. * GROWL_APP_NAME (CFString): * Same as the applicationName member of this structure. * If both are present, the applicationName member shall prevail. * If this key is present, you may omit applicationName (set it to NULL). * GROWL_APP_ICON (CFData): * Same as the iconData member of this structure. * If both are present, the iconData member shall prevail. * If this key is present, you may omit iconData (set it to NULL). * * If you change the contents of this dictionary after setting the delegate, * be sure to call Growl_Reregister. * * This can be NULL if you have an auto-discoverable plist file in your app * bundle. (XXX refer to more information on that) */ CFDictionaryRef registrationDictionary; /* The data can be in any format supported by NSImage. As of * Mac OS X 10.3, this includes the .icns, TIFF, JPEG, GIF, PNG, PDF, and * PICT formats. * * If this is not supplied, Growl will look up your application's icon by * its application name. */ CFDataRef applicationIconData; /* Installer display attributes * * These four attributes are used by the Growl installer, if this framework * supports it. * For any of these being NULL, a localised default will be * supplied. */ /* If this is NULL, Growl will use a default, * localized title. * * Only used if you're using Growl-WithInstaller.framework. Otherwise, * this member is ignored. */ CFStringRef growlInstallationWindowTitle; /* This information may be as long or short as desired (the * window will be sized to fit it). If Growl is not installed, it will * be displayed to the user as an explanation of what Growl is and what * it can do in your application. * It should probably note that no download is required to install. * * If this is NULL, Growl will use a default, localized * explanation. * * Only used if you're using Growl-WithInstaller.framework. Otherwise, * this member is ignored. */ CFStringRef growlInstallationInformation; /* If this is NULL, Growl will use a default, * localized title. * * Only used if you're using Growl-WithInstaller.framework. Otherwise, * this member is ignored. */ CFStringRef growlUpdateWindowTitle; /* This information may be as long or short as desired (the * window will be sized to fit it). If an older version of Growl is * installed, it will be displayed to the user as an explanation that an * updated version of Growl is included in your application and * no download is required. * * If this is NULL, Growl will use a default, localized * explanation. * * Only used if you're using Growl-WithInstaller.framework. Otherwise, * this member is ignored. */ CFStringRef growlUpdateInformation; /* This member is provided for use by your retain and release * callbacks (see below). * * GrowlApplicationBridge never directly uses this member. Instead, it * calls your retain callback (if non-NULL) and your release * callback (if non-NULL). */ unsigned referenceCount; //Functions. Currently all of these are optional (any of them can be NULL). /* When you call Growl_SetDelegate(newDelegate), it will call * oldDelegate->release(oldDelegate), and then it will call * newDelegate->retain(newDelegate), and the return value from retain * is what will be set as the delegate. * (This means that this member works like CFRetain and -[NSObject retain].) * This member is optional (it can be NULL). * For a delegate allocated with malloc, this member would be * NULL. * @result A delegate to which GrowlApplicationBridge holds a reference. */ void *(*retain)(void *); /* When you call Growl_SetDelegate(newDelegate), it will call * oldDelegate->release(oldDelegate), and then it will call * newDelegate->retain(newDelegate), and the return value from retain * is what will be set as the delegate. * (This means that this member works like CFRelease and * -[NSObject release].) * This member is optional (it can be NULL). * For a delegate allocated with malloc, this member might be * free(3). */ void (*release)(void *); /* Informs the delegate that Growl (specifically, the GrowlHelperApp) was * launched successfully (or was already running). The application can * take actions with the knowledge that Growl is installed and functional. */ void (*growlIsReady)(void); /* Informs the delegate that a Growl notification was clicked. It is only * sent for notifications sent with a non-NULL clickContext, * so if you want to receive a message when a notification is clicked, * clickContext must not be NULL when calling * Growl_PostNotification or * Growl_NotifyWithTitleDescriptionNameIconPriorityStickyClickContext. */ void (*growlNotificationWasClicked)(CFPropertyListRef clickContext); /* Informs the delegate that a Growl notification timed out. It is only * sent for notifications sent with a non-NULL clickContext, * so if you want to receive a message when a notification is clicked, * clickContext must not be NULL when calling * Growl_PostNotification or * Growl_NotifyWithTitleDescriptionNameIconPriorityStickyClickContext. */ void (*growlNotificationTimedOut)(CFPropertyListRef clickContext); }; /*! @struct Growl_Notification * @abstract Structure describing a Growl notification. * @discussion XXX * @field size The size of the notification structure. * @field name Identifies the notification. * @field title Short synopsis of the notification. * @field description Additional text. * @field iconData An icon for the notification. * @field priority An indicator of the notification's importance. * @field reserved Bits reserved for future usage. * @field isSticky Requests that a notification stay on-screen until dismissed explicitly. * @field clickContext An identifier to be passed to your click callback when a notification is clicked. * @field clickCallback A callback to call when the notification is clicked. */ struct Growl_Notification { /* This should be sizeof(struct Growl_Notification). */ size_t size; /* The notification name distinguishes one type of * notification from another. The name should be human-readable, as it * will be displayed in the Growl preference pane. * * The name is used in the GROWL_NOTIFICATIONS_ALL and * GROWL_NOTIFICATIONS_DEFAULT arrays in the registration dictionary, and * in this member of the Growl_Notification structure. */ CFStringRef name; /* A notification's title describes the notification briefly. * It should be easy to read quickly by the user. */ CFStringRef title; /* The description supplements the title with more * information. It is usually longer and sometimes involves a list of * subjects. For example, for a 'Download complete' notification, the * description might have one filename per line. GrowlMail in Growl 0.6 * uses a description of '%d new mail(s)' (formatted with the number of * messages). */ CFStringRef description; /* The notification icon usually indicates either what * happened (it may have the same icon as e.g. a toolbar item that * started the process that led to the notification), or what it happened * to (e.g. a document icon). * * The icon data is optional, so it can be NULL. In that * case, the application icon is used alone. Not all displays support * icons. * * The data can be in any format supported by NSImage. As of Mac OS X * 10.3, this includes the .icns, TIFF, JPEG, GIF, PNG, PDF, and PICT form * ats. */ CFDataRef iconData; /* Priority is new in Growl 0.6, and is represented as a * signed integer from -2 to +2. 0 is Normal priority, -2 is Very Low * priority, and +2 is Very High priority. * * Not all displays support priority. If you do not wish to assign a * priority to your notification, assign 0. */ signed int priority; /* These bits are not used in Growl 0.6. Set them to 0. */ unsigned reserved: 31; /* When the sticky bit is clear, in most displays, * notifications disappear after a certain amount of time. Sticky * notifications, however, remain on-screen until the user dismisses them * explicitly, usually by clicking them. * * Sticky notifications were introduced in Growl 0.6. Most notifications * should not be sticky. Not all displays support sticky notifications, * and the user may choose in Growl's preference pane to force the * notification to be sticky or non-sticky, in which case the sticky bit * in the notification will be ignored. */ unsigned isSticky: 1; /* If this is not NULL, and your click callback * is not NULL either, this will be passed to the callback * when your notification is clicked by the user. * * Click feedback was introduced in Growl 0.6, and it is optional. Not * all displays support click feedback. */ CFPropertyListRef clickContext; /* If this is not NULL, it will be called instead * of the Growl delegate's click callback when clickContext is * non-NULL and the notification is clicked on by the user. * * Click feedback was introduced in Growl 0.6, and it is optional. Not * all displays support click feedback. * * The per-notification click callback is not yet supported as of Growl * 0.7. */ void (*clickCallback)(CFPropertyListRef clickContext); }; #pragma mark - #pragma mark Easy initialisers /*! @defined InitGrowlDelegate * @abstract Callable macro. Initializes a Growl delegate structure to defaults. * @discussion Call with a pointer to a struct Growl_Delegate. All of the * members of the structure will be set to 0 or NULL, except for * size (which will be set to sizeof(struct Growl_Delegate)) and * referenceCount (which will be set to 1). */ #define InitGrowlDelegate(delegate) \ do { \ if (delegate) { \ (delegate)->size = sizeof(struct Growl_Delegate); \ (delegate)->applicationName = NULL; \ (delegate)->registrationDictionary = NULL; \ (delegate)->applicationIconData = NULL; \ (delegate)->growlInstallationWindowTitle = NULL; \ (delegate)->growlInstallationInformation = NULL; \ (delegate)->growlUpdateWindowTitle = NULL; \ (delegate)->growlUpdateInformation = NULL; \ (delegate)->referenceCount = 1U; \ (delegate)->retain = NULL; \ (delegate)->release = NULL; \ (delegate)->growlIsReady = NULL; \ (delegate)->growlNotificationWasClicked = NULL; \ (delegate)->growlNotificationTimedOut = NULL; \ } \ } while(0) /*! @defined InitGrowlNotification * @abstract Callable macro. Initializes a Growl notification structure to defaults. * @discussion Call with a pointer to a struct Growl_Notification. All of * the members of the structure will be set to 0 or NULL, except * for size (which will be set to * sizeof(struct Growl_Notification)). */ #define InitGrowlNotification(notification) \ do { \ if (notification) { \ (notification)->size = sizeof(struct Growl_Notification); \ (notification)->name = NULL; \ (notification)->title = NULL; \ (notification)->description = NULL; \ (notification)->iconData = NULL; \ (notification)->priority = 0; \ (notification)->reserved = 0U; \ (notification)->isSticky = false; \ (notification)->clickContext = NULL; \ } \ } while(0) #pragma mark - #pragma mark Public API // @functiongroup Managing the Growl delegate /*! @function Growl_SetDelegate * @abstract Replaces the current Growl delegate with a new one, or removes * the Growl delegate. * @param newDelegate * @result Returns false and does nothing else if a pointer that was passed in * is unsatisfactory (because it is non-NULL, but at least one * required member of it is NULL). Otherwise, sets or unsets the * delegate and returns true. * @discussion When newDelegate is non-NULL, sets * the delegate to newDelegate. When it is NULL, * the current delegate will be unset, and no delegate will be in place. * * It is legal for newDelegate to be the current delegate; * nothing will happen, and Growl_SetDelegate will return true. It is also * legal for it to be NULL, as described above; again, it will * return true. * * If there was a delegate in place before the call, Growl_SetDelegate will * call the old delegate's release member if it was non-NULL. If * newDelegate is non-NULL, Growl_SetDelegate will * call newDelegate->retain, and set the delegate to its return * value. * * If you are using Growl-WithInstaller.framework, and an older version of * Growl is installed on the user's system, the user will automatically be * prompted to update. * * GrowlApplicationBridge currently does not copy this structure, nor does it * retain any of the CF objects in the structure (it regards the structure as * a container that retains the objects when they are added and releases them * when they are removed or the structure is destroyed). Also, * GrowlApplicationBridge currently does not modify any member of the * structure, except possibly the referenceCount by calling the retain and * release members. */ Boolean Growl_SetDelegate(struct Growl_Delegate *newDelegate); /*! @function Growl_GetDelegate * @abstract Returns the current Growl delegate, if any. * @result The current Growl delegate. * @discussion Returns the last pointer passed into Growl_SetDelegate, or * NULL if no such call has been made. * * This function follows standard Core Foundation reference-counting rules. * Because it is a Get function, not a Copy function, it will not retain the * delegate on your behalf. You are responsible for retaining and releasing * the delegate as needed. */ struct Growl_Delegate *Growl_GetDelegate(void); #pragma mark - // @functiongroup Posting Growl notifications /*! @function Growl_PostNotification * @abstract Posts a Growl notification. * @param notification The notification to post. * @discussion This is the preferred means for sending a Growl notification. * The notification name and at least one of the title and description are * required (all three are preferred). All other parameters may be * NULL (or 0 or false as appropriate) to accept default values. * * If using the Growl-WithInstaller framework, if Growl is not installed the * user will be prompted to install Growl. * If the user cancels, this function will have no effect until the next * application session, at which time when it is called the user will be * prompted again. The user is also given the option to not be prompted again. * If the user does choose to install Growl, the requested notification will * be displayed once Growl is installed and running. */ void Growl_PostNotification(const struct Growl_Notification *notification); /*! @function Growl_PostNotificationWithDictionary * @abstract Notifies using a userInfo dictionary suitable for passing to * CFDistributedNotificationCenter. * @param userInfo The dictionary to notify with. * @discussion Before Growl 0.6, your application would have posted * notifications using CFDistributedNotificationCenter by creating a userInfo * dictionary with the notification data. This had the advantage of allowing * you to add other data to the dictionary for programs besides Growl that * might be listening. * * This function allows you to use such dictionaries without being restricted * to using CFDistributedNotificationCenter. The keys for this dictionary * can be found in GrowlDefines.h. */ void Growl_PostNotificationWithDictionary(CFDictionaryRef userInfo); /*! @function Growl_NotifyWithTitleDescriptionNameIconPriorityStickyClickContext * @abstract Posts a Growl notification using parameter values. * @param title The title of the notification. * @param description The description of the notification. * @param notificationName The name of the notification as listed in the * registration dictionary. * @param iconData Data representing a notification icon. Can be NULL. * @param priority The priority of the notification (-2 to +2, with -2 * being Very Low and +2 being Very High). * @param isSticky If true, requests that this notification wait for a * response from the user. * @param clickContext An object to pass to the clickCallback, if any. Can * be NULL, in which case the clickCallback is not called. * @discussion Creates a temporary Growl_Notification, fills it out with the * supplied information, and calls Growl_PostNotification on it. * See struct Growl_Notification and Growl_PostNotification for more * information. * * The icon data can be in any format supported by NSImage. As of Mac OS X * 10.3, this includes the .icns, TIFF, JPEG, GIF, PNG, PDF, and PICT formats. */ void Growl_NotifyWithTitleDescriptionNameIconPriorityStickyClickContext( /*inhale*/ CFStringRef title, CFStringRef description, CFStringRef notificationName, CFDataRef iconData, signed int priority, Boolean isSticky, CFPropertyListRef clickContext); #pragma mark - // @functiongroup Registering /*! @function Growl_RegisterWithDictionary * @abstract Register your application with Growl without setting a delegate. * @discussion When you call this function with a dictionary, * GrowlApplicationBridge registers your application using that dictionary. * If you pass NULL, GrowlApplicationBridge will ask the delegate * (if there is one) for a dictionary, and if that doesn't work, it will look * in your application's bundle for an auto-discoverable plist. * (XXX refer to more information on that) * * If you pass a dictionary to this function, it must include the * GROWL_APP_NAME key, unless a delegate is set. * * This function is mainly an alternative to the delegate system introduced * with Growl 0.6. Without a delegate, you cannot receive callbacks such as * growlIsReady (since they are sent to the delegate). You can, * however, set a delegate after registering without one. * * This function was introduced in Growl.framework 0.7. * @result false if registration failed (e.g. if Growl isn't installed). */ Boolean Growl_RegisterWithDictionary(CFDictionaryRef regDict); /*! @function Growl_Reregister * @abstract Updates your registration with Growl. * @discussion If your application changes the contents of the * GROWL_NOTIFICATIONS_ALL key in the registrationDictionary member of the * Growl delegate, or if it changes the value of that member, or if it * changes the contents of its auto-discoverable plist, call this function * to have Growl update its registration information for your application. * * Otherwise, this function does not normally need to be called. If you're * using a delegate, your application will be registered when you set the * delegate if both the delegate and its registrationDictionary member are * non-NULL. * * This function is now implemented using * Growl_RegisterWithDictionary. */ void Growl_Reregister(void); #pragma mark - /*! @function Growl_SetWillRegisterWhenGrowlIsReady * @abstract Tells GrowlApplicationBridge to register with Growl when Growl * launches (or not). * @discussion When Growl has started listening for notifications, it posts a * GROWL_IS_READY notification on the Distributed Notification * Center. GrowlApplicationBridge listens for this notification, using it to * perform various tasks (such as calling your delegate's * growlIsReady callback, if it has one). If this function is * called with true, one of those tasks will be to reregister * with Growl (in the manner of Growl_Reregister). * * This attribute is automatically set back to false * (the default) after every GROWL_IS_READY notification. * @param flag true if you want GrowlApplicationBridge to register with * Growl when next it is ready; false if not. */ void Growl_SetWillRegisterWhenGrowlIsReady(Boolean flag); /*! @function Growl_WillRegisterWhenGrowlIsReady * @abstract Reports whether GrowlApplicationBridge will register with Growl * when Growl next launches. * @result true if GrowlApplicationBridge will register with * Growl when next it posts GROWL_IS_READY; false if not. */ Boolean Growl_WillRegisterWhenGrowlIsReady(void); #pragma mark - // @functiongroup Obtaining registration dictionaries /*! @function Growl_CopyRegistrationDictionaryFromDelegate * @abstract Asks the delegate for a registration dictionary. * @discussion If no delegate is set, or if the delegate's * registrationDictionary member is NULL, this * function returns NULL. * * This function does not attempt to clean up the dictionary in any way - for * example, if it is missing the GROWL_APP_NAME key, the result * will be missing it too. Use * Growl_CreateRegistrationDictionaryByFillingInDictionary: or * Growl_CreateRegistrationDictionaryByFillingInDictionaryRestrictedToKeys * to try to fill in missing keys. * * This function was introduced in Growl.framework 0.7. * @result A registration dictionary. */ CFDictionaryRef Growl_CopyRegistrationDictionaryFromDelegate(void); /*! @function Growl_CopyRegistrationDictionaryFromBundle * @abstract Looks in a bundle for a registration dictionary. * @discussion This function looks in a bundle for an auto-discoverable * registration dictionary file using CFBundleCopyResourceURL. * If it finds one, it loads the file using CFPropertyList and * returns the result. * * If you pass NULL as the bundle, the main bundle is examined. * * This function does not attempt to clean up the dictionary in any way - for * example, if it is missing the GROWL_APP_NAME key, the result * will be missing it too. Use * Growl_CreateRegistrationDictionaryByFillingInDictionary: or * Growl_CreateRegistrationDictionaryByFillingInDictionaryRestrictedToKeys * to try to fill in missing keys. * * This function was introduced in Growl.framework 0.7. * @result A registration dictionary. */ CFDictionaryRef Growl_CopyRegistrationDictionaryFromBundle(CFBundleRef bundle); /*! @function Growl_CreateBestRegistrationDictionary * @abstract Obtains a registration dictionary, filled out to the best of * GrowlApplicationBridge's knowledge. * @discussion This function creates a registration dictionary as best * GrowlApplicationBridge knows how. * * First, GrowlApplicationBridge examines the Growl delegate (if there is * one) and gets the registration dictionary from that. If no such dictionary * was obtained, GrowlApplicationBridge looks in your application's main * bundle for an auto-discoverable registration dictionary file. If that * doesn't exist either, this function returns NULL. * * Second, GrowlApplicationBridge calls * Growl_CreateRegistrationDictionaryByFillingInDictionary with * whatever dictionary was obtained. The result of that function is the * result of this function. * * GrowlApplicationBridge uses this function when you call * Growl_SetDelegate, or when you call * Growl_RegisterWithDictionary with NULL. * * This function was introduced in Growl.framework 0.7. * @result A registration dictionary. */ CFDictionaryRef Growl_CreateBestRegistrationDictionary(void); #pragma mark - // @functiongroup Filling in registration dictionaries /*! @function Growl_CreateRegistrationDictionaryByFillingInDictionary * @abstract Tries to fill in missing keys in a registration dictionary. * @param regDict The dictionary to fill in. * @result The dictionary with the keys filled in. * @discussion This function examines the passed-in dictionary for missing keys, * and tries to work out correct values for them. As of 0.7, it uses: * * Key Value * --- ----- * GROWL_APP_NAME CFBundleExecutableName * GROWL_APP_ICON The icon of the application. * GROWL_APP_LOCATION The location of the application. * GROWL_NOTIFICATIONS_DEFAULT GROWL_NOTIFICATIONS_ALL * * Keys are only filled in if missing; if a key is present in the dictionary, * its value will not be changed. * * This function was introduced in Growl.framework 0.7. */ CFDictionaryRef Growl_CreateRegistrationDictionaryByFillingInDictionary(CFDictionaryRef regDict); /*! @function Growl_CreateRegistrationDictionaryByFillingInDictionaryRestrictedToKeys * @abstract Tries to fill in missing keys in a registration dictionary. * @param regDict The dictionary to fill in. * @param keys The keys to fill in. If NULL, any missing keys are filled in. * @result The dictionary with the keys filled in. * @discussion This function examines the passed-in dictionary for missing keys, * and tries to work out correct values for them. As of 0.7, it uses: * * Key Value * --- ----- * GROWL_APP_NAME CFBundleExecutableName * GROWL_APP_ICON The icon of the application. * GROWL_APP_LOCATION The location of the application. * GROWL_NOTIFICATIONS_DEFAULT GROWL_NOTIFICATIONS_ALL * * Only those keys that are listed in keys will be filled in. * Other missing keys are ignored. Also, keys are only filled in if missing; * if a key is present in the dictionary, its value will not be changed. * * This function was introduced in Growl.framework 0.7. */ CFDictionaryRef Growl_CreateRegistrationDictionaryByFillingInDictionaryRestrictedToKeys(CFDictionaryRef regDict, CFSetRef keys); #pragma mark - // @functiongroup Querying Growl's status /*! @function Growl_IsInstalled * @abstract Determines whether the Growl prefpane and its helper app are * installed. * @result Returns true if Growl is installed, false otherwise. */ Boolean Growl_IsInstalled(void); /*! @function Growl_IsRunning * @abstract Cycles through the process list to find whether GrowlHelperApp * is running. * @result Returns true if Growl is running, false otherwise. */ Boolean Growl_IsRunning(void); #pragma mark - // @functiongroup Launching Growl /*! @typedef GrowlLaunchCallback * @abstract Callback to notify you that Growl is running. * @param context The context pointer passed to Growl_LaunchIfInstalled. * @discussion Growl_LaunchIfInstalled calls this callback function if Growl * was already running or if it launched Growl successfully. */ typedef void (*GrowlLaunchCallback)(void *context); /*! @function Growl_LaunchIfInstalled * @abstract Launches GrowlHelperApp if it is not already running. * @param callback A callback function which will be called if Growl was successfully * launched or was already running. Can be NULL. * @param context The context pointer to pass to the callback. Can be NULL. * @result Returns true if Growl was successfully launched or was already * running; returns false and does not call the callback otherwise. * @discussion Returns true and calls the callback (if the callback is not * NULL) if the Growl helper app began launching or was already * running. Returns false and performs no other action if Growl could not be * launched (e.g. because the Growl preference pane is not properly installed). * * If Growl_CreateBestRegistrationDictionary returns * non-NULL, this function will register with Growl atomically. * * The callback should take a single argument; this is to allow applications * to have context-relevant information passed back. It is perfectly * acceptable for context to be NULL. The callback itself can be * NULL if you don't want one. */ Boolean Growl_LaunchIfInstalled(GrowlLaunchCallback callback, void *context); #pragma mark - #pragma mark Constants /*! @defined GROWL_PREFPANE_BUNDLE_IDENTIFIER * @abstract The CFBundleIdentifier of the Growl preference pane bundle. * @discussion GrowlApplicationBridge uses this to determine whether Growl is * currently installed, by searching for the Growl preference pane. Your * application probably does not need to use this macro itself. */ #ifndef GROWL_PREFPANE_BUNDLE_IDENTIFIER #define GROWL_PREFPANE_BUNDLE_IDENTIFIER CFSTR("com.growl.prefpanel") #endif __END_DECLS #endif /* _GROWLAPPLICATIONBRIDGE_CARBON_H_ */ unison-2.40.102/uimacnew/Growl.framework/Versions/A/Headers/GrowlApplicationBridge.h0000644006131600613160000006317411361646373030427 0ustar bcpiercebcpierce// // GrowlApplicationBridge.h // Growl // // Created by Evan Schoenberg on Wed Jun 16 2004. // Copyright 2004-2005 The Growl Project. All rights reserved. // /*! * @header GrowlApplicationBridge.h * @abstract Defines the GrowlApplicationBridge class. * @discussion This header defines the GrowlApplicationBridge class as well as * the GROWL_PREFPANE_BUNDLE_IDENTIFIER constant. */ #ifndef __GrowlApplicationBridge_h__ #define __GrowlApplicationBridge_h__ #import #import "GrowlDefines.h" //Forward declarations @protocol GrowlApplicationBridgeDelegate; /*! * @defined GROWL_PREFPANE_BUNDLE_IDENTIFIER * @discussion The bundle identifier for the Growl prefpane. */ #define GROWL_PREFPANE_BUNDLE_IDENTIFIER @"com.growl.prefpanel" /*! * @defined GROWL_PREFPANE_NAME * @discussion The file name of the Growl prefpane. */ #define GROWL_PREFPANE_NAME @"Growl.prefPane" //Internal notification when the user chooses not to install (to avoid continuing to cache notifications awaiting installation) #define GROWL_USER_CHOSE_NOT_TO_INSTALL_NOTIFICATION @"User chose not to install" //------------------------------------------------------------------------------ #pragma mark - /*! * @class GrowlApplicationBridge * @abstract A class used to interface with Growl. * @discussion This class provides a means to interface with Growl. * * Currently it provides a way to detect if Growl is installed and launch the * GrowlHelperApp if it's not already running. */ @interface GrowlApplicationBridge : NSObject { } /*! * @method isGrowlInstalled * @abstract Detects whether Growl is installed. * @discussion Determines if the Growl prefpane and its helper app are installed. * @result Returns YES if Growl is installed, NO otherwise. */ + (BOOL) isGrowlInstalled; /*! * @method isGrowlRunning * @abstract Detects whether GrowlHelperApp is currently running. * @discussion Cycles through the process list to find whether GrowlHelperApp is running and returns its findings. * @result Returns YES if GrowlHelperApp is running, NO otherwise. */ + (BOOL) isGrowlRunning; #pragma mark - /*! * @method setGrowlDelegate: * @abstract Set the object which will be responsible for providing and receiving Growl information. * @discussion This must be called before using GrowlApplicationBridge. * * The methods in the GrowlApplicationBridgeDelegate protocol are required * and return the basic information needed to register with Growl. * * The methods in the GrowlApplicationBridgeDelegate_InformalProtocol * informal protocol are individually optional. They provide a greater * degree of interaction between the application and growl such as informing * the application when one of its Growl notifications is clicked by the user. * * The methods in the GrowlApplicationBridgeDelegate_Installation_InformalProtocol * informal protocol are individually optional and are only applicable when * using the Growl-WithInstaller.framework which allows for automated Growl * installation. * * When this method is called, data will be collected from inDelegate, Growl * will be launched if it is not already running, and the application will be * registered with Growl. * * If using the Growl-WithInstaller framework, if Growl is already installed * but this copy of the framework has an updated version of Growl, the user * will be prompted to update automatically. * * @param inDelegate The delegate for the GrowlApplicationBridge. It must conform to the GrowlApplicationBridgeDelegate protocol. */ + (void) setGrowlDelegate:(NSObject *)inDelegate; /*! * @method growlDelegate * @abstract Return the object responsible for providing and receiving Growl information. * @discussion See setGrowlDelegate: for details. * @result The Growl delegate. */ + (NSObject *) growlDelegate; #pragma mark - /*! * @method notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext: * @abstract Send a Growl notification. * @discussion This is the preferred means for sending a Growl notification. * The notification name and at least one of the title and description are * required (all three are preferred). All other parameters may be * nil (or 0 or NO as appropriate) to accept default values. * * If using the Growl-WithInstaller framework, if Growl is not installed the * user will be prompted to install Growl. If the user cancels, this method * will have no effect until the next application session, at which time when * it is called the user will be prompted again. The user is also given the * option to not be prompted again. If the user does choose to install Growl, * the requested notification will be displayed once Growl is installed and * running. * * @param title The title of the notification displayed to the user. * @param description The full description of the notification displayed to the user. * @param notifName The internal name of the notification. Should be human-readable, as it will be displayed in the Growl preference pane. * @param iconData NSData object to show with the notification as its icon. If nil, the application's icon will be used instead. * @param priority The priority of the notification. The default value is 0; positive values are higher priority and negative values are lower priority. Not all Growl displays support priority. * @param isSticky If YES, the notification will remain on screen until clicked. Not all Growl displays support sticky notifications. * @param clickContext A context passed back to the Growl delegate if it implements -(void)growlNotificationWasClicked: and the notification is clicked. Not all display plugins support clicking. The clickContext must be plist-encodable (completely of NSString, NSArray, NSNumber, NSDictionary, and NSData types). */ + (void) notifyWithTitle:(NSString *)title description:(NSString *)description notificationName:(NSString *)notifName iconData:(NSData *)iconData priority:(signed int)priority isSticky:(BOOL)isSticky clickContext:(id)clickContext; /*! * @method notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:identifier: * @abstract Send a Growl notification. * @discussion This is the preferred means for sending a Growl notification. * The notification name and at least one of the title and description are * required (all three are preferred). All other parameters may be * nil (or 0 or NO as appropriate) to accept default values. * * If using the Growl-WithInstaller framework, if Growl is not installed the * user will be prompted to install Growl. If the user cancels, this method * will have no effect until the next application session, at which time when * it is called the user will be prompted again. The user is also given the * option to not be prompted again. If the user does choose to install Growl, * the requested notification will be displayed once Growl is installed and * running. * * @param title The title of the notification displayed to the user. * @param description The full description of the notification displayed to the user. * @param notifName The internal name of the notification. Should be human-readable, as it will be displayed in the Growl preference pane. * @param iconData NSData object to show with the notification as its icon. If nil, the application's icon will be used instead. * @param priority The priority of the notification. The default value is 0; positive values are higher priority and negative values are lower priority. Not all Growl displays support priority. * @param isSticky If YES, the notification will remain on screen until clicked. Not all Growl displays support sticky notifications. * @param clickContext A context passed back to the Growl delegate if it implements -(void)growlNotificationWasClicked: and the notification is clicked. Not all display plugins support clicking. The clickContext must be plist-encodable (completely of NSString, NSArray, NSNumber, NSDictionary, and NSData types). * @param identifier An identifier for this notification. Notifications with equal identifiers are coalesced. */ + (void) notifyWithTitle:(NSString *)title description:(NSString *)description notificationName:(NSString *)notifName iconData:(NSData *)iconData priority:(signed int)priority isSticky:(BOOL)isSticky clickContext:(id)clickContext identifier:(NSString *)identifier; /*! @method notifyWithDictionary: * @abstract Notifies using a userInfo dictionary suitable for passing to * NSDistributedNotificationCenter. * @param userInfo The dictionary to notify with. * @discussion Before Growl 0.6, your application would have posted * notifications using NSDistributedNotificationCenter by * creating a userInfo dictionary with the notification data. This had the * advantage of allowing you to add other data to the dictionary for programs * besides Growl that might be listening. * * This method allows you to use such dictionaries without being restricted * to using NSDistributedNotificationCenter. The keys for this dictionary * can be found in GrowlDefines.h. */ + (void) notifyWithDictionary:(NSDictionary *)userInfo; #pragma mark - /*! @method registerWithDictionary: * @abstract Register your application with Growl without setting a delegate. * @discussion When you call this method with a dictionary, * GrowlApplicationBridge registers your application using that dictionary. * If you pass nil, GrowlApplicationBridge will ask the delegate * (if there is one) for a dictionary, and if that doesn't work, it will look * in your application's bundle for an auto-discoverable plist. * (XXX refer to more information on that) * * If you pass a dictionary to this method, it must include the * GROWL_APP_NAME key, unless a delegate is set. * * This method is mainly an alternative to the delegate system introduced * with Growl 0.6. Without a delegate, you cannot receive callbacks such as * -growlIsReady (since they are sent to the delegate). You can, * however, set a delegate after registering without one. * * This method was introduced in Growl.framework 0.7. */ + (BOOL) registerWithDictionary:(NSDictionary *)regDict; /*! @method reregisterGrowlNotifications * @abstract Reregister the notifications for this application. * @discussion This method does not normally need to be called. If your * application changes what notifications it is registering with Growl, call * this method to have the Growl delegate's * -registrationDictionaryForGrowl method called again and the * Growl registration information updated. * * This method is now implemented using -registerWithDictionary:. */ + (void) reregisterGrowlNotifications; #pragma mark - /*! @method setWillRegisterWhenGrowlIsReady: * @abstract Tells GrowlApplicationBridge to register with Growl when Growl * launches (or not). * @discussion When Growl has started listening for notifications, it posts a * GROWL_IS_READY notification on the Distributed Notification * Center. GrowlApplicationBridge listens for this notification, using it to * perform various tasks (such as calling your delegate's * -growlIsReady method, if it has one). If this method is * called with YES, one of those tasks will be to reregister * with Growl (in the manner of -reregisterGrowlNotifications). * * This attribute is automatically set back to NO (the default) * after every GROWL_IS_READY notification. * @param flag YES if you want GrowlApplicationBridge to register with * Growl when next it is ready; NO if not. */ + (void) setWillRegisterWhenGrowlIsReady:(BOOL)flag; /*! @method willRegisterWhenGrowlIsReady * @abstract Reports whether GrowlApplicationBridge will register with Growl * when Growl next launches. * @result YES if GrowlApplicationBridge will register with Growl * when next it posts GROWL_IS_READY; NO if not. */ + (BOOL) willRegisterWhenGrowlIsReady; #pragma mark - /*! @method registrationDictionaryFromDelegate * @abstract Asks the delegate for a registration dictionary. * @discussion If no delegate is set, or if the delegate's * -registrationDictionaryForGrowl method returns * nil, this method returns nil. * * This method does not attempt to clean up the dictionary in any way - for * example, if it is missing the GROWL_APP_NAME key, the result * will be missing it too. Use +[GrowlApplicationBridge * registrationDictionaryByFillingInDictionary:] or * +[GrowlApplicationBridge * registrationDictionaryByFillingInDictionary:restrictToKeys:] to try * to fill in missing keys. * * This method was introduced in Growl.framework 0.7. * @result A registration dictionary. */ + (NSDictionary *) registrationDictionaryFromDelegate; /*! @method registrationDictionaryFromBundle: * @abstract Looks in a bundle for a registration dictionary. * @discussion This method looks in a bundle for an auto-discoverable * registration dictionary file using -[NSBundle * pathForResource:ofType:]. If it finds one, it loads the file using * +[NSDictionary dictionaryWithContentsOfFile:] and returns the * result. * * If you pass nil as the bundle, the main bundle is examined. * * This method does not attempt to clean up the dictionary in any way - for * example, if it is missing the GROWL_APP_NAME key, the result * will be missing it too. Use +[GrowlApplicationBridge * registrationDictionaryByFillingInDictionary:] or * +[GrowlApplicationBridge * registrationDictionaryByFillingInDictionary:restrictToKeys:] to try * to fill in missing keys. * * This method was introduced in Growl.framework 0.7. * @result A registration dictionary. */ + (NSDictionary *) registrationDictionaryFromBundle:(NSBundle *)bundle; /*! @method bestRegistrationDictionary * @abstract Obtains a registration dictionary, filled out to the best of * GrowlApplicationBridge's knowledge. * @discussion This method creates a registration dictionary as best * GrowlApplicationBridge knows how. * * First, GrowlApplicationBridge contacts the Growl delegate (if there is * one) and gets the registration dictionary from that. If no such dictionary * was obtained, GrowlApplicationBridge looks in your application's main * bundle for an auto-discoverable registration dictionary file. If that * doesn't exist either, this method returns nil. * * Second, GrowlApplicationBridge calls * +registrationDictionaryByFillingInDictionary: with whatever * dictionary was obtained. The result of that method is the result of this * method. * * GrowlApplicationBridge uses this method when you call * +setGrowlDelegate:, or when you call * +registerWithDictionary: with nil. * * This method was introduced in Growl.framework 0.7. * @result A registration dictionary. */ + (NSDictionary *) bestRegistrationDictionary; #pragma mark - /*! @method registrationDictionaryByFillingInDictionary: * @abstract Tries to fill in missing keys in a registration dictionary. * @discussion This method examines the passed-in dictionary for missing keys, * and tries to work out correct values for them. As of 0.7, it uses: * * Key Value * --- ----- * GROWL_APP_NAME CFBundleExecutableName * GROWL_APP_ICON The icon of the application. * GROWL_APP_LOCATION The location of the application. * GROWL_NOTIFICATIONS_DEFAULT GROWL_NOTIFICATIONS_ALL * * Keys are only filled in if missing; if a key is present in the dictionary, * its value will not be changed. * * This method was introduced in Growl.framework 0.7. * @param regDict The dictionary to fill in. * @result The dictionary with the keys filled in. This is an autoreleased * copy of regDict. */ + (NSDictionary *) registrationDictionaryByFillingInDictionary:(NSDictionary *)regDict; /*! @method registrationDictionaryByFillingInDictionary:restrictToKeys: * @abstract Tries to fill in missing keys in a registration dictionary. * @discussion This method examines the passed-in dictionary for missing keys, * and tries to work out correct values for them. As of 0.7, it uses: * * Key Value * --- ----- * GROWL_APP_NAME CFBundleExecutableName * GROWL_APP_ICON The icon of the application. * GROWL_APP_LOCATION The location of the application. * GROWL_NOTIFICATIONS_DEFAULT GROWL_NOTIFICATIONS_ALL * * Only those keys that are listed in keys will be filled in. * Other missing keys are ignored. Also, keys are only filled in if missing; * if a key is present in the dictionary, its value will not be changed. * * This method was introduced in Growl.framework 0.7. * @param regDict The dictionary to fill in. * @param keys The keys to fill in. If nil, any missing keys are filled in. * @result The dictionary with the keys filled in. This is an autoreleased * copy of regDict. */ + (NSDictionary *) registrationDictionaryByFillingInDictionary:(NSDictionary *)regDict restrictToKeys:(NSSet *)keys; @end //------------------------------------------------------------------------------ #pragma mark - /*! * @protocol GrowlApplicationBridgeDelegate * @abstract Required protocol for the Growl delegate. * @discussion The methods in this protocol are required and are called * automatically as needed by GrowlApplicationBridge. See * +[GrowlApplicationBridge setGrowlDelegate:]. * See also GrowlApplicationBridgeDelegate_InformalProtocol. */ @protocol GrowlApplicationBridgeDelegate // -registrationDictionaryForGrowl has moved to the informal protocol as of 0.7. @end //------------------------------------------------------------------------------ #pragma mark - /*! * @category NSObject(GrowlApplicationBridgeDelegate_InformalProtocol) * @abstract Methods which may be optionally implemented by the GrowlDelegate. * @discussion The methods in this informal protocol will only be called if implemented by the delegate. */ @interface NSObject (GrowlApplicationBridgeDelegate_InformalProtocol) /*! * @method registrationDictionaryForGrowl * @abstract Return the dictionary used to register this application with Growl. * @discussion The returned dictionary gives Growl the complete list of * notifications this application will ever send, and it also specifies which * notifications should be enabled by default. Each is specified by an array * of NSString objects. * * For most applications, these two arrays can be the same (if all sent * notifications should be displayed by default). * * The NSString objects of these arrays will correspond to the * notificationName: parameter passed in * +[GrowlApplicationBridge * notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:] calls. * * The dictionary should have 2 key object pairs: * key: GROWL_NOTIFICATIONS_ALL object: NSArray of NSString objects * key: GROWL_NOTIFICATIONS_DEFAULT object: NSArray of NSString objects * * You do not need to implement this method if you have an auto-discoverable * plist file in your app bundle. (XXX refer to more information on that) * * @result The NSDictionary to use for registration. */ - (NSDictionary *) registrationDictionaryForGrowl; /*! * @method applicationNameForGrowl * @abstract Return the name of this application which will be used for Growl bookkeeping. * @discussion This name is used both internally and in the Growl preferences. * * This should remain stable between different versions and incarnations of * your application. * For example, "SurfWriter" is a good app name, whereas "SurfWriter 2.0" and * "SurfWriter Lite" are not. * * You do not need to implement this method if you are providing the * application name elsewhere, meaning in an auto-discoverable plist file in * your app bundle (XXX refer to more information on that) or in the result * of -registrationDictionaryForGrowl. * * @result The name of the application using Growl. */ - (NSString *) applicationNameForGrowl; /*! * @method applicationIconDataForGrowl * @abstract Return the NSData to treat as the application icon. * @discussion The delegate may optionally return an NSData * object to use as the application icon; if this is not implemented, the * application's own icon is used. This is not generally needed. * @result The NSData to treat as the application icon. */ - (NSData *) applicationIconDataForGrowl; /*! * @method growlIsReady * @abstract Informs the delegate that Growl has launched. * @discussion Informs the delegate that Growl (specifically, the * GrowlHelperApp) was launched successfully or was already running. The * application can take actions with the knowledge that Growl is installed and * functional. */ - (void) growlIsReady; /*! * @method growlNotificationWasClicked: * @abstract Informs the delegate that a Growl notification was clicked. * @discussion Informs the delegate that a Growl notification was clicked. It * is only sent for notifications sent with a non-nil * clickContext, so if you want to receive a message when a notification is * clicked, clickContext must not be nil when calling * +[GrowlApplicationBridge notifyWithTitle: description:notificationName:iconData:priority:isSticky:clickContext:]. * @param clickContext The clickContext passed when displaying the notification originally via +[GrowlApplicationBridge notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:]. */ - (void) growlNotificationWasClicked:(id)clickContext; /*! * @method growlNotificationTimedOut: * @abstract Informs the delegate that a Growl notification timed out. * @discussion Informs the delegate that a Growl notification timed out. It * is only sent for notifications sent with a non-nil * clickContext, so if you want to receive a message when a notification is * clicked, clickContext must not be nil when calling * +[GrowlApplicationBridge notifyWithTitle: description:notificationName:iconData:priority:isSticky:clickContext:]. * @param clickContext The clickContext passed when displaying the notification originally via +[GrowlApplicationBridge notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:]. */ - (void) growlNotificationTimedOut:(id)clickContext; @end #pragma mark - /*! * @category NSObject(GrowlApplicationBridgeDelegate_Installation_InformalProtocol) * @abstract Methods which may be optionally implemented by the Growl delegate when used with Growl-WithInstaller.framework. * @discussion The methods in this informal protocol will only be called if * implemented by the delegate. They allow greater control of the information * presented to the user when installing or upgrading Growl from within your * application when using Growl-WithInstaller.framework. */ @interface NSObject (GrowlApplicationBridgeDelegate_Installation_InformalProtocol) /*! * @method growlInstallationWindowTitle * @abstract Return the title of the installation window. * @discussion If not implemented, Growl will use a default, localized title. * @result An NSString object to use as the title. */ - (NSString *)growlInstallationWindowTitle; /*! * @method growlUpdateWindowTitle * @abstract Return the title of the upgrade window. * @discussion If not implemented, Growl will use a default, localized title. * @result An NSString object to use as the title. */ - (NSString *)growlUpdateWindowTitle; /*! * @method growlInstallationInformation * @abstract Return the information to display when installing. * @discussion This information may be as long or short as desired (the window * will be sized to fit it). It will be displayed to the user as an * explanation of what Growl is and what it can do in your application. It * should probably note that no download is required to install. * * If this is not implemented, Growl will use a default, localized explanation. * @result An NSAttributedString object to display. */ - (NSAttributedString *)growlInstallationInformation; /*! * @method growlUpdateInformation * @abstract Return the information to display when upgrading. * @discussion This information may be as long or short as desired (the window * will be sized to fit it). It will be displayed to the user as an * explanation that an updated version of Growl is included in your * application and no download is required. * * If this is not implemented, Growl will use a default, localized explanation. * @result An NSAttributedString object to display. */ - (NSAttributedString *)growlUpdateInformation; @end //private @interface GrowlApplicationBridge (GrowlInstallationPrompt_private) + (void) _userChoseNotToInstallGrowl; @end #endif /* __GrowlApplicationBridge_h__ */ unison-2.40.102/uimacnew/Growl.framework/Versions/A/Headers/Growl.h0000644006131600613160000000020211361646373025105 0ustar bcpiercebcpierce#include "GrowlDefines.h" #ifdef __OBJC__ # include "GrowlApplicationBridge.h" #endif #include "GrowlApplicationBridge-Carbon.h" unison-2.40.102/uimacnew/Growl.framework/Versions/A/Growl0000755006131600613160000042022411361646373023321 0ustar bcpiercebcpiercex    l__TEXT__text__TEXTO__picsymbol_stub__TEXTh4h4$__picsymbolstub1__TEXTh@h@ __cstring__TEXTv@)pv@__literal4__TEXT__const__TEXT__DATA__data__DATA__dyld__DATA__nl_symbol_ptr__DATA$$p__la_symbol_ptr__DATA@@w__const__DATA__bss__DATA,__OBJC__cat_cls_meth__OBJC,__cat_inst_meth__OBJC,t,__string_object__OBJC__cstring_object__OBJC__message_refs__OBJC__sel_fixup__OBJC``__cls_refs__OBJC`H`__class__OBJC__meta_class__OBJC88__cls_meth__OBJC`__inst_meth__OBJC(\(__protocol__OBJC(__category__OBJC(__class_vars__OBJC__instance_vars__OBJC(__module_info__OBJCP__symbols__OBJCLPL8__LINKEDITHxHx XC@executable_path/../Frameworks/Growl.framework/Versions/A/Growl pC7q/System/Library/Frameworks/ApplicationServices.framework/Versions/A/ApplicationServices XC7q/System/Library/Frameworks/Carbon.framework/Versions/A/Carbon XC7q8!-/System/Library/Frameworks/AppKit.framework/Versions/C/AppKit `C7q7,/System/Library/Frameworks/Foundation.framework/Versions/C/Foundation 4CF/usr/lib/libobjc.A.dylib 4CFX/usr/lib/libSystem.B.dylib libobjcxd PNN!o0!8l<O |B}|}cx=l}| x=PN }cxK|B}h|=kk8}iN |!B<8c],88K8/A<c}N!8!`|N |B}=|9}N |<|{x(;0;0hcHO;ޗ,|zxwHOxHO<4wcxHO|xxyHO}<x8cxHOiHOa/y@<<8c8HO!?>?;l:їD>_}>>>HO<x<cxHOHN<Ɨ@<ex}8爨9CxHN<<HcHN<LHNP|~xrHN<T=89xHN<\|}xXwHNi/A(<CxƗ`exx9HNAH <Cxexdx8HN!?xhHNPrHNT<Бh=8x9HM<\|}xlopHM/A(<DCxƗpexx9HMH <Cxexdx8HMhxHMy<cxtxHMe<_8Bt8!b|N ;Z4;9:`?y;LHL <|}x<,cHK<0HK逗|exxHKـ|}x<cHKŀ<d<_<==_8B8ƅ9~)x9Jx88A<@HKy|~xxHKi/A <<~xh8Ɔ xHKE/A <<~xh8ƆxHK!/A <<~exh8Ɔ,xHJ/A <<~Exh8Ɔ<xHJ/AHyHJŀ~xHJ<<h|}x8ƆLxxHJxHJ/ALyHJy<}{xlHJi<<h|}x8Ɔ\xxHJIxHJ=/A <<}sxh8ƆlxHJ<~óxxpHJ8!x|HI|@&||+xHG齡$A!B<LHI<|~x<PcHI<<T||x8xHI|}yAH<xXHIm/A0<x\HIU<<@|ex8ƃxHI9<<xT8HI!|}yAH<xXHI /A0<x\HH<<@|ex8ƂxHH<xHH<_8B0aP|t/A<<<c8T8`HH|`yTA8a@HH58a@HH /@L<aTdHHU<<h8|}xHH=<PlxHH)8a@HGHT8a@HGu|dx<8cdHGH8<<cHG<Pp<88t9HG8!@a$}c HF|h8!`|fxxcxxa|H>|a<}cx?l!??|+xă{0ȃ,H><X<8y(H>}h8!`|fxxcxxa|H>X|??<!;ކX;||x /A}H=?<?;tc`;H=<<\8v8H=<c4H=<<8vx8H=|t/A<x`H=u8X8!P|N |<||x<xpx8H>zxH>exH>]8`H<_8B{bbh8!`A|N |B}H|AX<8!Px8sH88|H=X8!P|N ||y|B!@<<8cr8rHh>wy,/@<<8cr8rHD/@ c/A<8rpH=|~x/@<<8cr8sH7 H;a@<8(8scx>H<:H=Unh8 a8xH x@/A|#xH&|yxH<_BS" AxH!||xHL8;@xH&MxH&%x8|ex#xH%/||x@ |wxH/@<88c[HeH/AcxH!|{xH,xH%x|{x#xH%Q|}xxH"%x/@<x8c[H H@x8@H'9/@<x8c[H8cxH$8`8``cA cxH$~9>8^;cx;^x;}iD}bEH'=88HCxH$E8@>`B8@Cx,>(^@ x;>;@#xH#=U8$x8\x^^H<_8B'888~H"xH"||yAP;Cx8xH"Q|cyA<|fx88DxH"<xx8cYHH;88HxH"/888^@;a@`x;x8Hx$HxH!u||yAP;Cx8xH!|cyA<|fx88DxH!Y<xx8cYHH48:`x[>??;9Dؐ^H!m||yA/A;~óx8xH! |cyA<|fx88DxH <_~xBQpb<_BQtcxBFxH ]|}y@ <cxFx8E<8H |}x<$xx8cYxxH/AHxH H<xH||y@~óx88HH/A??;9EK/@0/A~cx88PHq;88\x;^0;~H uU8x8\Cx^Вԓ~H-CxH||x<8cYxHQ/AP;cx8xH|cyA<|fx88ExHU<xx8cYHHd<`PHu|{yA<P~Pd~`8~@H5/||x@h;/A/AD;8~8xH|cyA<|fx88DxH<8cZHXhCxTH||yAL;8~8xH|cyA<|fx88ExHe<8cZxxH/A0cxH!8~0H|{yAL;8~8xH=|cyA<|fx88ExH<xx8cZ(H/@|x8~@H|{yAL;8~8xH|cyA<|fx88DxH<xx8cZ8HE/@|xx!a|N |AB|}x!@|#x|+x88\;@xH8@\xH|~x<8cTxH/A /wA4<x8cTHH 8a@xEx8gxK|~x/A/w@;8!xA|N |AB|#x!|{x;@8@Hi;|}xxxHU/@<dx8cTH/@<x8cT$HHL;x8a@xK|dy@ <_xBKbH|zxH<ex8cT4HX8!PCxA|N |}y|B|#x!|+x|3x;`@<8cSlHEH<_xBJDxH||y@<x8cS|HHH/@<x8cSHHxxFxx88@9DaDH-|{y@D<x8cSH/A @aD/A/A xHHxHxHqx8!pcx|N |}D$&~D$$腌t}D$fu$iDžuZ:nD$}D$E$DDžu5JƉ$ V~T$$Nj~D$4$ [^_]UVSkt|D$E$׋mT$1}T$$軋D$ q}D$|D$4$蛋[^]UVS6kBtZ|D$E$lfmT$|T$$PD$ |D$V|D$4$0[^]UWVS,j}ƃs{D$|D$s$t{D$s$ӊ|D$~}$車:kD$ t${T$$藊|D$}$D$t$ |$|T$$]st{D$<$Bƃs,[^_]UWVSiA{D$|$ … lD$ !lD$){D$$ډ…zD$$辉D$|$T$$菉ECED${D$U$o1lT$zT$$SƋ{D$|$9zT$$'D$zD$4$qk|$zT$$ƋzD$4$=vGzD$<$Ȉ)‰T$zD$4$諈|$zT$$蕈脈t$zT$$xƋzD$4$d=vGzD$<$K)‰T$zD$4$.|$zT$$ƍED$D$ ED$zD$|$…t D$ t$zD$$ćCED$t$Al$轇UT$Ql$訇{D$E$zD$4$mD$,T$$Du1ҋ$ẺЃEЄt,1EEE ED$Ẻ$1[^_]USfD$?xD$E$迆[]U\fxo]US$Lfiot.D$UT$ D$hT$$ʆ$[]UWVSe}uhouhD$h$2&Pxu+@tht$$ʆxuh뱍huhEhEiEčiEȍ.iE̍>iEЍNiEԍ^ipM؍nitE4EED$D$ d04$r|GD$D$ 4$UEGEED$D$4$1EwOWxE|EuMG EEEEEUEEt uM EEƉEuu ~iE}҃oH tpL@ DGttDGD`D$lD$T$ ED$ED$d$蒄Ɖ$v4$|$M $E$Ĭ[^_]UHE$eUEE؋EE܋E EEEEE}ˆUE EEԉ$/U0cEPl]Uc=l]US c$lt@tD$r$諃[]UWVSLbuu D$ cfD$sfD$4$舃EЅua4$ɃƅD$$UDžu 4$覃lj4$諃|$f$諂<$艃rD$EЉ$EԅuEЉ$PEԋEЉD$98<$͂ƅt~$EED$ED$D$ D$t$<$\Ẻ4$4$Et$D$EԉD$f$E$Ȃ}̅uEԉD$f$ƁyẺ$Y趂9tj譂$NjẺ$4$ ƋẺD$t$ |$EԉD$f$f4$D<$<Ẻ$1EEԉ$EЉ$EẼL[^_]UWVSL`Eu1D$D$ $E̋E uwcwc|$E $t|$Ủ$̀u\it,BuBt|$$?t$Gƅu ƅtt$|$Ẻ$F4$*E u dU dEԉD$U $ӀEԉD$Ủ$(uxit/B uBt!UԉT$$蘀t$蠀ƅu!Džt4$QƉ<$茀tt$EԉD$Ủ$膀4$jE u dE dUЉT$E $UЉT$Ẻ$h0Dž$U…tldEU D$D$D$ ED$ED$ $*ƅt2D$UЉT$Ẻ$4$UЉT$Ẻ$~<${E uddt$U $*t?t$Ẻ$~u,dD$Ủ$tD$t$Ẻ$(ỦT$ $v~ƋẺ$~L[^_]UD$E$UWVSPtTD$$rDžuVD$}T$q1n[rWU WT$D$|$ ED$D$3t04$qEr-WT$D$|$ UT$D$4$qNjZttZqD$D$ED$ aD$D$4$qD$D$|$ D$D$4$`qƃZVZtM+qD$ UT$aD$4$pD$ |$D$4$pƃZE$Kq<$Cq$Z<[^_]UWVS,OpT$$pƃXX$qEEmTE؍}TE@ED$X$/pƋE؉D$4$}pNjE܉D$4$lp$׃EE9E|X$ppǃXXt$ƃX,[^_]US$NEEEED$E$ptD$T$oEE$[]UVSpNEEut$E$/ptD$AT$n1t$p$np[^]UWVD$$nƉ<$^o^_]UVS`Mut$ D$D$pmet$lnftT$S$%n1t$cp$n`[^]UWVƅu1D$$Wnlj4$n^_]UWVSVMuu&SD$6S$m+E$nD$FSD$4$mlj4$LnEut$E$nt?EED$t$$wnft%T$ED$VS$mEE$vnD$D$ED$ D$D$E$:ntD$ED$fS$lE$nD$ED$o$ nEE$mE$mMu%D$E$lEu UoD$ oD$D$o04$mNjEt_D$MD$<$lE$lEED$D$ 4$kƉD$MD$<$l4$lEt$ED$MD$<$ulE$Vl1Ĝ[^_]UWVSJu}|$4$lEED$ED$D$D$D$ D$D$<$ltD$t$ Q$jEE܉D$D$E$ZlftT$t$Q$j1KE܉$lE܉$kD$E܋D$Om$kƋE܉$kE܉$kE$k1Č[^_]UWVSID$ D$ED$l$jƅu1$xlj4$j[^_]UWVS,MIDžDžut"4$j4$XjDž{E t E $jkt$D$4$jD$ 1уL$t$$"jNjE uD$O$h1E tU $i,<$j|$$jƉ<$iu|$O${h1PT$<$ju|$OM$i=~fDž$ifDžt$ D$T$$ifUD$HD$$hEEȉu̍uE$hfu$hЅu>D$O$T$mGT$$VƋHD$]I$VD$ t$HT$$mV[^]UWVS,6QHD$H$>VƋ%HD$H$$VED$!HD$4$ VNjGD$H$UƋHD$<$UD$HD$4$UE܋YHD$<$UDHD$$UD$FD$E$UD$HD$U܉$jUUHD$4$XU…uu>E1GD$<$0UGD$H$Ut$ UT$GT$$TljD$FD$E$TD$EGD$U܉$Tt uGD$E܉$THE },[^_]TUWVS<+4E+ED$E$`Tƍ}䋃FD$U$FTt$|$$/Vft/+ED$E$Tt$ UT$D$<EED$D$D$ D$D$E$[UttFUT$D$<+EtD$FD$G$S<$S1<[^_]UWVS|3uED$4$JS;T$ET$$.S}|$4$TEED$|$$YTftT$t$;$RUE$eTEE$;TD$ ED$~ED$4$RƋE$-TE$T1|[^_]UWVS,2u:D$CD$4$CRǍ:D$CD$4$%Rt!D$}DD$E$R;D$CD$4$Q…u1yDD$$QE]DD$D$QUT$ |$uDT$$Qt4ED$ t$|$wT$=R DT$$OQ1,[^_]UWVS,0uDCD$4$ QNj@CD$4$ QEuD$D$E؉$LDž>D$E؉$sL>T$$aLE},E?D$4$:LMEE\ff.Ev.wLf.w( (W,.]wE EW,.w.vE.vM܋>D$E$Kƅ_u"E>E E؉E<[^_]K<[^_]UWVS+=D$E$XKp=T$$FK0=D$4$0K$T$EUD$T$ Mul=D$<$Kƅu[^_]Vv12@0:4O@8O@8@0:4v36@0:4@8@12@16@20i24c28@32v40@0:4@8@12@16@20i24c28@32@36v8@0:4v12@0:4c8@8@0:4@16@0:4@8@12@12@0:4@8v12@0:4@8c12@0:4@8c8@0:4registerApplicationWithDictionary:growlVersionwriteToFile:atomically:dataFromPropertyList:format:errorDescription:stringByAppendingPathComponent:substringToIndex:lengthstringByAppendingPathExtension:globallyUniqueStringstringByAppendingString:fileSystemRepresentationpostNotificationName:object:growlIsReadyperformSelector:withObject:userInfoapplicationIconDataForGrowlprocessNameapplicationNameForGrowldictionaryWithDictionary:removeObjectForKey:dockDescriptioncontainsObject:bundlePathdictionaryWithContentsOfFile:pathForResource:ofType:mainBundleregistrationDictionaryForGrowlisEqualToString:growlPrefPaneBundlepostNotificationName:object:userInfo:deliverImmediately:postNotificationWithDictionary:setProtocolForProxy:rootProxyconnectionWithRegisteredName:host:TIFFRepresentationisKindOfClass:objectForKey:classmutableCopyinitWithBool:setObject:forKey:initWithObjectsAndKeys:initWithInt:growlNotificationTimedOut:releaseremoveObserver:name:object:respondsToSelector:growlNotificationWasClicked:initWithFormat:allocprocessIdentifierprocessInfoaddObserver:selector:name:object:retainautoreleasedefaultCentersetGrowlDelegate:growlDelegatenotifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:identifier:notifyWithDictionary:isGrowlInstalledisGrowlRunningregisterWithDictionary:reregisterGrowlNotificationssetWillRegisterWhenGrowlIsReady:willRegisterWhenGrowlIsReadyregistrationDictionaryFromDelegateregistrationDictionaryFromBundle:bestRegistrationDictionaryregistrationDictionaryByFillingInDictionary:registrationDictionaryByFillingInDictionary:restrictToKeys:_applicationNameForGrowlSearchingRegistrationDictionary:_applicationIconDataForGrowlSearchingRegistrationDictionary:_growlNotificationWasClicked:_growlNotificationTimedOut:_growlIsReady:_launchGrowlIfInstalledWithRegistrationDictionary:launchGrowlIfInstalledNSPropertyListSerializationNSNotificationCenterNSDictionaryNSBundleGrowlPathUtilNSConnectionNSImageNSMutableDictionaryNSNumberNSStringNSProcessInfoNSDistributedNotificationCenter/Users/chris/source_code/projects/growl-0.7.4/Framework/Source/GrowlApplicationBridge.mGrowlNotificationProtocolNSObjectGrowlApplicationBridgeGrowlApplicationBridge: Cannot register because the application name was not supplied and could not be determined%@Lend Me Some Sugar; I Am Your Neighbor!GrowlClicked!%@-%d-%@GrowlTimedOut!NotificationAppIconNotificationNameApplicationPIDApplicationNameNotificationTitleNotificationDescriptionNotificationIconNotificationClickContextNotificationPriorityNotificationStickyGrowlNotificationIdentifierGrowlApplicationBridgePathwayGrowlApplicationBridge: exception while sending notification: %@GrowlNotificationcom.Growl.GrowlHelperAppgrowlRegDictGrowl Registration TicketGrowlApplicationBridge: The bundle at %@ contains a registration dictionary, but it is not a valid property list. Please tell this application's developer.GrowlApplicationBridge: The Growl delegate did not supply a registration dictionary, and the app bundle at %@ does not have one. Please tell this application's developer.ApplicationIconAppLocationfile-dataDefaultNotificationsAllNotificationsClickedContextappGrowlHelperApp-GrowlApplicationBridge: Error writing registration dictionary at %@: %@GrowlApplicationBridge: Registration dictionary follows %@GrowlApplicationBridge: Growl_PostNotification called with a NULL notificationGrowlApplicationBridge: Growl_PostNotification called, but no delegate is in effect to supply an application name - either set a delegate, or use Growl_PostNotificationWithDictionary insteadGrowlApplicationBridge: Growl_PostNotification called, but no application name was found in the delegateGrowlApplicationBridge: Delegate did not supply a registration dictionary, and the app bundle at %@ does not have oneGrowlApplicationBridge: Got error reading property list at %@: %@GrowlApplicationBridge: Delegate did not supply a registration dictionary, and it could not be loaded from %@GrowlApplicationBridge: Registration dictionary file at %@ didn't contain a dictionary (dictionary type ID is '%@' whereas the file contained '%@'); description of object follows %@prefPanecom.growl.prefpanelCallbackContextGrowlApplicationBridge: Could not find the temporary directory path, therefore cannot register./.GrowlApplicationBridge: Error writing registration dictionary to URL %@: %@Growl.prefPaneGrowlApplicationBridge: Growl_SetDelegate called, but no application name was found in the delegate_CFURLAliasData_CFURLStringType_CFURLStringin copyCurrentProcessName in CFGrowlAdditions: Could not get process name because CopyProcessName returned %liin copyCurrentProcessURL in CFGrowlAdditions: Could not get application location, because GetProcessBundleLocation returned %li in copyTemporaryFolderPath in CFGrowlAdditions: Could not locate temporary folder because FSFindFolder returned %liin copyDockDescriptionForURL in CFGrowlAdditions: Cannot copy Dock description for a NULL URLfilein copyDockDescriptionForURL in CFGrowlAdditions: FSNewAlias for %@ returned %liin copyDockDescriptionForURL in CFGrowlAdditions: FSCopyAliasInfo for %@ returned %liin copyIconDataForURL in CFGrowlAdditions: could not get icon for %@: GetIconRefFromFileInfo returned %li in copyIconDataForURL in CFGrowlAdditions: could not get icon for %@: IconRefToIconFamily returned %li in createURLByMakingDirectoryAtURLWithName in CFGrowlAdditions: parent directory URL is NULL (please tell the Growl developers) in createURLByMakingDirectoryAtURLWithName in CFGrowlAdditions: name of directory to create is NULL (please tell the Growl developers) in createURLByMakingDirectoryAtURLWithName in CFGrowlAdditions: could not create FSRef for parent directory at %@ (please tell the Growl developers) PBCreateDirectoryUnicodeSync or PBMakeFSRefUnicodeSync returned %li; calling CFURLCreateFromFSRefCFURLCreateFromFSRef returned %@in createURLByMakingDirectoryAtURLWithName in CFGrowlAdditions: could not create directory '%@' in parent directory at %@: FSCreateDirectoryUnicode returned %li (please tell the Growl developers)(could not get path for source file: FSRefMakePath returned %li)in copyFork in CFGrowlAdditions: PBOpenForkSync (source: %s) returned %liin copyFork in CFGrowlAdditions: PBGetCatalogInfoSync (source: %s) returned %liPBMakeFSRefUnicodeSync(could not get path for destination directory: FSRefMakePath returned %li)(could not get filename for destination file: CFStringCreateWithCharactersNoCopy returned NULL)in copyFork in CFGrowlAdditions: %s (destination: %s/%@) returned %liPBCreateFileUnicodeSyncin copyFork in CFGrowlAdditions: PBOpenForkSync (dest) returned %li(could not get path for dest file: FSRefMakePath returned %li)in copyFork in CFGrowlAdditions: PBOpenForkSync (destination: %s) returned %liin copyFork in CFGrowlAdditions: PBReadForkSync (source: %s) returned %liin copyFork in CFGrowlAdditions: PBWriteForkSync (destination: %s) returned %liin copyFork in CFGrowlAdditions: PBCloseForkSync (destination: %s) returned %liin copyFork in CFGrowlAdditions: PBCloseForkSync (source: %s) returned %liin createURLByCopyingFileFromURLToDirectoryURL in CFGrowlAdditions: CFURLGetFSRef failed with source URL %@in createURLByCopyingFileFromURLToDirectoryURL in CFGrowlAdditions: CFURLGetFSRef failed with destination URL %@PBIterateForksSync returned %liin GrowlCopyObjectSync in CFGrowlAdditions: PBIterateForksSync returned %liin createURLByCopyingFileFromURLToDirectoryURL in CFGrowlAdditions: CopyObjectSync returned %li for source URL %@in createPropertyListFromURL in CFGrowlAdditions: cannot read from a NULL URLin createPropertyListFromURL in CFGrowlAdditions: could not create stream for reading from URL %@in createPropertyListFromURL in CFGrowlAdditions: could not open stream for reading from URL %@in createPropertyListFromURL in CFGrowlAdditions: could not read property list from URL %@ (error string: %@)@"NSData"@"NSString"@"NSDictionary"initinitWithAllNotifications:defaultNotifications:deallocsetApplicationNameForGrowl:setApplicationIconDataForGrowl:registrationDictionary/Users/chris/source_code/projects/growl-0.7.4/Framework/Source/GrowlDelegate.mGrowlApplicationBridgeDelegateGrowlDelegateaddObject:stringByDeletingPathExtensioninitWithCapacity:countdirectoryContentsAtPath:createDirectoryAtPath:attributes:objectAtIndex:bundleForClass:skipDescendentspathExtensionenumeratorAtPath:compare:options:bundleIdentifierbundleWithPath:fileExistsAtPath:defaultManagernextObjectobjectEnumeratorhelperAppBundlegrowlSupportDirscreenshotsDirectorynextScreenshotNameNSMutableSetNSFileManager/Users/chris/source_code/projects/growl-0.7.4/Common/Source/GrowlPathUtil.mPreferencePanesApplication Support/GrowlLibrary/Application Support/Growl/ScreenshotsScreenshot %ludictionaryWithCapacity:pathfileExistsAtPath:isDirectory:intValuedataWithBytes:length:caseInsensitiveCompare:schemefileURLWithPath:bytesaliasDatafileURLWithAliasData:fileURLWithDockDescription:NSData/Users/chris/source_code/projects/growl-0.7.4/Common/Source/NSURLAdditions.mNSURLGrowlAdditionsin +[NSURL(GrowlAdditions) fileURLWithAliasData:]: Could not allocate an alias handle from %u bytes of alias data (data follows) because PtrToHand returned %li %@in +[NSURL(GrowlAdditions) fileURLWithAliasData:]: Could not resolve alias (alias data follows) because FSResolveAlias returned %li - will try path %@in +[NSURL(GrowlAdditions) fileURLWithAliasData:]: FSCopyAliasInfo returned a nil pathin -[NSURL(GrowlAdditions) dockDescription]: FSNewAlias for %@ returned %liv32@0:4{_NSRect={_NSPoint=ff}{_NSSize=ff}}8i24f28{_NSSize=ff}16@0:4{_NSSize=ff}8@16@0:4{_NSSize=ff}8bestRepresentationForDevice:representationssetSize:drawInRect:fromRect:operation:fraction:setImageInterpolation:currentContextsetScalesWhenResized:sizedrawScaledInRect:operation:fraction:adjustSizeToDrawAtSize:bestRepresentationForSize:representationOfSize:NSGraphicsContext/Users/chris/source_code/projects/growl-0.7.4/Core/Source/GrowlImageAdditions.mGrowlImageAdditions $Ë$?G8HXoqp p'4p DpPp`ptpppppppqq0qLqlq@qqq q rrTsds ps |sssssssGt:qTtNptpduhptpppqqp`ppeq quuHvAvmvTsds ps |ssqwwss p'www_HxLxPxKt:xsxc4p DpPpy y4y Dyny8zsz]p {{Ph{U{j,|g|}}8~a~ ~IO(EC N\IOOHJkptKqTMa_hm|ss$xwwqss4P-V {tK4y y y0Te]<e[e8eh,ee,ege^0e\4dMcb؎ ` f$fTftffffffkg g0gLgXgtgggggglhlDlggh,h8hklXhlhhhhhi$i8iHiXi`ikli|iii(kmmiiimi j,jOg~ 9Me!Bl,?[mx(?Rk(GVdx   / > V f           , = [ t         $ 4 T g            , M U ] e s  *3?ES+:)7 "*.4>  & >FJR`nplX^nvz&0<Iy"  Z9} @Z`jmH5    {| H 8 (   ؑ ȑ x h X H 8 (   ؐ Ȑ x h X H 8 (  (   ؔ Ȕ x h X H 8 (   ؓ ȓ x h X H 8 (   ؒ Ȓ x h X x h X H 8 (   ؖ Ȗ x h X H 8 (   ؕ ȕ x h X H 8 8 (   ؗ ȗ x h X H |~}ihefg eePegjkmnqrtuvwxy{|}~foshlzip.objc_class_name_GrowlApplicationBridge.objc_class_name_GrowlDelegate.objc_class_name_GrowlPathUtil.objc_category_name_NSURL_GrowlAdditions.objc_category_name_NSImage_GrowlImageAdditions.objc_class_name_NSBundle.objc_class_name_NSConnection.objc_class_name_NSData.objc_class_name_NSDictionary.objc_class_name_NSDistributedNotificationCenter.objc_class_name_NSFileManager.objc_class_name_NSGraphicsContext.objc_class_name_NSImage.objc_class_name_NSMutableDictionary.objc_class_name_NSMutableSet.objc_class_name_NSNotificationCenter.objc_class_name_NSNumber.objc_class_name_NSObject.objc_class_name_NSProcessInfo.objc_class_name_NSPropertyListSerialization.objc_class_name_NSString.objc_class_name_NSURL.objc_class_name_Protocol_CFArrayAppendArray_CFArrayAppendValue_CFArrayCreate_CFArrayCreateMutable_CFArrayGetCount_CFArrayGetValueAtIndex_CFBundleCopyBundleURL_CFBundleCopyResourceURL_CFBundleCreate_CFBundleCreateBundlesFromDirectory_CFBundleGetIdentifier_CFBundleGetMainBundle_CFCopyTypeIDDescription_CFDataCreate_CFDictionaryContainsKey_CFDictionaryCreate_CFDictionaryCreateCopy_CFDictionaryCreateMutable_CFDictionaryCreateMutableCopy_CFDictionaryGetTypeID_CFDictionaryGetValue_CFDictionaryRemoveValue_CFDictionarySetValue_CFEqual_CFGetAllocator_CFGetTypeID_CFNotificationCenterAddObserver_CFNotificationCenterGetDistributedCenter_CFNotificationCenterPostNotification_CFNotificationCenterRemoveEveryObserver_CFNotificationCenterRemoveObserver_CFNumberCreate_CFPropertyListCreateFromStream_CFPropertyListWriteToStream_CFReadStreamClose_CFReadStreamCreateWithFile_CFReadStreamOpen_CFRelease_CFRetain_CFSetContainsValue_CFStringCompare_CFStringCreateByCombiningStrings_CFStringCreateWithCStringNoCopy_CFStringCreateWithCharactersNoCopy_CFStringCreateWithFormat_CFStringGetCharacters_CFStringGetLength_CFURLCopyFileSystemPath_CFURLCopyLastPathComponent_CFURLCopyScheme_CFURLCreateCopyAppendingPathComponent_CFURLCreateCopyDeletingLastPathComponent_CFURLCreateFromFSRef_CFURLCreateFromFileSystemRepresentation_CFURLCreateWithFileSystemPath_CFURLGetFSRef_CFUUIDCreate_CFUUIDCreateString_CFWriteStreamClose_CFWriteStreamCreateWithFile_CFWriteStreamOpen_CopyProcessName_DisposeHandle_FNNotify_FSCopyAliasInfo_FSFindFolder_FSNewAlias_FSPathMakeRef_FSRefMakePath_GetHandleSize_GetIconRefFromFileInfo_GetNextProcess_GetProcessBundleLocation_HLock_HUnlock_IconRefToIconFamily_LSOpenFromRefSpec_LSOpenFromURLSpec_NSEqualSizes_NSHomeDirectory_NSLog_NSSearchPathForDirectoriesInDomains_NSTemporaryDirectory_PBCloseForkSync_PBCreateDirectoryUnicodeSync_PBCreateFileUnicodeSync_PBGetCatalogInfoSync_PBIterateForksSync_PBMakeFSRefUnicodeSync_PBOpenForkSync_PBReadForkSync_PBWriteForkSync_ProcessInformationCopyDictionary_PtrToHand_ReleaseIconRef__NSAddHandler2__NSExceptionObjectFromHandler2__NSRemoveHandler2___CFConstantStringClassReference__setjmp_ceilf_floorf_free_getcwd_getpid_kCFAllocatorDefault_kCFAllocatorNull_kCFBundleIdentifierKey_kCFTypeArrayCallBacks_kCFTypeDictionaryKeyCallBacks_kCFTypeDictionaryValueCallBacks_malloc_memcpy_memset_objc_msgSend_objc_msgSendSuper_snprintfsingle moduledyld__mh_dylib_headerdyld_lazy_symbol_binding_entry_pointdyld_func_lookup_pointer__dyld_func_lookupdyld_stub_binding_helper+[GrowlApplicationBridge launchGrowlIfInstalled]+[GrowlApplicationBridge _launchGrowlIfInstalledWithRegistrationDictionary:]+[GrowlApplicationBridge _growlIsReady:]+[GrowlApplicationBridge _growlNotificationTimedOut:]+[GrowlApplicationBridge _growlNotificationWasClicked:]+[GrowlApplicationBridge _applicationIconDataForGrowlSearchingRegistrationDictionary:]+[GrowlApplicationBridge _applicationNameForGrowlSearchingRegistrationDictionary:]+[GrowlApplicationBridge registrationDictionaryByFillingInDictionary:restrictToKeys:]+[GrowlApplicationBridge registrationDictionaryByFillingInDictionary:]+[GrowlApplicationBridge bestRegistrationDictionary]+[GrowlApplicationBridge registrationDictionaryFromBundle:]+[GrowlApplicationBridge registrationDictionaryFromDelegate]+[GrowlApplicationBridge willRegisterWhenGrowlIsReady]+[GrowlApplicationBridge setWillRegisterWhenGrowlIsReady:]+[GrowlApplicationBridge reregisterGrowlNotifications]+[GrowlApplicationBridge registerWithDictionary:]+[GrowlApplicationBridge isGrowlRunning]+[GrowlApplicationBridge isGrowlInstalled]+[GrowlApplicationBridge notifyWithDictionary:]+[GrowlApplicationBridge notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:identifier:]+[GrowlApplicationBridge notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:]+[GrowlApplicationBridge growlDelegate]+[GrowlApplicationBridge setGrowlDelegate:]_growlLaunched_appIconData_appName_delegate_registerWhenGrowlIsReady___i686.get_pc_thunk.bx___i686.get_pc_thunk.cx_targetsToNotifyArray_delegate_registerWhenGrowlIsReady_growlLaunched_registeredForClickCallbacks__copyAllPreferencePaneBundles__launchGrowlIfInstalledWithRegistrationDictionary__growlIsReady__growlNotificationWasClicked__growlNotificationTimedOut_Growl_CopyRegistrationDictionaryFromBundle_Growl_CopyRegistrationDictionaryFromDelegate_Growl_CreateBestRegistrationDictionary_Growl_CreateRegistrationDictionaryByFillingInDictionary_Growl_CreateRegistrationDictionaryByFillingInDictionaryRestrictedToKeys_Growl_GetDelegate_Growl_IsInstalled_Growl_IsRunning_Growl_LaunchIfInstalled_Growl_NotifyWithTitleDescriptionNameIconPriorityStickyClickContext_Growl_PostNotification_Growl_PostNotificationWithDictionary_Growl_RegisterWithDictionary_Growl_Reregister_Growl_SetDelegate_Growl_SetWillRegisterWhenGrowlIsReady_Growl_WillRegisterWhenGrowlIsReady__CFURLAliasDataKey__CFURLStringTypeKey__CFURLStringKey_copyFork_copyCurrentProcessURL_copyIconDataForURL_copyCurrentProcessName_copyTemporaryFolderPath_createDockDescriptionForURL_copyCurrentProcessPath_copyIconDataForPath_copyTemporaryFolderURL_createPropertyListFromURL_createURLByCopyingFileFromURLToDirectoryURL_createURLByMakingDirectoryAtURLWithName-[GrowlDelegate setApplicationIconDataForGrowl:]-[GrowlDelegate applicationIconDataForGrowl]-[GrowlDelegate setApplicationNameForGrowl:]-[GrowlDelegate applicationNameForGrowl]-[GrowlDelegate registrationDictionaryForGrowl]-[GrowlDelegate dealloc]-[GrowlDelegate initWithAllNotifications:defaultNotifications:]+[GrowlPathUtil nextScreenshotName]+[GrowlPathUtil screenshotsDirectory]+[GrowlPathUtil growlSupportDir]+[GrowlPathUtil helperAppBundle]+[GrowlPathUtil growlPrefPaneBundle]_bundleIDComparisonFlags.94447_prefPaneBundle_helperAppBundle-[NSURL(GrowlAdditions) dockDescription]-[NSURL(GrowlAdditions) aliasData]+[NSURL(GrowlAdditions) fileURLWithDockDescription:]+[NSURL(GrowlAdditions) fileURLWithAliasData:]-[NSImage(GrowlImageAdditions) representationOfSize:]-[NSImage(GrowlImageAdditions) bestRepresentationForSize:]-[NSImage(GrowlImageAdditions) adjustSizeToDrawAtSize:]-[NSImage(GrowlImageAdditions) drawScaledInRect:operation:fraction:]__mh_dylib_headerunison-2.40.102/uimacnew/Growl.framework/Versions/A/Resources/0000755006131600613160000000000012050210657024233 5ustar bcpiercebcpierceunison-2.40.102/uimacnew/Growl.framework/Versions/A/Resources/Info.plist0000644006131600613160000000135311361646373026221 0ustar bcpiercebcpierce CFBundleDevelopmentRegion English CFBundleExecutable Growl CFBundleIdentifier com.growl.growlframework CFBundleInfoDictionaryVersion 6.0 CFBundlePackageType FMWK CFBundleShortVersionString 0.7.3 CFBundleSignature GRRR CFBundleVersion 0.7.3 NSPrincipalClass GrowlApplicationBridge unison-2.40.102/uimacnew/NotificationController.m0000644006131600613160000000332511361646373022072 0ustar bcpiercebcpierce// // NotificationController.m // uimac // // Created by Alan Schmitt on 02/02/06. // Copyright 2006, see file COPYING for details. All rights reserved. // #import "NotificationController.h" #define NOTIFY_UPDATE @"Scan finished" #define NOTIFY_SYNC @"Synchronization finished" /* Show a simple notification */ static void simpleNotify(NSString *name, NSString *descFmt, NSString *profile); @implementation NotificationController - (void)awakeFromNib { [GrowlApplicationBridge setGrowlDelegate:self]; } - (void)updateFinishedFor: (NSString *)profile { simpleNotify(NOTIFY_UPDATE, @"Profile '%@' is finished scanning for updates", profile); } - (void)syncFinishedFor: (NSString *)profile { simpleNotify(NOTIFY_SYNC, @"Profile '%@' is finished synchronizing", profile); } - (NSDictionary *)registrationDictionaryForGrowl { NSArray* notifications = [NSArray arrayWithObjects: NOTIFY_UPDATE, NOTIFY_SYNC, nil]; return [NSDictionary dictionaryWithObjectsAndKeys: notifications, GROWL_NOTIFICATIONS_ALL, notifications, GROWL_NOTIFICATIONS_DEFAULT, nil]; } - (NSString *)applicationNameForGrowl { return @"Unison"; } @end static void simpleNotify(NSString *name, NSString *descFmt, NSString *profile) { [GrowlApplicationBridge notifyWithTitle:name description:[NSString stringWithFormat:descFmt, profile] notificationName:name iconData:nil priority:0 isSticky:false clickContext:nil]; }unison-2.40.102/uimacnew/Info.plist0000644006131600613160000000204111361646373017164 0ustar bcpiercebcpierce CFBundleName Unison CFBundleDevelopmentRegion English CFBundleExecutable Unison CFBundleIconFile Unison.icns CFBundleIdentifier edu.upenn.cis.Unison CFBundleInfoDictionaryVersion 6.0 CFBundlePackageType APPL CFBundleSignature ???? CFBundleShortVersionString $(MARKETING_VERSION) CFBundleGetInfoString ${MARKETING_VERSION}, ©1999-2007, licensed under GNU GPL. NSHumanReadableCopyright ©1999-2010, licensed under GNU GPL v3. NSMainNibFile MainMenu NSPrincipalClass NSApplication unison-2.40.102/uimacnew/MyController.m0000644006131600613160000010015611361646373020031 0ustar bcpiercebcpierce/* Copyright (c) 2003, see file COPYING for details. */ #import "MyController.h" #import "ProfileController.h" #import "PreferencesController.h" #import "NotificationController.h" #import "ReconItem.h" #import "ReconTableView.h" #import "UnisonToolbar.h" #import "ImageAndTextCell.h" #import "ProgressCell.h" #import "Bridge.h" /* The following two define are a workaround for an incompatibility between Ocaml 3.11.2 (and older) and the Mac OS X header files */ #define uint64 uint64_caml #define int64 int64_caml #define CAML_NAME_SPACE #include #include #include #include @interface NSString (_UnisonUtil) - (NSString *)trim; @end @implementation MyController static MyController *me; // needed by reloadTable and displayStatus, below static int unset = 0; static int dontAsk = 1; static int doAsk = 2; // BCP (11/09): Added per Onne Gorter: // if user closes main window, terminate app, instead of keeping an empty app around with no window - (BOOL)applicationShouldTerminateAfterLastWindowClosed:(NSApplication *)theApplication { return YES; } - (id)init { if (([super init])) { /* Initialize locals */ me = self; doneFirstDiff = NO; /* By default, invite user to install cltool */ int pref = [[NSUserDefaults standardUserDefaults] integerForKey:@"CheckCltool"]; if (pref==unset) [[NSUserDefaults standardUserDefaults] setInteger:doAsk forKey:@"CheckCltool"]; } return self; } - (void)awakeFromNib { // Window positioning NSRect screenFrame = [[mainWindow screen] visibleFrame]; [mainWindow cascadeTopLeftFromPoint: NSMakePoint(screenFrame.origin.x, screenFrame.origin.y+screenFrame.size.height)]; blankView = [[NSView alloc] init]; /* Double clicking in the profile list will open the profile */ [[profileController tableView] setTarget:self]; [[profileController tableView] setDoubleAction:@selector(openButton:)]; [tableView setAutoresizesOutlineColumn:NO]; // use combo-cell for path [[tableView tableColumnWithIdentifier:@"path"] setDataCell:[[[ImageAndTextCell alloc] init] autorelease]]; // Custom progress cell ProgressCell *progressCell = [[[ProgressCell alloc] init] autorelease]; [[tableView tableColumnWithIdentifier:@"percentTransferred"] setDataCell:progressCell]; /* Set up the version string in the about box. We use a custom about box just because PRCS doesn't seem capable of getting the version into the InfoPlist.strings file; otherwise we'd use the standard about box. */ [versionText setStringValue:ocamlCall("S", "unisonGetVersion")]; /* Command-line processing */ OCamlValue *clprofile = (id)ocamlCall("@", "unisonInit0"); /* Add toolbar */ toolbar = [[[UnisonToolbar alloc] initWithIdentifier: @"unisonToolbar" :self :tableView] autorelease]; [mainWindow setToolbar: toolbar]; [toolbar takeTableModeView:tableModeSelector]; [self initTableMode]; /* Set up the first window the user will see */ if (clprofile) { /* A profile name was given on the command line */ NSString *profileName = [clprofile getField:0 withType:'S']; [self profileSelected:profileName]; /* If invoked from terminal we need to bring the app to the front */ [NSApp activateIgnoringOtherApps:YES]; /* Start the connection */ [self connect:profileName]; } else { /* If invoked from terminal we need to bring the app to the front */ [NSApp activateIgnoringOtherApps:YES]; /* Bring up the dialog to choose a profile */ [self chooseProfiles]; } [mainWindow display]; [mainWindow makeKeyAndOrderFront:nil]; /* unless user has clicked Don't ask me again, ask about cltool */ if ( ([[NSUserDefaults standardUserDefaults] integerForKey:@"CheckCltool"]==doAsk) && (![[NSFileManager defaultManager] fileExistsAtPath:@"/usr/bin/unison"]) ) [self raiseCltoolWindow:nil]; } - (void)chooseProfiles { [mainWindow setContentView:blankView]; [self resizeWindowToSize:[chooseProfileView frame].size]; [mainWindow setContentMinSize: NSMakeSize(NSWidth([[mainWindow contentView] frame]),150)]; [mainWindow setContentMaxSize:NSMakeSize(FLT_MAX, FLT_MAX)]; [mainWindow setContentView:chooseProfileView]; [toolbar setView:@"chooseProfileView"]; [mainWindow setTitle:@"Unison"]; // profiles get keyboard input [mainWindow makeFirstResponder:[profileController tableView]]; [chooseProfileView display]; } - (IBAction)createButton:(id)sender { [preferencesController reset]; [mainWindow setContentView:blankView]; [self resizeWindowToSize:[preferencesView frame].size]; [mainWindow setContentMinSize: NSMakeSize(400,NSHeight([[mainWindow contentView] frame]))]; [mainWindow setContentMaxSize: NSMakeSize(FLT_MAX,NSHeight([[mainWindow contentView] frame]))]; [mainWindow setContentView:preferencesView]; [toolbar setView:@"preferencesView"]; } - (IBAction)saveProfileButton:(id)sender { if ([preferencesController validatePrefs]) { // so the list contains the new profile [profileController initProfiles]; [self chooseProfiles]; } } - (IBAction)cancelProfileButton:(id)sender { [self chooseProfiles]; } /* Only valid once a profile has been selected */ - (NSString *)profile { return myProfile; } - (void)profileSelected:(NSString *)aProfile { [aProfile retain]; [myProfile release]; myProfile = aProfile; [mainWindow setTitle: [NSString stringWithFormat:@"Unison: %@", myProfile]]; } - (IBAction)restartButton:(id)sender { [tableView setEditable:NO]; [self chooseProfiles]; } - (IBAction)rescan:(id)sender { /* There is a delay between turning off the button and it actually being disabled. Make sure we don't respond. */ if ([self validateItem:@selector(rescan:)]) { waitingForPassword = NO; [self afterOpen]; } } - (IBAction)openButton:(id)sender { NSString *profile = [profileController selected]; [self profileSelected:profile]; [self connect:profile]; return; } - (void)updateToolbar { [toolbar validateVisibleItems]; [tableModeSelector setEnabled:((syncable && !duringSync) || afterSync)]; // Why? [updatesView setNeedsDisplay:YES]; } - (void)updateTableViewWithReset:(BOOL)shouldResetSelection { [tableView reloadData]; if (shouldResetSelection) { [tableView selectRowIndexes:[NSIndexSet indexSetWithIndex:0] byExtendingSelection:NO]; shouldResetSelection = NO; } [updatesView setNeedsDisplay:YES]; } - (void)updateProgressBar:(NSNumber *)newProgress { // NSLog(@"Updating progress bar: %i - %i", (int)[newProgress doubleValue], (int)[progressBar doubleValue]); [progressBar incrementBy:([newProgress doubleValue] - [progressBar doubleValue])]; } - (void)updateTableViewSelection { int n = [tableView numberOfSelectedRows]; if (n == 1) [self displayDetails:[tableView itemAtRow:[tableView selectedRow]]]; else [self clearDetails]; } - (void)outlineViewSelectionDidChange:(NSNotification *)note { [self updateTableViewSelection]; } - (void)connect:(NSString *)profileName { // contact server, propagate prefs NSLog(@"Connecting to %@...", profileName); // Switch to ConnectingView [mainWindow setContentView:blankView]; [self resizeWindowToSize:[updatesView frame].size]; [mainWindow setContentMinSize:NSMakeSize(150,150)]; [mainWindow setContentMaxSize:NSMakeSize(FLT_MAX, FLT_MAX)]; [mainWindow setContentView:ConnectingView]; [toolbar setView:@"connectingView"]; // Update (almost) immediately [ConnectingView display]; syncable = NO; afterSync = NO; [self updateToolbar]; // will spawn thread on OCaml side and callback when complete (void)ocamlCall("xS", "unisonInit1", profileName); } CAMLprim value unisonInit1Complete(value v) { id pool = [[NSAutoreleasePool alloc] init]; if (v == Val_unit) { NSLog(@"Connected."); [me->preconn release]; me->preconn = NULL; [me performSelectorOnMainThread:@selector(afterOpen:) withObject:nil waitUntilDone:FALSE]; } else { // prompting required me->preconn = [[OCamlValue alloc] initWithValue:Field(v,0)]; // value of Some [me performSelectorOnMainThread:@selector(unisonInit1Complete:) withObject:nil waitUntilDone:FALSE]; } [pool release]; return Val_unit; } - (void)unisonInit1Complete:(id)ignore { @try { OCamlValue *prompt = ocamlCall("@@", "openConnectionPrompt", preconn); if (!prompt) { // turns out, no prompt needed, but must finish opening connection ocamlCall("x@", "openConnectionEnd", preconn); NSLog(@"Connected."); waitingForPassword = NO; [self afterOpen]; return; } waitingForPassword = YES; [self raisePasswordWindow:[prompt getField:0 withType:'S']]; } @catch (NSException *ex) { NSRunAlertPanel(@"Connection Error", [ex description], @"OK", nil, nil); [self chooseProfiles]; return; } NSLog(@"Connected."); } - (void)raisePasswordWindow:(NSString *)prompt { // FIX: some prompts don't ask for password, need to look at it NSLog(@"Got the prompt: '%@'",prompt); if ((long)ocamlCall("iS", "unisonPasswordMsg", prompt)) { [passwordPrompt setStringValue:@"Please enter your password"]; [NSApp beginSheet:passwordWindow modalForWindow:mainWindow modalDelegate:nil didEndSelector:nil contextInfo:nil]; return; } if ((long)ocamlCall("iS", "unisonPassphraseMsg", prompt)) { [passwordPrompt setStringValue:@"Please enter your passphrase"]; [NSApp beginSheet:passwordWindow modalForWindow:mainWindow modalDelegate:nil didEndSelector:nil contextInfo:nil]; return; } if ((long)ocamlCall("iS", "unisonAuthenticityMsg", prompt)) { int i = NSRunAlertPanel(@"New host",prompt,@"Yes",@"No",nil); if (i == NSAlertDefaultReturn) { ocamlCall("x@s", "openConnectionReply", preconn, "yes"); prompt = ocamlCall("S@", "openConnectionPrompt", preconn); if (!prompt) { // all done with prompts, finish opening connection ocamlCall("x@", "openConnectionEnd", preconn); waitingForPassword = NO; [self afterOpen]; return; } else { [self raisePasswordWindow:[NSString stringWithUTF8String:String_val(Field(prompt,0))]]; return; } } if (i == NSAlertAlternateReturn) { ocamlCall("x@", "openConnectionCancel", preconn); return; } else { NSLog(@"Unrecognized response '%d' from NSRunAlertPanel",i); ocamlCall("x@", "openConnectionCancel", preconn); return; } } NSLog(@"Unrecognized message from ssh: %@",prompt); ocamlCall("x@", "openConnectionCancel", preconn); } // The password window will invoke this when Enter occurs, b/c we // are the delegate. - (void)controlTextDidEndEditing:(NSNotification *)notification { NSNumber *reason = [[notification userInfo] objectForKey:@"NSTextMovement"]; int code = [reason intValue]; if (code == NSReturnTextMovement) [self endPasswordWindow:self]; } // Or, the Continue button will invoke this when clicked - (IBAction)endPasswordWindow:(id)sender { [passwordWindow orderOut:self]; [NSApp endSheet:passwordWindow]; if ([sender isEqualTo:passwordCancelButton]) { ocamlCall("x@", "openConnectionCancel", preconn); [self chooseProfiles]; return; } NSString *password = [passwordText stringValue]; ocamlCall("x@S", "openConnectionReply", preconn, password); OCamlValue *prompt = ocamlCall("@@", "openConnectionPrompt", preconn); if (!prompt) { // all done with prompts, finish opening connection ocamlCall("x@", "openConnectionEnd", preconn); waitingForPassword = NO; [self afterOpen]; } else { [self raisePasswordWindow:[prompt getField:0 withType:'S']]; } } - (void)afterOpen:(id)ignore { [self afterOpen]; } - (void)afterOpen { if (waitingForPassword) return; // move to updates window after clearing it [self updateReconItems:nil]; [progressBar setDoubleValue:0.0]; [progressBar stopAnimation:self]; // [self clearDetails]; [mainWindow setContentView:blankView]; [self resizeWindowToSize:[updatesView frame].size]; [mainWindow setContentMinSize: NSMakeSize(NSWidth([[mainWindow contentView] frame]),200)]; [mainWindow setContentMaxSize:NSMakeSize(FLT_MAX, FLT_MAX)]; [mainWindow setContentView:updatesView]; [toolbar setView:@"updatesView"]; syncable = NO; afterSync = NO; [tableView deselectAll:self]; [self updateToolbar]; [self updateProgressBar:[NSNumber numberWithDouble:0.0]]; // this should depend on the number of reconitems, and is now done // in updateReconItems: // reconItems table gets keyboard input //[mainWindow makeFirstResponder:tableView]; [tableView scrollRowToVisible:0]; [preconn release]; preconn = nil; // so old preconn can be garbage collected // This will run in another thread spawned in OCaml and will return immediately // We'll get a call back to unisonInit2Complete() when it is complete ocamlCall("x", "unisonInit2"); } - (void)afterUpdate:(id)retainedReconItems { // NSLog(@"In afterUpdate:..."); [self updateReconItems:retainedReconItems]; [retainedReconItems release]; [notificationController updateFinishedFor:[self profile]]; // label the left and right columns with the roots NSString *leftHost = [(NSString *)ocamlCall("S", "unisonFirstRootString") trim]; NSString *rightHost = [(NSString *)ocamlCall("S", "unisonSecondRootString") trim]; /* [[[tableView tableColumnWithIdentifier:@"left"] headerCell] setObjectValue:lefthost]; [[[tableView tableColumnWithIdentifier:@"right"] headerCell] setObjectValue:rightHost]; */ [mainWindow setTitle: [NSString stringWithFormat:@"Unison: %@ (%@ <-> %@)", [self profile], leftHost, rightHost]]; // initial sort [tableView setSortDescriptors:[NSArray arrayWithObjects: [[tableView tableColumnWithIdentifier:@"fileSizeString"] sortDescriptorPrototype], [[tableView tableColumnWithIdentifier:@"path"] sortDescriptorPrototype], nil]]; [self updateTableViewWithReset:([reconItems count] > 0)]; [self updateToolbar]; } CAMLprim value unisonInit2Complete(value v) { id pool = [[NSAutoreleasePool alloc] init]; [me performSelectorOnMainThread:@selector(afterUpdate:) withObject:[[OCamlValue alloc] initWithValue:v] waitUntilDone:FALSE]; [pool release]; return Val_unit; } - (IBAction)syncButton:(id)sender { [tableView setEditable:NO]; syncable = NO; duringSync = YES; [self updateToolbar]; // This will run in another thread spawned in OCaml and will return immediately // We'll get a call back to syncComplete() when it is complete ocamlCall("x", "unisonSynchronize"); } - (void)afterSync:(id)ignore { [notificationController syncFinishedFor:[self profile]]; duringSync = NO; afterSync = YES; [self updateToolbar]; int i; for (i = 0; i < [reconItems count]; i++) { [[reconItems objectAtIndex:i] resetProgress]; } [self updateTableViewSelection]; [self updateTableViewWithReset:FALSE]; } CAMLprim value syncComplete() { id pool = [[NSAutoreleasePool alloc] init]; [me performSelectorOnMainThread:@selector(afterSync:) withObject:nil waitUntilDone:FALSE]; [pool release]; return Val_unit; } // A function called from ocaml - (void)reloadTable:(NSNumber *)i { // NSLog(@"*** ReloadTable: %i", [i intValue]); [[reconItems objectAtIndex:[i intValue]] resetProgress]; [self updateTableViewWithReset:FALSE]; } CAMLprim value reloadTable(value row) { id pool = [[NSAutoreleasePool alloc] init]; // NSLog(@"OCaml says... ReloadTable: %i", Int_val(row)); NSNumber *num = [[NSNumber alloc] initWithInt:Int_val(row)]; [me performSelectorOnMainThread:@selector(reloadTable:) withObject:num waitUntilDone:FALSE]; [num release]; [pool release]; return Val_unit; } - (int)outlineView:(NSOutlineView *)outlineView numberOfChildrenOfItem:(id)item { if (item == nil) item = rootItem; return [[item children] count]; } - (BOOL)outlineView:(NSOutlineView *)outlineView isItemExpandable:(id)item { return [item isKindOfClass:[ParentReconItem class]]; } - (id)outlineView:(NSOutlineView *)outlineView child:(int)index ofItem:(id)item { if (item == nil) item = rootItem; return [[item children] objectAtIndex:index]; } - (id)outlineView:(NSOutlineView *)outlineView objectValueForTableColumn:(NSTableColumn *)tableColumn byItem:(id)item { NSString *identifier = [tableColumn identifier]; if (item == nil) item = rootItem; if ([identifier isEqualToString:@"percentTransferred"] && (!duringSync && !afterSync)) return nil; return [item valueForKey:identifier]; } static NSDictionary *_SmallGreyAttributes = nil; - (void)outlineView:(NSOutlineView *)outlineView willDisplayCell:(NSCell *)cell forTableColumn:(NSTableColumn *)tableColumn item:(id)item { NSString *identifier = [tableColumn identifier]; if ([identifier isEqualToString:@"path"]) { // The file icon [(ImageAndTextCell*)cell setImage:[item fileIcon]]; // For parents, format the file count into the text long fileCount = [item fileCount]; if (fileCount > 1) { NSString *countString = [NSString stringWithFormat:@" (%ld files)", fileCount]; NSString *fullString = [(NSString *)[cell objectValue] stringByAppendingString:countString]; NSMutableAttributedString *as = [[NSMutableAttributedString alloc] initWithString:fullString]; if (!_SmallGreyAttributes) { NSColor *txtColor = [NSColor grayColor]; NSFont *txtFont = [NSFont systemFontOfSize:9.0]; _SmallGreyAttributes = [[NSDictionary dictionaryWithObjectsAndKeys:txtFont, NSFontAttributeName, txtColor, NSForegroundColorAttributeName, nil] retain]; } [as setAttributes:_SmallGreyAttributes range:NSMakeRange([fullString length] - [countString length], [countString length])]; [cell setAttributedStringValue:as]; [as release]; } } else if ([identifier isEqualToString:@"percentTransferred"]) { [(ProgressCell*)cell setIcon:[item direction]]; [(ProgressCell*)cell setStatusString:[item progressString]]; [(ProgressCell*)cell setIsActive:[item isKindOfClass:[LeafReconItem class]]]; } } - (void)outlineView:(NSOutlineView *)outlineView sortDescriptorsDidChange:(NSArray *)oldDescriptors { NSArray *originalSelection = [outlineView selectedObjects]; // do we want to catch case of object changes to allow resort in same direction for progress / direction? // Could check if our objects change and if the first item at the head of new and old were the same [rootItem sortUsingDescriptors:[outlineView sortDescriptors]]; [outlineView reloadData]; [outlineView setSelectedObjects:originalSelection]; } // Delegate methods - (BOOL)outlineView:(NSOutlineView *)outlineView shouldEditTableColumn:(NSTableColumn *)tableColumn item:(id)item { return NO; } - (NSMutableArray *)reconItems // used in ReconTableView only { return reconItems; } - (int)tableMode { return [tableModeSelector selectedSegment]; } - (IBAction)tableModeChanged:(id)sender { [[NSUserDefaults standardUserDefaults] setInteger:[self tableMode]+1 forKey:@"TableLayout"]; [self updateForChangedItems]; } - (void)initTableMode { int mode = [[NSUserDefaults standardUserDefaults] integerForKey:@"TableLayout"] - 1; if (mode == -1) mode = 1; [tableModeSelector setSelectedSegment:mode]; } - (void)updateReconItems:(OCamlValue *)caml_reconItems { [reconItems release]; reconItems = [[NSMutableArray alloc] init]; long i, n =[caml_reconItems count]; for (i=0; i0) { [tableView setEditable:YES]; // reconItems table gets keyboard input [mainWindow makeFirstResponder:tableView]; syncable = YES; } else { [tableView setEditable:NO]; afterSync = YES; // rescan should be enabled // reconItems table no longer gets keyboard input [mainWindow makeFirstResponder:nil]; } [self updateToolbar]; } - (id)updateForIgnore:(id)item { long j = (long)ocamlCall("ii", "unisonUpdateForIgnore", [reconItems indexOfObjectIdenticalTo:item]); NSLog(@"Updating for ignore..."); [self updateReconItems:(OCamlValue *)ocamlCall("@", "unisonState")]; return [reconItems objectAtIndex:j]; } // A function called from ocaml CAMLprim value displayStatus(value s) { id pool = [[NSAutoreleasePool alloc] init]; NSString *str = [[NSString alloc] initWithUTF8String:String_val(s)]; // NSLog(@"displayStatus: %@", str); [me performSelectorOnMainThread:@selector(statusTextSet:) withObject:str waitUntilDone:FALSE]; [str release]; [pool release]; return Val_unit; } - (void)statusTextSet:(NSString *)s { /* filter out strings with # reconitems, and empty strings */ if (!NSEqualRanges([s rangeOfString:@"reconitems"], NSMakeRange(NSNotFound,0))) return; [statusText setStringValue:s]; } // Called from ocaml to dislpay progress bar CAMLprim value displayGlobalProgress(value p) { id pool = [[NSAutoreleasePool alloc] init]; NSNumber *num = [[NSNumber alloc] initWithDouble:Double_val(p)]; [me performSelectorOnMainThread:@selector(updateProgressBar:) withObject:num waitUntilDone:FALSE]; [num release]; [pool release]; return Val_unit; } // Called from ocaml to display diff CAMLprim value displayDiff(value s, value s2) { id pool = [[NSAutoreleasePool alloc] init]; [me performSelectorOnMainThread:@selector(diffViewTextSet:) withObject:[NSArray arrayWithObjects:[NSString stringWithUTF8String:String_val(s)], [NSString stringWithUTF8String:String_val(s2)], nil] waitUntilDone:FALSE]; [pool release]; return Val_unit; } // Called from ocaml to display diff error messages CAMLprim value displayDiffErr(value s) { id pool = [[NSAutoreleasePool alloc] init]; NSString * str = [NSString stringWithUTF8String:String_val(s)]; str = [[str componentsSeparatedByString:@"\n"] componentsJoinedByString:@" "]; [me->statusText performSelectorOnMainThread:@selector(setStringValue:) withObject:str waitUntilDone:FALSE]; [pool release]; return Val_unit; } - (void)diffViewTextSet:(NSArray *)args { [self diffViewTextSet:[args objectAtIndex:0] bodyText:[args objectAtIndex:1]]; } - (void)diffViewTextSet:(NSString *)title bodyText:(NSString *)body { if ([body length]==0) return; [diffWindow setTitle:title]; [diffView setFont:[NSFont fontWithName:@"Monaco" size:10]]; [diffView setString:body]; if (!doneFirstDiff) { /* On first open, position the diff window to the right of the main window, but without going off the mainwindow's screen */ float screenOriginX = [[mainWindow screen] visibleFrame].origin.x; float screenWidth = [[mainWindow screen] visibleFrame].size.width; float mainOriginX = [mainWindow frame].origin.x; float mainOriginY = [mainWindow frame].origin.y; float mainWidth = [mainWindow frame].size.width; float mainHeight = [mainWindow frame].size.height; float diffWidth = [diffWindow frame].size.width; float diffX = mainOriginX+mainWidth; float maxX = screenOriginX+screenWidth-diffWidth; if (diffX > maxX) diffX = maxX; float diffY = mainOriginY + mainHeight; NSPoint diffOrigin = NSMakePoint(diffX,diffY); [diffWindow cascadeTopLeftFromPoint:diffOrigin]; doneFirstDiff = YES; } [diffWindow orderFront:nil]; } - (void)displayDetails:(ReconItem *)item { [detailsTextView setFont:[NSFont fontWithName:@"Monaco" size:10]]; NSString *text = [item details]; if (!text) text = @""; [detailsTextView setString:text]; } - (void)clearDetails { [detailsTextView setString:@""]; } - (IBAction)raiseCltoolWindow:(id)sender { int pref = [[NSUserDefaults standardUserDefaults] integerForKey:@"CheckCltool"]; if (pref==doAsk) [cltoolPref setState:NSOffState]; else [cltoolPref setState:NSOnState]; [self raiseWindow: cltoolWindow]; } - (IBAction)cltoolYesButton:(id)sender; { if ([cltoolPref state]==NSOnState) [[NSUserDefaults standardUserDefaults] setInteger:dontAsk forKey:@"CheckCltool"]; else [[NSUserDefaults standardUserDefaults] setInteger:doAsk forKey:@"CheckCltool"]; [self installCommandLineTool:self]; [cltoolWindow close]; } - (IBAction)cltoolNoButton:(id)sender; { if ([cltoolPref state]==NSOnState) [[NSUserDefaults standardUserDefaults] setInteger:dontAsk forKey:@"CheckCltool"]; else [[NSUserDefaults standardUserDefaults] setInteger:doAsk forKey:@"CheckCltool"]; [cltoolWindow close]; } - (IBAction)raiseAboutWindow:(id)sender { [self raiseWindow: aboutWindow]; } - (void)raiseWindow:(NSWindow *)theWindow { NSRect screenFrame = [[mainWindow screen] visibleFrame]; NSRect mainWindowFrame = [mainWindow frame]; NSRect theWindowFrame = [theWindow frame]; float winX = mainWindowFrame.origin.x + (mainWindowFrame.size.width - theWindowFrame.size.width)/2; float winY = mainWindowFrame.origin.y + (mainWindowFrame.size.height + theWindowFrame.size.height)/2; if (winXmaxX) winX=maxX; float minY = screenFrame.origin.y+theWindowFrame.size.height; if (winYmaxY) winY=maxY; [theWindow cascadeTopLeftFromPoint: NSMakePoint(winX,winY)]; [theWindow makeKeyAndOrderFront:nil]; } - (IBAction)onlineHelp:(id)sender { [[NSWorkspace sharedWorkspace] openURL:[NSURL URLWithString:@"http://www.cis.upenn.edu/~bcpierce/unison/docs.html"]]; } /* from http://developer.apple.com/documentation/Security/Conceptual/authorization_concepts/index.html */ #include #include - (IBAction)installCommandLineTool:(id)sender { /* Install the command-line tool in /usr/bin/unison. Requires root privilege, so we ask for it and pass the task off to /bin/sh. */ OSStatus myStatus; AuthorizationFlags myFlags = kAuthorizationFlagDefaults; AuthorizationRef myAuthorizationRef; myStatus = AuthorizationCreate(NULL, kAuthorizationEmptyEnvironment, myFlags, &myAuthorizationRef); if (myStatus != errAuthorizationSuccess) return; { AuthorizationItem myItems = {kAuthorizationRightExecute, 0, NULL, 0}; AuthorizationRights myRights = {1, &myItems}; myFlags = kAuthorizationFlagDefaults | kAuthorizationFlagInteractionAllowed | kAuthorizationFlagPreAuthorize | kAuthorizationFlagExtendRights; myStatus = AuthorizationCopyRights(myAuthorizationRef,&myRights,NULL,myFlags,NULL); } if (myStatus == errAuthorizationSuccess) { NSBundle *bundle = [NSBundle mainBundle]; NSString *bundle_path = [bundle bundlePath]; NSString *exec_path = [bundle_path stringByAppendingString:@"/Contents/MacOS/cltool"]; // Not sure why but this doesn't work: // [bundle pathForResource:@"cltool" ofType:nil]; if (exec_path == nil) return; char *args[] = { "-f", (char *)[exec_path UTF8String], "/usr/bin/unison", NULL }; myFlags = kAuthorizationFlagDefaults; myStatus = AuthorizationExecuteWithPrivileges (myAuthorizationRef, "/bin/cp", myFlags, args, NULL); } AuthorizationFree (myAuthorizationRef, kAuthorizationFlagDefaults); /* if (myStatus == errAuthorizationCanceled) NSLog(@"The attempt was canceled\n"); else if (myStatus) NSLog(@"There was an authorization error: %ld\n", myStatus); */ } - (BOOL)validateItem:(IBAction *) action { if (action == @selector(syncButton:)) return syncable; // FIXME Restarting during sync is disabled because it causes UI corruption else if (action == @selector(restartButton:)) return !duringSync; else if (action == @selector(rescan:)) return ((syncable && !duringSync) || afterSync); else return YES; } - (BOOL)validateMenuItem:(NSMenuItem *)menuItem { return [self validateItem:[menuItem action]]; } - (BOOL)validateToolbarItem:(NSToolbarItem *)toolbarItem { return [self validateItem:[toolbarItem action]]; } - (void)resizeWindowToSize:(NSSize)newSize { NSRect aFrame; float newHeight = newSize.height+[self toolbarHeightForWindow:mainWindow]; float newWidth = newSize.width; aFrame = [NSWindow contentRectForFrameRect:[mainWindow frame] styleMask:[mainWindow styleMask]]; aFrame.origin.y += aFrame.size.height; aFrame.origin.y -= newHeight; aFrame.size.height = newHeight; aFrame.size.width = newWidth; aFrame = [NSWindow frameRectForContentRect:aFrame styleMask:[mainWindow styleMask]]; [mainWindow setFrame:aFrame display:YES animate:YES]; } - (float)toolbarHeightForWindow:(NSWindow *)window { NSToolbar *aToolbar; float toolbarHeight = 0.0; NSRect windowFrame; aToolbar = [window toolbar]; if(aToolbar && [aToolbar isVisible]) { windowFrame = [NSWindow contentRectForFrameRect:[window frame] styleMask:[window styleMask]]; toolbarHeight = NSHeight(windowFrame) - NSHeight([[window contentView] frame]); } return toolbarHeight; } CAMLprim value fatalError(value s) { NSString *str = [[NSString alloc] initWithUTF8String:String_val(s)]; [me performSelectorOnMainThread:@selector(fatalError:) withObject:str waitUntilDone:FALSE]; [str release]; return Val_unit; } - (void)fatalError:(NSString *)msg { NSRunAlertPanel(@"Fatal error", msg, @"Exit", nil, nil); exit(1); } @end @implementation NSString (_UnisonUtil) - (NSString *)trim { NSCharacterSet *ws = [NSCharacterSet whitespaceCharacterSet]; int len = [self length], i = len; while (i && [ws characterIsMember:[self characterAtIndex:i-1]]) i--; return (i == len) ? self : [self substringToIndex:i]; } @end unison-2.40.102/uimacnew/tableicons/0000755006131600613160000000000012050210657017326 5ustar bcpiercebcpierceunison-2.40.102/uimacnew/tableicons/Outline-Deep.png0000644006131600613160000000073311361646373022345 0ustar bcpiercebcpiercePNG  IHDR $ pHYs  gAMA cHRMn rIm?m1JQIDATxb?-@`|ӿ@Y\BBbV â]ӧO @3b@1b Oz|ϟ _`S􏃃77ii, FBqp0ZA) *j.^gff$ Fb͛7`aXYY>"^^^ @0h 8D8H[[{.}HjN>qd (0accHUUm6D|||T@,fv"g4| i]@s%dIENDB`unison-2.40.102/uimacnew/tableicons/table-skip.tif0000644006131600613160000001216411361646373022105 0ustar bcpiercebcpierceMM* .+)83#=,:- 'crOmչ~ŇanyS:'u ;)ܗדӑҐяҏӐ֒ۖЏX<!cޘӐяדۖ֒яԑڕٔяяܗ} C sۖЎՒדuQ,f 4 " -#X]@ύؓЎ֓Ў FzSݘЎדz E (^ەЎؔzVܗяՒ+ `ٕяߙ?+iHܖяܗ,u ?ӑҐדo ȉܗܖ֓ &eؔӐ͌.t>*A,2"v 2lKfF|ԑяҐ{ToL0!{I2ҐяяяߙyjHݗяяՒÆ2fڕҐٔU*4#Y[? @6  (1:&2`LR./table-skip.tifHHImageMagick 6.1.8 04/01/06 Q16 http://www.imagemagick.org2006:04:01 17:06:46unison-2.40.102/uimacnew/tableicons/table-mixed.tif0000644006131600613160000004612011361646373022244 0ustar bcpiercebcpierceMM*6<0(124RHI'iL$ ' 'Adobe Photoshop Elements 2.02007:04:28 15:25:55 Adobe Photoshop Elements for Macintosh, version 2.0 adobe:docid:photoshop:e59d3026-f72e-11db-955e-fba283ce9e55 8BIM%8BIM com.apple.print.PageFormat.PMHorizontalRes com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMHorizontalRes 72 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2007-04-28T22:24:34Z com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMOrientation com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMOrientation 1 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2007-04-28T22:24:34Z com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMScaling com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMScaling 1 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2007-04-28T22:24:34Z com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMVerticalRes com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMVerticalRes 72 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2007-04-28T22:24:34Z com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMVerticalScaling com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMVerticalScaling 1 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2007-04-28T22:24:34Z com.apple.print.ticket.stateFlag 0 com.apple.print.subTicket.paper_info_ticket com.apple.print.PageFormat.PMAdjustedPageRect com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMAdjustedPageRect 0.0 0.0 734 576 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2007-04-28T22:24:37Z com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMAdjustedPaperRect com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMAdjustedPaperRect -18 -18 774 594 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2007-04-28T22:24:37Z com.apple.print.ticket.stateFlag 0 com.apple.print.PaperInfo.PMPaperName com.apple.print.ticket.creator com.apple.print.pm.PostScript com.apple.print.ticket.itemArray com.apple.print.PaperInfo.PMPaperName na-letter com.apple.print.ticket.client com.apple.print.pm.PostScript com.apple.print.ticket.modDate 2003-07-01T17:49:36Z com.apple.print.ticket.stateFlag 1 com.apple.print.PaperInfo.PMUnadjustedPageRect com.apple.print.ticket.creator com.apple.print.pm.PostScript com.apple.print.ticket.itemArray com.apple.print.PaperInfo.PMUnadjustedPageRect 0.0 0.0 734 576 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2007-04-28T22:24:34Z com.apple.print.ticket.stateFlag 0 com.apple.print.PaperInfo.PMUnadjustedPaperRect com.apple.print.ticket.creator com.apple.print.pm.PostScript com.apple.print.ticket.itemArray com.apple.print.PaperInfo.PMUnadjustedPaperRect -18 -18 774 594 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2007-04-28T22:24:34Z com.apple.print.ticket.stateFlag 0 com.apple.print.PaperInfo.ppd.PMPaperName com.apple.print.ticket.creator com.apple.print.pm.PostScript com.apple.print.ticket.itemArray com.apple.print.PaperInfo.ppd.PMPaperName US Letter com.apple.print.ticket.client com.apple.print.pm.PostScript com.apple.print.ticket.modDate 2003-07-01T17:49:36Z com.apple.print.ticket.stateFlag 1 com.apple.print.ticket.APIVersion 00.20 com.apple.print.ticket.privateLock com.apple.print.ticket.type com.apple.print.PaperInfoTicket com.apple.print.ticket.APIVersion 00.20 com.apple.print.ticket.privateLock com.apple.print.ticket.type com.apple.print.PageFormatTicket 8BIMxHH@Rg(HH(dh 8BIMHH8BIM&?8BIM Transparency8BIM Transparency8BIMd8BIM8BIM 8BIM8BIM 8BIM 8BIM' 8BIMH/fflff/ff2Z5-8BIMp8BIM8BIM8BIM@@8BIM8BIMK6 table-mixed6nullboundsObjcRct1Top longLeftlongBtomlongRghtlong6slicesVlLsObjcslicesliceIDlonggroupIDlongoriginenum ESliceOrigin autoGeneratedTypeenum ESliceTypeImg boundsObjcRct1Top longLeftlongBtomlongRghtlong6urlTEXTnullTEXTMsgeTEXTaltTagTEXTcellTextIsHTMLboolcellTextTEXT horzAlignenumESliceHorzAligndefault vertAlignenumESliceVertAligndefault bgColorTypeenumESliceBGColorTypeNone topOutsetlong leftOutsetlong bottomOutsetlong rightOutsetlong8BIM8BIM8BIM 6 fJFIFHH Adobe_CMAdobed            6"?   3!1AQa"q2B#$Rb34rC%Scs5&DTdE£t6UeuF'Vfv7GWgw5!1AQaq"2B#R3$brCScs4%&5DTdEU6teuFVfv'7GWgw ?Ui{ƉsJԺn'S~[K鳐 ij R7Z&<&C83GVkE4qʱsuo[vY]L6Z78?lV3.ہu?p-w~s]m]W݁k[.$ms_@Ώףw&!$9Jik`eyBC2iykZH}SUttv*3?@=g-\]Z0I'O9,fDz,qr93e]$Oj?Tʩ$ꤗʩ$ꤗʩ$ꤗʩ$8BIM!yAdobe Photoshop ElementsAdobe Photoshop Elements 2.0% (  3% |7)H#N59)"!7* z0#t1%!   5(! *",/'*/#  !-$(#% ty  ! !!f/$o"%d+ m!  !!   !! 2%#% "^,"f!      !  !!   ! ! /$#%2$! ! !   !    s."m."x !    B KH R@ I"! )"37/3*" 7) 2%   6' 7) G%M!#Z0%a "6unison-2.40.102/uimacnew/tableicons/Change_Unmodified.png0000644006131600613160000000126011361646373023377 0ustar bcpiercebcpiercePNG  IHDRagAMAOX2tEXtSoftwareAdobe ImageReadyqe<BIDATxb?% (cL2_۷o@| xprrZ98433'/o.H@! (dafb`j >H*&&x"H@b3P|K؀@@H䙘AH@ (! cg3@Y  ^*:   4_iT/@n?&(] ?ӿT[@p~R/@M?@i/@9˺@ ?SLǏxxxzϠtrP{>A-i]PVn$`, /t+YLXa@F*[:IENDB`unison-2.40.102/uimacnew/tableicons/Change_Modified.png0000644006131600613160000000140511361646373023035 0ustar bcpiercebcpiercePNG  IHDRagAMAOX2tEXtSoftwareAdobe ImageReadyqe<IDATxb?% )5 ԶLd^?/p$edIQ nAC}u@c<X*v~?5lj?ᄆV 1h߿'SϿLtW<rެv߱yxxyxrrrrrvwwwwxÆҏяяܗu EwQӑӐҐҐҐҐҐԑԑԑԑԑԑӑӑӑӑӑҐяяяяՒٕL4 ,~VӐҐҐҐҐҐҐҐҐҐҐҐҐҐҐҐҐӐҐяяяяՒڕO6 -tOŇяяяܖu G@,}ٔԑݗ^@9'y"^C.]! >6  $(1:,2fLR./table-right-blue.tifHHImageMagick 6.1.8 04/01/06 Q16 http://www.imagemagick.org2006:04:01 20:53:21unison-2.40.102/uimacnew/tableicons/table-conflict.tif0000644006131600613160000001217011361646373022735 0ustar bcpiercebcpierceMM*yz@Ae("bd |ACa9%WY-.N9*_`UV  /*ef|~DEo%GHm<=u #%"=>fR 1}~%WXPRx  FGKRRRDEI73 ln  ps /0\45d;*+M####34a"tv6  "(1:*2dLR./table-conflict.tifHHImageMagick 6.1.8 04/01/06 Q16 http://www.imagemagick.org2006:04:01 17:06:34unison-2.40.102/uimacnew/tableicons/Outline-Flattened.png0000644006131600613160000000076711361646373023405 0ustar bcpiercebcpiercePNG  IHDR $ pHYs  gAMA cHRMn rIm?m1JmIDATxb?-@xӿ@ ], E]]}'>?~d$d@1 Oz|ϟ _`S􏃃77iij_~= h 133cgg9HL$U q@8-x(~_ ,Y@D֭[A@(h899闀tDګ̲y\?f^"N.o(?$x0accƆ=QAG0N>] ݻS- v# ;bb1 [`[&IENDB`unison-2.40.102/uimacnew/tableicons/Change_PropsChanged.png0000644006131600613160000000143711361646373023677 0ustar bcpiercebcpiercePNG  IHDRagAMAOX2tEXtSoftwareAdobe ImageReadyqe<IDATxb?% (cԶLd^?/p$edIQ nAC}u@ c<X*;6/~k~g~ }cxh(#(_?"ea a;ou@LL NY9 ʯX^| >`-dddaU VVG/>3y 20K31"[֒Ց֓ ?zדؔ EKwaBfEڕד֒:(2"[ԑpޘF0[Ӑ}ۖ E J2ٕՒדbCsڶ|~ɊҏяҐޘ[)3#[ٔI2…prN]Wߘ D 5fݗҏяҏƈ|}kLjӐӐҏяяяяٔ̌(g(V&cpM ?͌-iySܗ D1!x֒דяяяяҏӐՑ~ŇҐӐҏяяяяؔ͌)i(V W%f?+]͌]ܖ D3"z֒דяяяяҏӐԑ~vݹʊяяҐݗ]*3#[ޘ'_͌ogkIdݗ D 6iݗяяҐLj}nfEڕדד<)2"[ݘ-fwQݗޘYcݗ E L4ڕՒדdCaCl ?1"[ޘ. g(obޗ ELwaBkI`A 2"\ݘ.h&l Nbݗ FoLkIK %W#C%WE6  (1:&2`LR./table-merge.tifHHImageMagick 6.1.8 04/01/06 Q16 http://www.imagemagick.org2006:04:01 17:05:15unison-2.40.102/uimacnew/tableicons/Change_Absent.png0000644006131600613160000000105311361646373022530 0ustar bcpiercebcpiercePNG  IHDRagAMAOX2tEXtSoftwareAdobe ImageReadyqe<IDATxb?% (cڹY\貔ziIFFƏLLLǁx!Pn/L;@`1MJXXߢ?~T{(А@꾁@ӥTUUbx;w2   0jaG ll *** ZZ $@pͫ77h ///τ0l@uPu` 013 ( {!AlbB2u 2^/^`x-333(M0r, QLY9ᮓf{["P fco;KXP#@A gU o~Ub@L,("@p3ecf<TrdPT˯' b q o wn?f~)0:1 822cE/28@c.ߜ=e`Vo7#|lrvRk3-:a奍@1| \*J~=H@$$` P&g>jP k2EWY7L@1R`X:RIENDB`unison-2.40.102/uimacnew/tableicons/table-error.tif0000644006131600613160000001220611361646373022265 0ustar bcpiercebcpierceMM*<jlde'(7?{}su'(:mo{}suXY{}}~rsce{}suoqce}cdprabmoprrs}suacqs{} sucd}~|} gice{}ac()9ce{} 3''7WX_` /6  $(0(1:82rLRtable3-smallerfiles/table-error.tifHHImageMagick 6.1.8 04/01/06 Q16 http://www.imagemagick.org2006:04:09 19:39:02unison-2.40.102/uimacnew/tableicons/Change_Deleted.png0000644006131600613160000000144711361646373022671 0ustar bcpiercebcpiercePNG  IHDRagAMAOX2tEXtSoftwareAdobe ImageReadyqe<IDATxb?% (ct20033aea`SZo=ؾ哰7Rka?bbA6?ȓQWn4MчϜop;7,>aw^;xnjv@pp}˩s~gWQd```m oпTA7?v`800|:xӮ(OO0  Ad3 'A0ďA 5pr24V0[ & qscڜ l y×g MFPˏK@bKy>HK~eP,góI99 `2ϊ>xG_/_DJ pBק/y_Ma bacej3oNvA_~qel߾a;PSx )͍Dqn0F$Ԁ5 IENDB`unison-2.40.102/uimacnew/tableicons/table-left-green.tif0000644006131600613160000001217211361646373023166 0ustar bcpiercebcpierceMM*5 >N)3Z8Fwd|>M{$BߢSh)Yps+Xnz$Dqg=L{+6[7Ew @O #;6  $(1:,2fLR./table-left-green.tifHHImageMagick 6.1.8 04/01/06 Q16 http://www.imagemagick.org2006:04:01 20:53:31unison-2.40.102/uimacnew/tableicons/Outline-Flat.png0000644006131600613160000000101211361646373022345 0ustar bcpiercebcpiercePNG  IHDR $ pHYs  gAMA cHRMn rIm?m1JIDATxb?-1@0o޼q3LLL@XDDd@ϟ?,;7ot&@8-/өSBȻ耑z  accbC-`b?ff?XYY`3 pZrFl.ǦX pZr3g (p ]qr5(@A L@8-x򥘕Jbr;xϞ=T "AA ?P*PRH011-`666 XD{{ѩӧ fCG2H@R hn@*?DNIENDB`unison-2.40.102/uimacnew/tableicons/table-left-blue.tif0000644006131600613160000001217011361646373023013 0ustar bcpiercebcpierceMM* 8 \D. ]:'y[>ݗԑٔ@,} EuܗяяҏÆxwwwwvrrrrrxyxxyvߦrW< ,L4ٕՒяяяяҐӑӑӑӑӑԑԑԑԑԑԑҐҐҐҐҐӐӑwQ -O6ڕՒяяяяҐӐҐҐҐҐҐҐҐҐҐҐҐҐҐҐҐҐӐ~V GuܖяяяŇtO^@ݗԑٔ@,}"^9'y!]C. >6  "(1:*2dLR./table-left-blue.tifHHImageMagick 6.1.8 04/01/06 Q16 http://www.imagemagick.org2006:04:01 20:53:25unison-2.40.102/uimacnew/tableicons/table-right-green.tif0000644006131600613160000001217211361646373023351 0ustar bcpiercebcpierceMM*5>N 8Fw)3Z>M{d|Shݩ߬$BsYp)zXn+q$D=L{g7Ew+6[@O #; 6  $(1:,2fLR./table-right-green.tifHHImageMagick 6.1.8 04/01/06 Q16 http://www.imagemagick.org2006:04:01 20:53:20unison-2.40.102/uimacnew/Bridge.h0000644006131600613160000000302711361646373016566 0ustar bcpiercebcpierce// // Bridge.h // uimac // // Created by Craig Federighi on 4/25/07. // Copyright 2007 __MyCompanyName__. All rights reserved. // #import /* Bridge supports safe calling from C back to OCaml by using daemon threads spawned from OCaml to make the actual calls and converting all argument / return values in the OCaml thread (when in possession of the OCaml lock) */ @interface Bridge : NSObject { } + (void)startup:(const char **)argv; @end /* ocamlCall(sig, funcName, [args...]); Call ocaml function (via safe thread handoff mechanism). Args/return values are converted to/from C/OCaml according to the supplied type signture string. Type codes are: x - void (for return type) i - long s - char * S - NSString * N - NSNumber * @ - OCamlValue (see below) Examples: long count = (long)ocamlCall("iS", "lengthOfString", @"Some String"); (void)ocamlCall("x", "someVoidOCamlFunction"); OCamlValue *v = (id)ocamlCall("@Si", "makeArray", @"Some String", 10); NSString s = [v getField:0 withType:'S']; */ extern void *ocamlCall(const char *argTypes, ...); // Wrapper/proxy for unconverted OCaml values @interface OCamlValue : NSObject { long _v; } - initWithValue:(long)v; - (void *)getField:(long)i withType:(char)t; // get value by position. See ocamlCall for list of type conversion codes - (long)count; // count of items in array - (long)value; // returns Ocaml value directly -- not safe to use except in direct callback from OCaml // (i.e. in the OCaml thread) @end unison-2.40.102/uimacnew/NotificationController.h0000644006131600613160000000103711361646373022063 0ustar bcpiercebcpierce// // NotificationController.h // uimac // // Created by Alan Schmitt on 02/02/06. // Copyright 2006, see file COPYING for details. All rights reserved. // #import #import @interface NotificationController : NSObject { } - (void)updateFinishedFor: (NSString *)profile; - (void)syncFinishedFor: (NSString *)profile; /* Implement the GrowlApplicationBridgeDelegate protocol */ - (NSDictionary *)registrationDictionaryForGrowl; - (NSString *)applicationNameForGrowl; @end unison-2.40.102/uimacnew/ReconItem.m0000644006131600613160000004334411361646373017272 0ustar bcpiercebcpierce#import "ReconItem.h" #import "Bridge.h" #import @implementation ReconItem - init { [super init]; selected = NO; // NB only used/updated during sorts. Not a // reliable indicator of whether item is selected fileSize = -1.; bytesTransferred = -1.; return self; } - (void)dealloc { [path release]; [fullPath release]; // [direction release]; // assuming retained by cache, so not retained // [directionSortString release]; // no retain/release necessary because is constant [super dealloc]; } - (ReconItem *)parent { return parent; } - (void)setParent:(ReconItem *)p { parent = p; } - (void)willChange { // propagate up parent chain [parent willChange]; } - (NSArray *)children { return nil; } - (BOOL)selected { return selected; } - (void)setSelected:(BOOL)x { selected = x; } - (NSString *)path { return path; } - (void)setPath:(NSString *)aPath { [path autorelease]; path = [aPath retain]; // invalidate [fullPath autorelease]; fullPath = nil; } - (NSString *)fullPath { if (!fullPath) { NSString *parentPath = [parent fullPath]; [self setFullPath:(([parentPath length] > 0) ? [parentPath stringByAppendingFormat:@"/%@", path] : path)]; } return fullPath; } - (void)setFullPath:(NSString *)p { [fullPath autorelease]; fullPath = [p retain]; } - (NSString *)left { return nil; } - (NSString *)right { return nil; } static NSMutableDictionary *_ChangeIconsByType = nil; - (NSImage *)changeIconFor:(NSString *)type other:(NSString *)other { if (![type length]) { if ([other isEqual:@"Created"]) { type = @"Absent"; } else if ([other length]) { type = @"Unmodified"; } else return nil; } NSImage *result = [_ChangeIconsByType objectForKey:type]; if (!result) { NSString *imageName = [NSString stringWithFormat:@"Change_%@.png", type]; result = [NSImage imageNamed:imageName]; if (!_ChangeIconsByType) _ChangeIconsByType = [[NSMutableDictionary alloc] init]; [_ChangeIconsByType setObject:result forKey:type]; } return result; } - (NSImage *)leftIcon { return [self changeIconFor:[self left] other:[self right]]; } - (NSImage *)rightIcon { return [self changeIconFor:[self right] other:[self left]]; } - (double)computeFileSize { return 0.; } - (double)bytesTransferred { return 0.; } - (long)fileCount { return 1; } - (double)fileSize { if (fileSize == -1.) fileSize = [self computeFileSize]; return fileSize; } - (NSString *)formatFileSize:(double)size { if (size == 0) return @"--"; if (size < 1024) return @"< 1KB"; // return [NSString stringWithFormat:@"%i bytes", size]; size /= 1024; if (size < 1024) return [NSString stringWithFormat:@"%i KB", (int)size]; size /= 1024; if (size < 1024) return [NSString stringWithFormat:@"%1.1f MB", size]; size = size / 1024; return [NSString stringWithFormat:@"%1.1f GB", size]; } - (NSString *)fileSizeString { return [self formatFileSize:[self fileSize]]; } - (NSString *)bytesTransferredString { return [self formatFileSize:[self bytesTransferred]]; } - (NSNumber *)percentTransferred { double size = [self computeFileSize]; return (size > 0) ? [NSNumber numberWithDouble:([self bytesTransferred] / (size) * 100.0)] : nil; } static NSMutableDictionary *_iconsByExtension = nil; - (NSImage *)iconForExtension:(NSString *)extension { NSImage *icon = [_iconsByExtension objectForKey:extension]; if (!_iconsByExtension) _iconsByExtension = [[NSMutableDictionary alloc] init]; if (!icon) { icon = [[NSWorkspace sharedWorkspace] iconForFileType:extension]; [icon setSize:NSMakeSize(16.0, 16.0)]; [_iconsByExtension setObject:icon forKey:extension]; } return icon; } - (NSImage *)fileIcon { return [self iconForExtension:NSFileTypeForHFSTypeCode(kOpenFolderIcon)]; } - (NSString *)dirString { return @"<-?->"; } - (NSImage *)direction { if (direction) return direction; NSString * dirString = [self dirString]; BOOL changedFromDefault = [self changedFromDefault]; if ([dirString isEqual:@"<-?->"]) { if (changedFromDefault | resolved) { direction = [NSImage imageNamed: @"table-skip.tif"]; directionSortString = @"3"; } else { direction = [NSImage imageNamed: @"table-conflict.tif"]; directionSortString = @"2"; } } else if ([dirString isEqual:@"---->"]) { if (changedFromDefault) { direction = [NSImage imageNamed: @"table-right-blue.tif"]; directionSortString = @"6"; } else { direction = [NSImage imageNamed: @"table-right-green.tif"]; directionSortString = @"8"; } } else if ([dirString isEqual:@"<----"]) { if (changedFromDefault) { direction = [NSImage imageNamed: @"table-left-blue.tif"]; directionSortString = @"5"; } else { direction = [NSImage imageNamed: @"table-left-green.tif"]; directionSortString = @"7"; } } else if ([dirString isEqual:@"<-M->"]) { direction = [NSImage imageNamed: @"table-merge.tif"]; directionSortString = @"4"; } else if ([dirString isEqual:@"<--->"]) { direction = [NSImage imageNamed: @"table-mixed.tif"]; directionSortString = @"9"; } else { direction = [NSImage imageNamed: @"table-error.tif"]; directionSortString = @"1"; } [direction retain]; return direction; } - (void)setDirection:(char *)d { [direction autorelease]; direction = nil; } - (void)doAction:(unichar)action { switch (action) { case '>': [self setDirection:"unisonRiSetRight"]; break; case '<': [self setDirection:"unisonRiSetLeft"]; break; case '/': [self setDirection:"unisonRiSetConflict"]; resolved = YES; break; case '-': [self setDirection:"unisonRiForceOlder"]; break; case '+': [self setDirection:"unisonRiForceNewer"]; break; case 'm': [self setDirection:"unisonRiSetMerge"]; break; case 'd': [self showDiffs]; break; case 'R': [self revertDirection]; break; default: NSLog(@"ReconItem.doAction : unknown action"); break; } } - (void)doIgnore:(unichar)action { switch (action) { case 'I': ocamlCall("xS", "unisonIgnorePath", [self fullPath]); break; case 'E': ocamlCall("xS", "unisonIgnoreExt", [self path]); break; case 'N': ocamlCall("xS", "unisonIgnoreName", [self path]); break; default: NSLog(@"ReconItem.doIgnore : unknown ignore"); break; } } /* Sorting functions. These have names equal to column identifiers + "SortKey", and return NSStrings that can be automatically sorted with their compare method */ - (NSString *) leftSortKey { return [self replicaSortKey:[self left]]; } - (NSString *) rightSortKey { return [self replicaSortKey:[self right]]; } - (NSString *) replicaSortKey:(NSString *)sortString { /* sort order for left and right replicas */ if ([sortString isEqualToString:@"Created"]) return @"1"; else if ([sortString isEqualToString:@"Deleted"]) return @"2"; else if ([sortString isEqualToString:@"Modified"]) return @"3"; else if ([sortString isEqualToString:@""]) return @"4"; else return @"5"; } - (NSString *) directionSortKey { /* Since the direction indicators are unsortable images, use directionSortString instead */ if ([directionSortString isEqual:@""]) [self direction]; return directionSortString; } - (NSString *) progressSortKey { /* Percentages, "done" and "" are sorted OK without help, but "start " should be sorted after "" and before "0%" */ NSString * progressString = [self progress]; if ([progressString isEqualToString:@"start "]) progressString = @" "; return progressString; } - (NSString *) pathSortKey { /* default alphanumeric sort is fine for paths */ return [self path]; } - (NSString *)progress { return nil; } - (BOOL)transferInProgress { double soFar = [self bytesTransferred]; return (soFar > 0) && (soFar < [self fileSize]); } - (void)resetProgress { } - (NSString *)progressString { NSString *progress = [self progress]; if ([progress length] == 0. || [progress hasSuffix:@"%"]) progress = [self transferInProgress] ? [self bytesTransferredString] : @""; else if ([progress isEqual:@"done"]) progress = @""; return progress; } - (NSString *)details { return nil; } - (NSString *)updateDetails { return [self details]; } - (BOOL)isConflict { return NO; } - (BOOL)changedFromDefault { return NO; } - (void)revertDirection { [self willChange]; [direction release]; direction = nil; resolved = NO; } - (BOOL)canDiff { return NO; } - (void)showDiffs { } - (ReconItem *)collapseParentsWithSingleChildren:(BOOL)isRoot { return self; } @end // --- Leaf items -- actually corresponding to ReconItems in OCaml @implementation LeafReconItem - initWithRiAndIndex:(OCamlValue *)v index:(long)i { [super init]; ri = [v retain]; index = i; resolved = NO; directionSortString = @""; return self; } -(void)dealloc { [ri release]; [left release]; [right release]; [progress release]; [details release]; [super dealloc]; } - (NSString *)path { if (!path) path = [(NSString *)ocamlCall("S@", "unisonRiToPath", ri) retain]; return path; } - (NSString *)left { if (!left) left = [(NSString *)ocamlCall("S@", "unisonRiToLeft", ri) retain]; return left; } - (NSString *)right { if (!right) right = [(NSString *)ocamlCall("S@", "unisonRiToRight", ri) retain]; return right; } - (double)computeFileSize { return [(NSNumber *)ocamlCall("N@", "unisonRiToFileSize", ri) doubleValue]; } - (double)bytesTransferred { if (bytesTransferred == -1.) { // need to force to fileSize if done, otherwise may not match up to 100% bytesTransferred = ([[self progress] isEqual:@"done"]) ? [self fileSize] : [(NSNumber*)ocamlCall("N@", "unisonRiToBytesTransferred", ri) doubleValue]; } return bytesTransferred; } - (NSImage *)fileIcon { NSString *extension = [[self path] pathExtension]; if ([@"" isEqual:extension]) { NSString *type = (NSString *)ocamlCall("S@", "unisonRiToFileType", ri); extension = [type isEqual:@"dir"] ? NSFileTypeForHFSTypeCode(kGenericFolderIcon) : NSFileTypeForHFSTypeCode(kGenericDocumentIcon); } return [self iconForExtension:extension]; } - (NSString *)dirString { return (NSString *)ocamlCall("S@", "unisonRiToDirection", ri); } - (void)setDirection:(char *)d { [self willChange]; [super setDirection:d]; ocamlCall("x@", d, ri); } - (NSString *)progress { if (!progress) { progress = [(NSString *)ocamlCall("S@", "unisonRiToProgress", ri) retain]; if ([progress isEqual:@"FAILED"]) [self updateDetails]; } return progress; } - (void)resetProgress { // Get rid of the memoized progress because we expect it to change [self willChange]; bytesTransferred = -1.; [progress release]; // Force update now so we get the result while the OCaml thread is available // [self progress]; // [self bytesTransferred]; progress = nil; } - (NSString *)details { if (details) return details; return [self updateDetails]; } - (NSString *)updateDetails { [details autorelease]; details = [(NSString *)ocamlCall("S@", "unisonRiToDetails", ri) retain]; return details; } - (BOOL)isConflict { return ((long)ocamlCall("i@", "unisonRiIsConflict", ri) ? YES : NO); } - (BOOL)changedFromDefault { return ((long)ocamlCall("i@", "changedFromDefault", ri) ? YES : NO); } - (void)revertDirection { ocamlCall("x@", "unisonRiRevert", ri); [super revertDirection]; } - (BOOL)canDiff { return ((long)ocamlCall("i@", "canDiff", ri) ? YES : NO); } - (void)showDiffs { ocamlCall("x@i", "runShowDiffs", ri, index); } @end @interface NSImage (TintedImage) - (NSImage *)tintedImageWithColor:(NSColor *) tint operation:(NSCompositingOperation) op; @end @implementation NSImage (TintedImage) - (NSImage *)tintedImageWithColor:(NSColor *) tint operation:(NSCompositingOperation) op { NSSize size = [self size]; NSRect imageBounds = NSMakeRect(0, 0, size.width, size.height); NSImage *newImage = [[NSImage alloc] initWithSize:size]; [newImage lockFocus]; [self compositeToPoint:NSZeroPoint operation:NSCompositeSourceOver]; [tint set]; NSRectFillUsingOperation(imageBounds, op); [newImage unlockFocus]; return [newImage autorelease]; } @end // ---- Parent nodes in grouped items @implementation ParentReconItem - init { [super init]; _children = [[NSMutableArray alloc] init]; return self; } - initWithPath:(NSString *)aPath { [self init]; path = [aPath retain]; return self; } - (void)dealloc { [_children release]; [super dealloc]; } - (NSArray *)children; { return _children; } - (void)addChild:(ReconItem *)item pathArray:(NSArray *)pathArray level:(int)level { NSString *element = [pathArray count] ? [pathArray objectAtIndex:level] : @""; // if we're at the leaf of the path, then add the item if (((0 == [pathArray count]) && (0 == level)) || (level == [pathArray count]-1)) { [item setParent:self]; [item setPath:element]; [_children addObject:item]; return; } // find / add matching parent node ReconItem *last = [_children lastObject]; if (last == nil || ![last isKindOfClass:[ParentReconItem class]] || ![[last path] isEqual:element]) { last = [[ParentReconItem alloc] initWithPath:element]; [last setParent:self]; [_children addObject:last]; [last release]; } [(ParentReconItem *)last addChild:item pathArray:pathArray level:level+1]; } - (void)addChild:(ReconItem *)item nested:(BOOL)nested { [item setPath:nil]; // invalidate/reset if (nested) { [self addChild:item pathArray:[[item path] pathComponents] level:0]; } else { [item setParent:self]; [_children addObject:item]; } } - (void)sortUsingDescriptors:(NSArray *)sortDescriptors { // sort our children [_children sortUsingDescriptors:sortDescriptors]; // then have them sort theirs int i = [_children count]; while (i--) { id child = [_children objectAtIndex:i]; if ([child isKindOfClass:[ParentReconItem class]]) [child sortUsingDescriptors:sortDescriptors]; } } - (ReconItem *)collapseParentsWithSingleChildren:(BOOL)isRoot { // replace ourselves? if (!isRoot && [_children count] == 1) { ReconItem *child = [_children lastObject]; [child setPath:[path stringByAppendingFormat:@"/%@", [child path]]]; return [child collapseParentsWithSingleChildren:NO]; } // recurse int i = [_children count]; while (i--) { ReconItem *child = [_children objectAtIndex:i]; ReconItem *replacement = [child collapseParentsWithSingleChildren:NO]; if (child != replacement) { [_children replaceObjectAtIndex:i withObject:replacement]; [replacement setParent:self]; } } return self; } - (void)willChange { // invalidate child-based state // Assuming caches / constant, so not retained / released // [direction autorelease]; // [directionSortString autorelease]; direction = nil; directionSortString = nil; bytesTransferred = -1.; // fileSize = -1; // resolved = NO; // propagate up parent chain [parent willChange]; } // Propagation methods - (void)doAction:(unichar)action { int i = [_children count]; while (i--) { ReconItem *child = [_children objectAtIndex:i]; [child doAction:action]; } } - (void)doIgnore:(unichar)action { // handle Path ignores at this level, name and extension at the child nodes if (action == 'I') { [super doIgnore:'I']; } else { int i = [_children count]; while (i--) { ReconItem *child = [_children objectAtIndex:i]; [child doIgnore:action]; } } } // Rollup methods - (long)fileCount { if (fileCount == 0) { int i = [_children count]; while (i--) { ReconItem *child = [_children objectAtIndex:i]; fileCount += [child fileCount]; } } return fileCount; } - (double)computeFileSize { double size = 0; int i = [_children count]; while (i--) { ReconItem *child = [_children objectAtIndex:i]; size += [child fileSize]; } return size; } - (double)bytesTransferred { if (bytesTransferred == -1.) { bytesTransferred = 0.; int i = [_children count]; while (i--) { ReconItem *child = [_children objectAtIndex:i]; bytesTransferred += [child bytesTransferred]; } } return bytesTransferred; } - (NSString *)dirString { NSString *rollup = nil; int i = [_children count]; while (i--) { ReconItem *child = [_children objectAtIndex:i]; NSString *dirString = [child dirString]; if (!rollup || [dirString isEqual:rollup]) { rollup = dirString; } else { // conflict if ([dirString isEqual:@"---->"] || [dirString isEqual:@"<----"] || [dirString isEqual:@"<--->"]) { if ([rollup isEqual:@"---->"] || [rollup isEqual:@"<----"] || [rollup isEqual:@"<--->"]) { rollup = @"<--->"; } } else { rollup = @"<-?->"; } } } // NSLog(@"dirString for %@: %@", path, rollup); return rollup; } - (BOOL)hasConflictedChildren { NSString *dirString = [self dirString]; BOOL result = [dirString isEqual:@"<--->"] || [dirString isEqual:@"<-?->"]; // NSLog(@"hasConflictedChildren (%@): %@: %i", [self path], dirString, result); return result; } static NSMutableDictionary *_parentImages = nil; static NSColor *_veryLightGreyColor = nil; - (NSImage *)direction { if (!_parentImages) { _parentImages = [[NSMutableDictionary alloc] init]; _veryLightGreyColor = [[NSColor colorWithCalibratedRed:0.7 green:0.7 blue:0.7 alpha:1.0] retain]; } NSImage *baseImage = [super direction]; NSImage *parentImage = [_parentImages objectForKey:baseImage]; if (!parentImage) { // make parent images a grey version of the leaf images parentImage = [baseImage tintedImageWithColor:_veryLightGreyColor operation:NSCompositeSourceIn]; [_parentImages setObject:parentImage forKey:baseImage]; } return parentImage; } @end unison-2.40.102/uimacnew/MyController.h0000644006131600613160000000603711361646373020027 0ustar bcpiercebcpierce/* MyController */ /* Copyright (c) 2003, see file COPYING for details. */ #import @class ProfileController, PreferencesController, NotificationController, ReconItem, ParentReconItem, ReconTableView, UnisonToolbar, OCamlValue; @interface MyController : NSObject { IBOutlet NSWindow *mainWindow; UnisonToolbar *toolbar; IBOutlet NSWindow *cltoolWindow; IBOutlet NSButton *cltoolPref; IBOutlet ProfileController *profileController; IBOutlet NSView *chooseProfileView; NSString *myProfile; IBOutlet PreferencesController *preferencesController; IBOutlet NSView *preferencesView; IBOutlet NSView *updatesView; IBOutlet NSView *ConnectingView; NSView *blankView; IBOutlet ReconTableView *tableView; IBOutlet NSTextField *updatesText; IBOutlet NSTextView *detailsTextView; IBOutlet NSTextField *statusText; IBOutlet NSWindow *passwordWindow; IBOutlet NSTextField *passwordPrompt; IBOutlet NSTextField *passwordText; IBOutlet NSButton *passwordCancelButton; BOOL waitingForPassword; IBOutlet NSWindow *aboutWindow; IBOutlet NSTextField *versionText; IBOutlet NSProgressIndicator *progressBar; IBOutlet NotificationController *notificationController; BOOL syncable; BOOL duringSync; BOOL afterSync; NSMutableArray *reconItems; ParentReconItem *rootItem; OCamlValue *preconn; BOOL doneFirstDiff; IBOutlet NSWindow *diffWindow; IBOutlet NSTextView *diffView; IBOutlet NSSegmentedControl *tableModeSelector; } - (id)init; - (void)awakeFromNib; - (void)chooseProfiles; - (IBAction)createButton:(id)sender; - (IBAction)saveProfileButton:(id)sender; - (IBAction)cancelProfileButton:(id)sender; - (NSString *)profile; - (void)profileSelected:(NSString *)aProfile; - (IBAction)restartButton:(id)sender; - (IBAction)rescan:(id)sender; - (IBAction)openButton:(id)sender; - (void)connect:(NSString *)profileName; - (void)raisePasswordWindow:(NSString *)prompt; - (void)controlTextDidEndEditing:(NSNotification *)notification; - (IBAction)endPasswordWindow:(id)sender; - (void)afterOpen; - (IBAction)syncButton:(id)sender; - (IBAction)tableModeChanged:(id)sender; - (void)initTableMode; - (NSMutableArray *)reconItems; - (void)updateForChangedItems; - (void)updateReconItems:(OCamlValue *)items; - (id)updateForIgnore:(id)i; - (void)statusTextSet:(NSString *)s; - (void)diffViewTextSet:(NSString *)title bodyText:(NSString *)body; - (void)displayDetails:(ReconItem *)item; - (void)clearDetails; - (IBAction)raiseCltoolWindow:(id)sender; - (IBAction)cltoolYesButton:(id)sender; - (IBAction)cltoolNoButton:(id)sender; - (IBAction)raiseAboutWindow:(id)sender; - (IBAction)raiseWindow:(NSWindow *)theWindow; - (IBAction)onlineHelp:(id)sender; - (IBAction)installCommandLineTool:(id)sender; - (BOOL)validateItem:(IBAction *) action; - (BOOL)validateMenuItem:(NSMenuItem *)menuItem; - (BOOL)validateToolbarItem:(NSToolbarItem *)toolbarItem; - (void)resizeWindowToSize:(NSSize)newSize; - (float)toolbarHeightForWindow:(NSWindow *)window; @end unison-2.40.102/uimacnew/English.lproj/0000755006131600613160000000000012050210657017721 5ustar bcpiercebcpierceunison-2.40.102/uimacnew/English.lproj/MainMenu.nib/0000755006131600613160000000000012050210657022201 5ustar bcpiercebcpierceunison-2.40.102/uimacnew/English.lproj/MainMenu.nib/classes.nib0000644006131600613160000001503511361646373024350 0ustar bcpiercebcpierce IBClasses CLASS NSSegmentedControl LANGUAGE ObjC SUPERCLASS NSControl CLASS NSOutlineView LANGUAGE ObjC SUPERCLASS NSTableView CLASS ProfileTableView LANGUAGE ObjC OUTLETS myController MyController SUPERCLASS NSTableView CLASS ProfileController LANGUAGE ObjC OUTLETS tableView NSTableView SUPERCLASS NSObject CLASS NotificationController LANGUAGE ObjC SUPERCLASS NSObject ACTIONS anyEnter id localClick id remoteClick id CLASS PreferencesController LANGUAGE ObjC OUTLETS firstRootText NSTextField localButtonCell NSButtonCell profileNameText NSTextField remoteButtonCell NSButtonCell secondRootHost NSTextField secondRootText NSTextField secondRootUser NSTextField SUPERCLASS NSObject ACTIONS copyLR id copyRL id forceNewer id forceOlder id ignoreExt id ignoreName id ignorePath id leaveAlone id merge id revert id selectConflicts id showDiff id CLASS FirstResponder LANGUAGE ObjC SUPERCLASS NSObject CLASS MessageProgressIndicator LANGUAGE ObjC SUPERCLASS NSProgressIndicator ACTIONS cancelProfileButton id cltoolNoButton id cltoolYesButton id createButton id endPasswordWindow id installCommandLineTool id onlineHelp id openButton id raiseAboutWindow id raiseCltoolWindow id raiseWindow NSWindow rescan id restartButton id saveProfileButton id syncButton id tableModeChanged id CLASS MyController LANGUAGE ObjC OUTLETS ConnectingView NSView aboutWindow NSWindow chooseProfileView NSView cltoolPref NSButton cltoolWindow NSWindow detailsTextView NSTextView diffView NSTextView diffWindow NSWindow mainWindow NSWindow notificationController NotificationController passwordCancelButton NSButton passwordPrompt NSTextField passwordText NSTextField passwordWindow NSWindow preferencesController PreferencesController preferencesView NSView profileController ProfileController progressBar NSProgressIndicator statusText NSTextField tableModeSelector NSSegmentedControl tableView ReconTableView updatesText NSTextField updatesView NSView versionText NSTextField SUPERCLASS NSObject ACTIONS copyLR id copyRL id forceNewer id forceOlder id ignoreExt id ignoreName id ignorePath id leaveAlone id merge id revert id selectConflicts id showDiff id CLASS ReconTableView LANGUAGE ObjC SUPERCLASS NSOutlineView IBVersion 1 unison-2.40.102/uimacnew/English.lproj/MainMenu.nib/keyedobjects.nib0000644006131600613160000013321511361646373025367 0ustar bcpiercebcpiercebplist00 X$versionT$topY$archiverX$objects]IB.objectdata_NSKeyedArchiver 159@CDHL   &',-.1569<=>AF[m{|}~ \  !%,-.3UVWabistw~  #$*+.7:?@JKQRY^_fgmnqvw|}     !37>CKLTUZ[cdlmopqwx{~  $,-45=>FGHNOQYZabjks tvyz~ ()./78<CDEJKPQVW\cdefknoV  !"%&./78=HQRSW![^fgnors tuvwz{8 tuv  $%,-078ABEFMNVWY`aijtuvklqxy      ! " % 1 2 3 6 ? @ D E F I  J K P W X ` a c e f k l q | } ~ tuv        # $ . / 9 : ; < ? H I P Q R S X Y ^ c d i s t v x } 9 tuv       ! % . / 6 7 : ; = > C H I N U Y Z [ \     # ( ) * 9 B C K ( T a h i j s | } ( ( ( B       '      !"#$%&'()*+,-./0123456789:;<=>?@ABCDEFG.HIJKLMNOPQRSTUVWXYZ[\]^_` 4abcdefghijklmnopqrstuvwxyz{|}~ U$null  !"#$%&'()*+,-./0VNSRootV$class]NSObjectsKeys_NSClassesValues_NSAccessibilityOidsValues]NSConnections[NSNamesKeys[NSFramework]NSClassesKeysZNSOidsKeys]NSNamesValues_NSAccessibilityConnectors]NSFontManager_NSVisibleWindows_NSObjectsValues_NSAccessibilityOidsKeysYNSNextOid\NSOidsValuesށ >234[NSClassName678YNS.string]NSApplication:;<=X$classesZ$classname=>?_NSMutableStringXNSStringXNSObject:;ABB?^NSCustomObject_IBCocoaFrameworkEFGZNS.objects:;IJJK?\NSMutableSetUNSSetEMNHMOPQRSTUVWXYZ[\]^_`abcdefghijklmnopqrstuvwxyz{|}~ "1dinrӀـ28=?DHW\^fjlnpuŁǁɁ΁ρځށ #%CKM\`bŁǁȁՁց]NSDestinationXNSSourceWNSLabel! 23 _PreferencesController_NSNextResponderWNSFrameVNSCellXNSvFlagsYNSEnabledXNSWindow[NSSuperview ZNSSubviews _{{134, 56}, {91, 22}}[NSCellFlags_NSBackgroundColorZNSContentsYNSSupport]NSControlView\NSCellFlags2_NSDrawsBackground[NSTextColorqA @ PVNSSizeVNSNameXNSfFlags#@*\LucidaGrande:;ߢ?VNSFontWNSColor\NSColorSpace[NSColorName]NSCatalogNameVSystem_textBackgroundColorWNSWhiteB1:;?YtextColorB0:;?_NSTextFieldCell\NSActionCell:;?[NSTextFieldYNSControlVNSView[NSResponder^secondRootUser:;   ?_NSNibOutletConnector^NSNibConnector  0-#/WNSTitle_NSKeyEquivModMaskZNSKeyEquiv]NSMnemonicLocYNSOnImage\NSMixedImageVNSMenu,%&*$!"#$%[NSMenuItems_Install command-line tool2()*+^NSResourceName)'(WNSImage_NSMenuCheckmark:;/00?_NSCustomResource2()*4)'+_NSMenuMixedState:;788?ZNSMenuItem23;.\MyController_raiseCltoolWindow::;?@@ ?_NSNibControlConnectorC E!2-cGHIJKLMNOPQRSTUVWXO+_NSTextContainerYNSTVFlags\NSSharedData[NSDragTypes[NSFrameSizeYNSMaxSizeXNSMinizeZNSDelegate3bBK4 @`Aa3\]^_`abcdefgCWaCXNSCursorYNScvFlagsYNSDocViewYNSBGColor]NSNextKeyVieww4z{y 2Aw2EFopqrstuvwxyz56789:;<=>?_NeXT RTFD pasteboard type_Apple PDF pasteboard type_NSStringPboardType_Apple HTML pasteboard type_1NeXT Encapsulated PostScript v1.2 pasteboard type_NeXT TIFF v4.0 pasteboard type_NSColor pasteboard type_Apple PICT pasteboard type_NSFilenamesPboardType_#CorePasteboardFlavorType 0x6D6F6F76_*NeXT Rich Text Format v1.0 pasteboard typeY{635, 41}CYNSTCFlagsZNSTextViewWNSWidth_NSLayoutManagerJ2#@CN+_NSTextContainers]NSTextStorageYNSLMFlagsIGD>N+FE67Ӏ:;?_NSMutableAttributedString_NSAttributedStringEMHQB:;?^NSMutableArrayWNSArray:;?:;GG?+WNSFlags_NSDefaultParagraphStyle_NSInsertionColor_NSSelectedAttributes_NSMarkedAttributes_NSLinkAttributes_ a]LUEWNS.keysTÀMNƀORQP_selectedTextBackgroundColorπK0.66666669S_selectedTextColor:;آ?\NSDictionaryE߀TÀVWNXY\[NSUnderlineYNSHotSpot\NSCursorType[Z W{8, -8}:;\\?UNSRGBF0 0 1+ZNSTabStops^:;?_NSParagraphStyle:;?_NSTextViewSharedData\{828, 1e+07}Y{634, 41}:;?VNSText_detailsTextView 0eh ,g&*f!"_!Revert to Unison's RecommendationWrevert:  0-jm ,kl&*fWRestartQr^restartButton: #$0oq' ,p&*fTDiffYshowDiff:0 2!s-456789:;<K2=>?@ABCDEFIJeKLWOPQAST_NSDraggingSourceMaskForNonLocalYNSTvFlags_NSOriginalClassName\NSHeaderView_NSAllowsTypeSelect\NSCornerView_NSIntercellSpacingWidth_NSColumnAutoresizingStyle_NSIntercellSpacingHeight[NSGridColor_NSDraggingSourceMaskForLocal^NSTableColumns[NSRowHeightv ux |#@#@w Atv#@2^ReconTableView[NSTableView]^_`XbZe[g0W^X0}4onsA}sZ{635, 391}KVcdeWc0y{zAys]^_`XblemgFW^XF}4utxA}xY{635, 17}:;uvv?_NSTableHeaderViewXyz{WX}~A}9K`IcWAA[NSHScrollerXNSsFlags_NSHeaderClipView\NSScrollAmts[NSVScroller]NSContentViewkr>|ymOAAvAkpvv_{{-26, 0}, {16, 17}}:;?]_NSCornerViewEMHV0^NSIsResizeable\NSHeaderCell\NSIdentifierZNSDataCell^NSResizingMask_NSSortDescriptorPrototypeZNSMinWidthZNSMaxWidth #@z#@;#@@sTpath@TPath#@& [headerColor_headerTextColor:;Х?_NSTableHeaderCell^01@s ހ#@(Q_controlBackgroundColor_controlTextColorUNSKeyZNSSelector[NSAscending [pathSortKeyXcompare::;?_NSSortDescriptor:;?]NSTableColumnV0 #@Qs^fileSizeString TSize^0ـs XfileSizeV !0#@0sXleftIcon&'Q<-K0.33333299/01234BBB5WNSStyleWNSAlignWNSScaleZNSAnimates :;899?[NSImageCell<= [leftSortKeyVBCDEFGH0#@S(#@E #@Ys_percentTransferredN VAction^0ـs [\ _directionSortKeyVabcd0sYrightIconjQ>/01234BBB5 st \rightSortKeyyzYgridColorD0.5:;?^NSClassSwapperYtableView !-р( KӁԀ_{{370, 317}, {83, 24}}B_NSSegmentImages_NSSelectedSegmentЀEMHĀȀ_NSSegmentItemImage_NSSegmentItemImageScaling_NSSegmentItemWidth_NSSegmentItemLabel_NSSegmentItemTagǀ#@82()*)'\Outline-Flat:;?]NSSegmentItem_NSSegmentItemSelectedǀ#@9UU` 2()*ŀ)'_Outline-FlattenedQOǀ̀2()*π)'\Outline-DeepQD:;Ԥ?_NSSegmentedCell:;ץ?_NSSegmentedControl_tableModeSelector ܀0Ԁ,ր׀&*!"[Ignore PathQi[ignorePath: !ڀ-ۀ܀ ݀K݀݁_{{22, 127}, {220, 17}}@߀@U?.?.?[versionText  !-1K2[NSExtension0,./-EMH %)"#$%&' B)*+-.0 2YNSBoxType[NSTitleCell]NSTransparent\NSBorderTypeYNSOffsets_NSTitlePositionEM5H2:;EM@HAB2FG2 _{{11, 20}, {30, 17}}NOARـ@VFile: XQ\controlColor2^_.2 _{{46, 18}, {427, 22}}BҀ _{{2, 2}, {493, 51}}:;n?_{{20, 129}, {497, 71}}V{0, 0}tBvZFirst rootzM0 0.80000001:;|}}?UNSBox"#$%&' B).0 "!EMHEMH N[NSProtoCellYNSNumRows^NSSelectedCell[NSCellClass_NSCellBackgroundColorZNSCellSizeYNSNumCols_NSIntercellSpacing]NSMatrixFlagsWNSCells     D(_{{12, 39}, {70, 38}}EMHBB_NSAlternateContents_NSPeriodicInterval^NSButtonFlags2_NSAlternateImage_NSKeyEquivalent_NSPeriodicDelay]NSButtonFlagsH_tableModeChanged: 0@C,AB&*4ZSelect AllQaZselectAll: 0EG ,F&*f_Propagate Older to Newer[forceOlder: !I-VGHILMNPT+JbKLQTUJ\]K^_`beg4II_{{0, 2}, {505, 14}}ـJI#@MN+IPN>N+FO67ӀEMHāL++_+RSETÀMNƀORETÀVNX\\{505, 1e+07}X{114, 0}XdiffView  0X[  ,YZ&*$[Hide UnisonQhUhide: 0!-s]ZdataSource !-_e62 C"#$& bcad `b_NSSecureTextField+,-WR_{{20, 60}, {187, 22}}Ҁ_ Xdelegate :;0gi> ,h&*f_Propagate Newer to Older[forceNewer: I! -k_preferencesControllerO! m_remoteButtonCell U!) o_profileNameText Z[0qt^_,rs&*$[Quit UnisonQqZterminate:hi2!xv23mw_ProfileController456789:;<K2=>?@pBCrstwJeKxz{PQp~{@z~ | }y{#@1_ProfileTableView]^_`beghz^h432x}xZ{306, 190}KVdzh{}x]^_`begtz^t4<;~}~Y{306, 17}yz}9`wzpp&9>=1OA A AA}&5{{_{{307, 0}, {16, 17}}EMHVh #@r#@G`xXprofilesXProfiles-hـx Հ0,&*$XShow All_unhideAllApplications:! ^secondRootHostB![nextKeyView !-L\NSWindowView\NSScreenRect]NSWindowTitleYNSWTFlags]NSWindowClass\NSWindowRect_NSWindowBacking_NSWindowStyleMaskYNSMinSize[NSViewClassہpx_{{194, 458}, {262, 266}}67TViewEM H  ۀ ݀_{{22, 152}, {220, 22}}# ҀVUnisonT$ހ_LucidaGrande-Bold)*ۀ ݀_{{22, 20}, {224, 52}}23 5Ҁ@oW Copyright 1999-2006. This software is licensed under the GNU General Public License.:<#@$ >J@ACDZNSEditableہ  ݀EFJqLtxuw69=:<_Apple PNG pasteboard type_{{20, 182}, {224, 64}}/01234BUBB52()*Z)':;\]]?[NSImageViewabۀ ݀_{{22, 101}, {224, 18}}jkҀ_Sync you very much!qހ]Optima-ItalicZ{262, 266}_{{0, 0}, {1920, 1178}}Z{213, 129}_{3.40282e+38, 3.40282e+38}:;xyy?_NSWindowTemplate[aboutWindow ~!-e23  0-,&*$\About Unison_raiseAboutWindow: 0,À&*4UPasteQvVpaste:! _localButtonCell 0 [localClick:  0-ʁ ,ˁ̀&*f_Synchronize allQg[syncButton:!  À!Ѐ-L#πցp(сׁ_{{0, 364}, {480, 360}}67EMՀHZ{480, 360}ZmainWindow ܀0ہj ,܀&*f_Propagate Left to RightWcopyLR: !߀-L#_{{163, 135}, {400, 229}}67+EMH  _{{302, 12}, {84, 32}}@SYes67Ӏ:;?XNSButton ! _{{20, 188}, {383, 21}}N()Rـꀏ_7Would you like to install the Unison command-line tool?$ހ34 _{{17, 36}, {145, 18}};=@ʁ򀅁_Don't ask me againDXNSSwitchIJ _{{218, 12}, {84, 32}}RSRNo67Ӏ\] _{{17, 60}, {366, 120}}Ndgـ@_The command-line tool is a small program that can be installed in a standard place on your computer (/usr/bin/unison) so Unison can easily be found. If you want to be able to synchronize files on this computer by running Unison on a remote computer, you should probably install it. If you don't install it now, you can do so later by choosing 'Install command-line tool' from the Unison menu. _{{1, 9}, {400, 229}}\cltoolWindow  op0-  tu b b_{{115, 12}, {98, 32}}{|}~o  8XContinueހ YHelvetica67Ӏ67Ӏ_endPasswordWindow: 0!-se! ^secondRootText! !  0-_cltoolYesButton: 0 ,&*fUMergeVmerge:  0-_cltoolNoButton: 0' ,&*f_Propagate Right to LeftWcopyRL: ʀ0" , !&*f[Leave AloneQ/[leaveAlone: hـ!-x$\myController ߀!&-BK2zz}0'?}A/@EMH(,z&)* }&_{{17, 236}, {329, 25}}N5ـ+(_,Please choose a profile or create a new one   z&-. }&_{{651, -524}, {84, 32}}  0/,TQuit67ӀEM Hpw{59EM Hhx_{{1, 17}, {306, 190}}:; # $ $?ZNSClipView & ' ( + ,z . 0XNSTargetXNSActionYNSPercent86}7#?`_{{307, 17}, {15, 190}}\_doScroller::; 4 5 5?ZNSScroller & ' ( + :{z . >8:}7#? _{{-100, -100}, {113, 15}}EM BHt~_{{1, 0}, {306, 17}}_{{20, 20}, {323, 208}}:; G H H?\NSScrollViewZ{363, 281}_chooseProfileView M O!D-J  S T bEF b_{{14, 12}, {84, 32}} Z| \ ] MHIGDVCancel67Ӏ67Ӏ_passwordCancelButton j!_-L\passwordText n p!N-[L  t u w x y z {bXPOZYQ_{{2, 118}, {227, 128}}^PasswordWindow67EM Ho M _DS  bTU b_{{22, 90}, {183, 17}}N RـVS_Please enter your password _{{1, 9}, {227, 128}}^passwordWindow 0]_ ,^&*4_Select Conflicts_selectConflicts:i !v-a_profileController  !c-K2W  W A0dAA/EM H  ek6 2 C H W ZNSMaxValueYNSpiFlags\NSDrawMatrixcjg"Af@ ch_MessageProgressIndicator_NSProgressIndicator сi:; Ԣ ?ZNSPSMatrix_{{18, 16}, {641, 20}} W clAcEM ߀HXa}wEM HAcIvpry|EM H0s_{{1, 17}, {635, 391}} & ' (XX + {W .X }}8qA7}#?ڮ _{{-30, 17}, {15, 391}} & ' (XX + {W .X }}8sA7}#? _{{-100, -100}, {629, 15}}EM HFx_{{1, 0}, {635, 17}}Z{637, 409}`    .W OOk>xOAk}33EM HO  3}EM HC2_{{1, 1}, {635, 41}} "[|W{4, -5} & ' %aa + ){W .a -ZNSCurValueww8~A7w#?_{{-30, 1}, {15, 45}} & ' % (aa + 3 4{W .a - 8ww8A7w#?B`_{{-100, -100}, {87, 18}}_{{0, 418}, {637, 43}}_{{20, 44}, {637, 461}}:; = > >?[NSSplitView B C DW c Ac_{{20, 513}, {637, 13}}N L3 gـ_Label Font TextZ{677, 546}[updatesView  W!-ZstatusText  Mp0-D   b0 \remoteClick: f h!-L j l' n o pQ q rp_{{519, 382}, {505, 342}}6767+ { |EM HˁK` j  j >?JJEM H JEM HIZ{505, 342} B[W{1, -1} & ' % + { . -87_{{-30, 1}, {15, 356}} & ' % ( +  . - 887_{{1, 9}, {505, 342}}ZdiffWindow 0  ,&*[Ignore NameQn[ignoreName: !-ZcltoolPref  ŀ!-23 Ȁ_NotificationController_notificationController ΀0  ,&*_Ignore ExtensionQeZignoreExt:  ݀!e-[progressBar0 !s_outlineTableColumn  0  ,Z&*$[Hide Others_hideOtherApplications:  !S-^passwordPrompt  0-  ,À&*fVRescanWrescan: !߁_initialFirstResponderB !)  !ɀ-K2      ʁ0ˁсʁӁ/EM #H $  ( ) *  ɀ́- ʁ_{{315, 303}, {263, 19}} 2 3 $ҀρЁ̀]Connecting...ހZ{871, 577}67^ConnectingViewih!vx]B G! ]firstRootText  L M0-ف P Q T,ہ܀&*!" W X_Unison Online HelpQ?[onlineHelp:E ] ^ ju_F9 X p  CZ: T A(h0  $  L| C  J co ]   TU ) t$    bE! f fG   n M  Ca~ #  *   iB  4%ꀖp4xb}Uc,q&gڀ-xԀs_ (́f*ف5#3e2}kہ߁怴Ёɀʁ9F'΁~dS I) X@Հށj.+erNDw]9oۀvE$ځ67 TEditEM H| 39@]:; ?  ]NSIsSeparator\NSIsDisabled,  &*$THelpEM H L  ' T W "YNSSubmenu,ځ&*!" % & '^submenuAction:WActionsEM ,H:#  ہgEeoj   ,  &*fXMainMenuEM EH   '# S,$&*EM VH p    Z#Xq c d,&*$^Preferences...Q,  ,  &*$  ,  &*$\_NSAppleMenu  '  ,4&*  '  ,f&*  ' ,Ձ&*VIgnoreEM H ԁ[_NSMainMenu:; ?E ]  f o0XB X n   X     T aa h    M $    0 00    AX  j     a   0 s}$}Nk$S$&$ff4ہՀ}b&ہɁ(ځ$4cՁwwfcx fbfD%́f_b$s$$4ssځ߁f,)ffՁ$&}bۀk4ہ4fcfЁwfs$ہE ] D ju_F9 X p  CA Z T:(h 0  $   L|  C J o]c  )U T t$    b!E f fG   M n  Ca~  #  *   iB  4%ꀖp4xb}Uc,&-qځgx _Ԁs(個́fe*5ف3#k2ہ}߁Ёɀ΁9'ʁF~d SI) X@ހՀ쀰j.+eDNrw]9oۀvE$ځE ]  ;      !"#$%&'( % +,-./01 3456789:;<>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ[\]^_ uabcdefghijklmnopqrstuvwxmz{|}~     B. !"#$%&'()*+,-./0123456789:;<=>?@ABCDEFGHIJԁKLMNOPQRST UVWXYZ[\]^_`abcdefghijklmnopqrstuvPwxyz{|}~w_Text Field Cell (Unison)^Content View-3_Static Text (Profile name:)_Button Cell (Continue)_EStatic Text (Would you like to install the Unison command-line tool?)_Table Column (fileSizeString)_Vertical Scroller-1_Static Text (File:)_Menu Item (About Unison)_Text Field Cell (User:)[Menu (Edit)_Text Field Cell-5_Table Header View-1_Text Field Cell-3^Content View-1_Text Field Cell-6_#Bordered Scroll View (Table View)-1YSeparator_-Text Field Cell (Please enter your password )_Button Cell (Local)_Menu Item (Hide Others)_Image Cell (Unison)_Push Button (Quit)_Static Text (File: )_Menu Item (Quit Unison)[Menu (Help)_$Menu Item (Propagate Newer to Older)_Menu Item (Paste)_Menu Item (Leave Alone)_Text Field Cell (File:)_Button Cell (Remote)_Image View (Unison)_Profile Table View (Profiles)\Text Field-1_Secure Text Field_Static Text (Unison)_Menu Item (Ignore Path)_+Recon Table View (Path, Size, <, Action, >)_Text Field Cell-7_:Static Text (Please choose a profile or create a new one )_Menu Item (Help)_Text Field Cell-8_Static Text (Connecting...)_Push Button (No)^Menu (Actions)[AboutWindow_Message Progress Indicator_,Round Segmented Control (Outline-Flat, O, D)_>Text Field Cell (Please choose a profile or create a new one )_Vertical Scroller_Menu Item (Unison Online Help)_Menu Item (Cut)_Static Text (The command-line tool is a small program that can be installed in a standard place on your computer (/usr/bin/unison) so Unison can easily be found. If you want to be able to synchronize files on this computer by running Unison on a remote computer, you should probably install it. If you don't install it now, you can do so later by choosing 'Install command-line tool' from the Unison menu. )_%Menu Item (Install command-line tool)_Menu Item (Ignore Extension)ZSplit View[Separator-3_Table Column (profiles)YText View^Content View-2_Vertical Scroller-2_Text Field Cell-4\CltoolWindow_Button Cell (No)\Text Field-2_#Menu Item (Propagate Right to Left)_Push Button (Continue)_Text Field Cell-2_Text Field Cell (The command-line tool is a small program that can be installed in a standard place on your computer (/usr/bin/unison) so Unison can easily be found. If you want to be able to synchronize files on this computer by running Unison on a remote computer, you should probably install it. If you don't install it now, you can do so later by choosing 'Install command-line tool' from the Unison menu. )\Image Cell-1VWindow_PreferencesView_Text Field Cell (Connecting...)_Horizontal Scroller_Text Field Cell (Profile name:)_Push Button (Yes)_Menu Item (Synchronize all)_Button Cell (Cancel)_Menu Item (Rescan)_Table Header View_Text Field Cell-1_Menu Item (Edit)_)Static Text (Please enter your password )_#Segmented Cell (Outline-Flat, O, D)_Menu Item (Preferences...)_Horizontal Scroller-3[Text View-1ZText Field_Table Column (path)_Prototype Button Cell (Radio)_Menu Item (Hide Unison)VMatrix[Separator-1_%Text Field Cell (Sync you very much!)_Menu Item (Select All)_Text Field Cell (?.?.?)]Menu (Ignore)_Table Column (leftIcon)^Content View-4\Text Field-3_IText Field Cell (Would you like to install the Unison command-line tool?)_Table Column (rightIcon)_Text Field Cell-9_Menu Item (Restart)_Button Cell (Quit)_Text Field CellWWindow1_-Menu Item (Revert to Unison's Recommendation)_Menu Item (Merge)_Text Field Cell (File: )_Menu Item (Ignore Name)_Check Box (Don't ask me again)[Separator-2_!Bordered Scroll View (Table View)_Push Button (Cancel)oeStatic Text ( Copyright 1999-2006. This software is licensed under the GNU General Public License.)_Horizontal Scroller-1_Static Text (User:)_!Text Field Cell (Label Font Text)_Scroll View (Text View)_ Bordered Scroll View (Text View)[Application_!Static Text (Sync you very much!)_Menu Item (Unison)\File's Owner_Menu Item (Select Conflicts)_Menu Item (Copy)_Menu Item (Diff)_Menu Item (Actions)_Static Text (Host:)_Static Text (Label Font Text)oiText Field Cell ( Copyright 1999-2006. This software is licensed under the GNU General Public License.)_Vertical Scroller-3_#Menu Item (Propagate Left to Right)_Box (Second root)\Content View_Box (First root)_Horizontal Scroller-2_Button Cell (Yes)\Text Field-4_Menu Item (Ignore)_$Menu Item (Propagate Older to Newer)_!Table Column (percentTransferred)ZImage Cell]Menu (Unison)_Menu Item (Show All)_Static Text (?.?.?)_ Button Cell (Don't ask me again)_Text Field Cell (Host:)E ]h 0xe_sE ]"{ &Oyf`tE ])|^_vF9mjaX T  Th0 ]dUi  LXb C Zcn[ TW} t$q y rzEQuhp  M n a _ YB  jue p `CZ:A(oO c $~t J| V  ]o\{  )U   Sb!R f fklgwGs  C~f# Px*  i 4%ꀖDp4ށxC\}bcn-ځxԀs_ ?jrfـف^2kہ2߀8ʁ9FӁ؁~dǁ XɁՁŀ1ځujŀeǁDNw]HE$ȁցlbUW,q&g (f́\ρ*e5#3}=Ёɀ΁'S I)Հi@ހdM`.+Kp΁rn9o"% ہ#vځE ] !"#$%&'()*+,-./0123456789:;<=>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ[\]^_`abcdefghijklmnopqrstuvwxyz{|}~ÁāŁƁǁȁɁʁˁ́́΁ρЁсҁӁԁՁցׁ؁فځہ܁݁ށ߁   X   !"#$%&'()*+,-./0123456789:;<=>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ[\]^_`abcdefghijklmnopqrstuvwxyz{|}~I4s6=wnjm ./p^o  23x,}0z {o 8q fCk  9uy-#jvg1*7t+3&K:Jl$%r( |~5L"9'8A)!EMHE ]E ]:;?^NSIBObjectData"'1:?DRTf  ) 5 A O Z h       " . 0 2 ; E G U ^ g r y              " % ( + . 1 4 7 : = @ C F I L O R U X [ ^ a d g j m p s v y |   #*3=FRTVXZ]^`b $8DMOQSUW\]_`qx%2:<>AJOdfhjlv,;LNPRTu}#0?ACEM_hm')+-/dv  *4BEHKNPSVXZ\_ajl7Xr#.6HJLNWYn  "19BGPUv~ "$9;=?A_lnz!#%-6;HNPW`kmox}  -/13579FILOs{):<>@B(D_k/147:<>@BDOlnprtvx Uaj})+-/13`o|   $ & ( * , / 1 6 G I R T W l n p r t !!!!! ! !!!'!)!+!@!B!D!F!H!a!v!x!z!|!~!!!!!!!!!!!!!!"" ""E"F"H"J"L"U"W"Y"["j""""""""""""""""""""""#####!###%#'#0#M#O#Q#S#U#W#Y#f#h#t#################$$&$($*$,$5$7$9$B$K$M$b$$$$$$$$$$$$$$$$$$$$% %%%%%%%"%?%A%C%E%G%I%K%h%j%k%|%~%%%%%%%%%%%%%%%%%&&&& & &,&.&0&2&4&7&8&:&<&Y&[&]&`&c&e&h&&&&&&&&&&&&&&&'''3'H']'p'r't'v'''''''''''''''((((((()(+(D(F(H(J(W(Y([(](j(l(u(~((((((((())))) ) ) ))) )#)/)1)=)N)P)R)T)V)w)y){)})))))))))))))))))))*** **'*)*+*-*0*U*a*c*f*h*k*m*p*s*v************+++++ +"+#+%+(+*+,+.+0+9+;+>+@+]+_+a+c+e+g+i+r+t+y+{+}++++++++++++++++++,,,,,,%,F,H,J,L,N,O,Q,S,k,,,,,,,,,,,,,------ --"-$-2-;-D-J-------------------------.$.0.:.I.U.m.x.........................//5/K/`/o////////////////////0 000-06080A0J0W0000000000000000000011 11!1B1D1F1I1L1M1O1Q1h11111111111111111222 2 22222;2=2?2B2E2F2H2J2c22222222222222222233333 3 33335373:3=3>3@3B3Z33333333333333333344!4#4%4(4+4,4.404H4i4k4m4p4r4u4w4444444444444444555 555!5*575I5V5X5[5^5555555555555555555555555556666666/6<6>6A6D6e6g6j6m6o6q6t666666666666666677 7 777>7A7C7F7I7L7O7R7U7W777777777777777777777888 8 888!8#8&8)8J8L8O8Q8S8U8X8Z8]8j8l8q8s8u8z8|8~888888888888888888899999999-9/9193969A9R9T9V9Y9\9999999999999999::: : ::::::*:,:/:2:S:U:X:Z:\:^:`:{:::::::::::::::::;;;$;&;(;+;.;O;Q;T;W;Y;[;];i;k;v;;;;;;;;;<<<<<<"<$<%<(<+<,>>>> >)>,>5>8>A>^>`>c>f>h>j>s>>>>>>>>>>>>>>>>>>>>>??&?(?+?-?0???P?R?T?V?Y?e?v?x?{?}????????@@$@.@:@<@?@B@D@I@L@O@R@U@X@s@|@~@@@@@@@@@@@@@@@@@@AAAAAAA A'A8A:A=AQArAtAvAyA|A}AAAAAAAAAAABBBBBBBBBBBBBBBBBBBCCCCC C C C)CBCcCeChCiCvCxCzC}CCCCCCCCCCCCDD D DDDDD,D=D?DBDPD[DtDDDDDDDDDDDDDDEEEE E E.E0E3E5E7E9E;EHE\EiEkEnEqEEEEEEEEEEEEEEEEEEEEEFFFFFFF@FBFEFHFJFLFNF`FbFnFFFFFFFFFFFFFFFFFFFFFFGGGG$G&G)G+G6GAGNGPGSGVGwGyG|G~GGGGGGGGGGGGGGGHHHH H H(H1H3HHHJHLHOHRH[H]HhHkHnHqHtHwHHHHHHHHHHHHHHIIIIIII I)I4I=IZI]I_IbIeIfIiIIIIIIIIIIIJJJ"J%J(J+J,J/JGJ|JJJJJJJJJJJJJJJJJJJJKK:K=K?KAKDKGKIKLKOKXKZKwKzK|KKKKKKKKKKKKKMaMxMMMMMMMMMMMMMMNNN N#N&N)N+N.N3NOAODOeOgOjOlOnOpOrOxOOOOOOOOOOOOOOOOOOP PPP P#P&PGPIPLPOPQPSPUPaPcPoPPPPPPPPPPPPPPPPPPPPPPQQQQ Q+Q.Q0Q3Q6Q9Q:Q=Q@QYQzQ|Q~QQQQQQQQQQQQQRR:R=R?RARDRGRIRLRQRZR\ReRgRrRuRxR{R~RRRRRRRRRRRRSS SSSSSSS&S?SLSUS`SkSSSSSSSSSSSSSSSTTT T-T8TLT]T_TbTdTgTTTTTTTTTTTTTTTTTUUUUU(U9U;U>U@UCUPUaUcUfUhUkUUUUUUUUUUUUUUUUUVVVV V V)V,V.V1V4V5V8VPVqVsVuVxVzV}VVVVVVVVVVVWWWWWW-W>W@WCWEWHW\WmWoWrWtWwWWWWWWWWWWWWWWWWXXXXX!X$X'X*X,X/X2X5X8XSXiXnXqXzXXXXXXXXXXXXXXXXXXXYYYYYYYYY/YTYVYXY[Y^Y`YcYeYnYYYYYYYYYYYYYYYZ ZZLZOZRZUZXZ[ZnZpZsZvZxZzZZZZZZZZZZZZZZZZ[[ [[[[[[[%[<[i[l[o[r[u[x[z[}[[[[[[[[\\\\\\"\#\%\(\A\b\d\f\i\l\o\q\\\\\\\\\\\\\\\\\\\]]]]]]]N]Q]T]W]Y]\]_]b]e]h]]]]]]]]]]]]]]]]]]^^^^ ^^^^^ ^"^)^,^/^2^;^=^@^C^N^[^]^`^h^^^^^^^^^^^^^^^_____"_%_F_H_K_N_P_R_T_`_b_n__________________```%`'`*`-`/`1`3`F`H`S`d`f`i`k`n`z```````````````````aaa.a0a3a5a8aGaXaZa\a_abaaaaaaaaaaaaaaaaaaaaaabbbb*b-b0b3b6b9bm@mCmEmGmJmLmNmQmTmWmYm\m_mamdmfmimkmnmqmtmvmxm{m~mmmmmmmmmmmmmmmnnnnnnnnnoooo o ooooooo o#o&o)o,o.o1o3o6o9ouRuxuuuuuv v$v>vJvqvvvvvwww'w>wXwwwwwxx/x>xJxgxxxy yzz{{ {{2{<{K{a{u{{{{{{}}}}}}~~)~G~^~s~~~~5ALb 2ANɀ߀>Rm؁Ԃ(KW{σ.?S`s %@CFIKNQTWY\_acfiloruwz}‰ʼnȉˉΉщԉ׉ډ݉  #&),/257:=?BEHKNQTWZ]`cehknqsvy|ŠŊȊˊ͊Њӊ֊ي܊ߊ !$'*,/258:=@IL%(+.147:=@CFILORUX[^adgjmpsvy|čǍʍ͍ЍӍ֍ٍ܍ߍ !$'*-0369 IBFramework Version 677 IBLastKnownRelativeProjectPath ../uimacnew.xcodeproj IBOldestOS 5 IBOpenObjects 198 29 197 423 2 307 402 IBSystem Version 9L30 targetFramework IBCocoaFramework unison-2.40.102/uimacnew/English.lproj/MainMenu.nib/objects.nib0000644006131600613160000004706411361646373024353 0ustar bcpiercebcpierce streamtyped@NSIBObjectDataNSObjectNSCustomObject)@@NSMutableStringNSString+ NSApplicationir NSTextField NSControl)NSView) NSResponderNSBox* NSCustomView) @@@@ffffffffNSMutableArrayNSArrayNSMatrix> 'F&F&icc@#iiii:::ffffi@@@@@ NSActionCellNSCellAF(D NSButtonCell?ii@@@@RemoteNSFont$[36c]LucidaGrandef ci: ssii@@@@@Q@User:Ąc@@controlTextColor:8[[ƪAq@ó˷textBackgroundColor textColorʆ:&&ƪ@Host:ѷȆ8ƪAq@óԷφ ƪ@File:ַȆ.ƪAq@óٷφVVjjff@@cccƪ Second rooẗ́L?WWƪ@ Profile name:޷ȆjƪAq@óφNSView NSResponderGGƪ First rooẗ́L?.ƪAq@óφ33 ƪ@File: Ȇ NSTableColumn)@fff@@ccleftIconNSTableHeaderCellƪ<$LucidaGrande  >headerTextColorʆ NSImageCell)iii@NSClassSwapper*@#ReconTableView NSTableView= NSClipView: NSScrollView NSSplitView MessageProgressIndicatorNSProgressIndicatorb NSPSMatrix[12f]ccddcd} } ƪ@Label Font Text$LucidaGrande  Ȇ""NSView NSResponderNSTextViewTemplateNSViewTemplate. NSMutableSetNSSetI Apple HTML pasteboard typeApple PICT pasteboard type1NeXT Encapsulated PostScript v1.2 pasteboard type*NeXT Rich Text Format v1.0 pasteboard typeApple PDF pasteboard typeNSFilenamesPboardTypeNSStringPboardTypeNeXT TIFF v4.0 pasteboard typeNSColor pasteboard type#CorePasteboardFlavorType 0x6D6F6F76NeXT RTFD pasteboard type{){) NSTextView NSDictionaryNSBackgroundColorselectedTextBackgroundColorNSColorselectedTextColorʆʵ{z)<{){)@@cccNSCursor NSScroller--ff: _doScroller: 3WWCr?ӯ }+}+24ffffi,}}3qv?ӯ3uu?ӯNSTableHeaderView8{{8{{::τcontrolBackgroundColor _NSCornerView}}678>{{<{{ @@@ff@@f::i:>ﻄpathAPath􅅰 headerColorƪ@1$LucidaGrande <ȆﻄfileSizeStringFFFSize􅅰Fƪ@1I<ȆﻄpercentTransferred@GBg(BdAction􅅰Fƪ@1I<Ȇﻄ rightIcon>􅅰F@ gridColor? ڒ NSMenuItemNSMenui@@@Unison ]^ i@@IIi@@@@:i@ About UnisonÂNSCustomResource)NSImageNSMenuCheckmarkefNSMenuMixedState]^ۂÂdh]^Preferences...,dh]^Install command-line toolÂdh]^ۂÂdh\]^ Hide Othershdh]^Show AllÂdh]^ۂÂdh]^ Quit Unisonqdh _NSAppleMenu Hide Unisonhdh^B]_Edit]~Cutxdh}]~Pastevdh]~ Select Alladh]~Select ConflictsÂdhCopycdh~]_MainMenu]UnisonÂdhsubmenuAction:^]EditÂdh~]ActionsÂdh_Actions ]Propagate Left to Right>dh]Propagate Right to Left<dh]Propagate Newer to OlderÂdh]Propagate Older to NewerÂdh] Leave Alone/dh]!Revert to Unison's RecommendationÂdh]MergeÂdh]DiffÂdh]ۂÂdh]Restartrdh]Rescandh]Synchronize allgdh]IgnoreÂdh_Ignore] Ignore Pathidh]Ignore Extensionedh] Ignore Namendh _NSMainMenuHelpÂdh_Help]Unison Online Help?dh֩J VV? NSTextView)NSBackgroundColor+NSColor.ʵrVV1NSImage.sNSBitmapImageRep NSImageRep [2490c]MM*  SSS_ ???T  #***???T  '***???T  (***???T  (***???T  (***???T  (***???T  (***???T  (***@@@S (****** (******yyyooo[H/ (***oooxxx***<(  'ZU***yyyooo  "H88pppyyy***+'<*** (oooooo2HG1    U RS 3ddӯ3WWCr?ӯVV ^ƪ@@Unison,[44c]$LucidaGrande-Boldφ44ƪ@X© Copyright 1999-2006. This software is licensed under the GNU General Public License.φ NSImageViewApple PDF pasteboard type1NeXT Encapsulated PostScript v1.2 pasteboard typeNeXT TIFF v4.0 pasteboard typeNSFilenamesPboardTypeApple PICT pasteboard typeApple PNG pasteboard type@@efUnisonƪ@@?.?.?Iφ   eƪ@@Sync you very much!$Optima-Italic φNSSecureTextFieldNSButtons b b 8Continue@[28c]Helvetica  T T 8Cancel@Zƪ@Please enter your password Ȇ <ƪAq@óφﻄprofilesCs=BProfiles􅅰>ƪ@1ProfileTableView IIƪ@,Please choose a profile or create a new one ȆT T Quit @ÄkkNSView NSResponder33~?ӯ3qqُ}?ӯ;)22)22++<?3CC'(), 22<22ׁ+,Y@’ȆProfileControllerPreferencesControllerNSWindowTemplate iiffffi@@@@@c xpÄNSWindowViewffff ~NotificationControllerq^ᢖ:. T T :Yes<@Ä::ƪ@7Would you like to install the Unison command-line tool?,$LucidaGrande-Bold @Ȇ9: T T :NoD@Ä: #import #include #define BUFSIZE 1024 #define EXECPATH "/Contents/MacOS/Unison" int main(int argc, char **argv) { /* Look up the application by its bundle identifier, which is given in the Info.plist file. This will continue to work even if the user changes the name of the application, unlike fullPathForApplication. */ FSRef fsref; OSStatus status; int len; char buf[BUFSIZE]; status = LSFindApplicationForInfo(kLSUnknownCreator,CFSTR("edu.upenn.cis.Unison"),NULL,&fsref,NULL); if (status) { if (status == kLSApplicationNotFoundErr) { fprintf(stderr,"Error: can't find the Unison application using the Launch Services database.\n"); fprintf(stderr,"Try launching Unison from the Finder, and then try this again.\n",status); } else fprintf(stderr,"Error: can't find Unison application (%ld).\n",status); exit(1); } status = FSRefMakePath(&fsref,(UInt8 *)buf,BUFSIZE); if (status) { fprintf(stderr,"Error: problem building path to Unison application (%ld).\n",status); exit(1); } len = strlen(buf); if (len + strlen(EXECPATH) + 1 > BUFSIZE) { fprintf(stderr,"Error: path to Unison application exceeds internal buffer size (%d).\n",BUFSIZE); exit(1); } strcat(buf,EXECPATH); /* It's important to pass the absolute path on to the GUI, that's how it knows where to find the bundle, e.g., the Info.plist file. */ argv[0] = buf; // printf("The Unison executable is at %s\n",argv[0]); // printf("Running...\n"); execv(argv[0],argv); /* If we get here the execv has failed; print an error message to stderr */ perror("unison"); exit(1); } unison-2.40.102/uimacnew/ReconItem.h0000644006131600613160000000357111361646373017263 0ustar bcpiercebcpierce/* ReconItem */ #import @class OCamlValue; @interface ReconItem : NSObject { ReconItem *parent; NSString *path; NSString *fullPath; BOOL selected; NSImage *direction; NSString *directionSortString; double fileSize; double bytesTransferred; BOOL resolved; } - (BOOL)selected; - (void)setSelected:(BOOL)x; - (NSString *)path; - (NSString *)fullPath; - (NSString *)left; - (NSString *)right; - (NSImage *)direction; - (NSImage *)fileIcon; - (long)fileCount; - (double)fileSize; - (NSString *)fileSizeString; - (double)bytesTransferred; - (NSString *)bytesTransferredString; - (void)setDirection:(char *)d; - (void) doAction:(unichar)action; - (void) doIgnore:(unichar)action; - (NSString *)progress; - (NSString *)progressString; - (void)resetProgress; - (NSString *)details; - (NSString *)updateDetails; - (BOOL)isConflict; - (BOOL)changedFromDefault; - (void)revertDirection; - (BOOL)canDiff; - (void)showDiffs; - (NSString *)leftSortKey; - (NSString *)rightSortKey; - (NSString *)replicaSortKey:(NSString *)sortString; - (NSString *)directionSortKey; - (NSString *)progressSortKey; - (NSString *)pathSortKey; - (NSArray *)children; - (ReconItem *)collapseParentsWithSingleChildren:(BOOL)isRoot; - (ReconItem *)parent; - (void)setPath:(NSString *)aPath; - (void)setFullPath:(NSString *)p; - (void)setParent:(ReconItem *)p; - (void)willChange; @end @interface LeafReconItem : ReconItem { NSString *left; NSString *right; NSString *progress; NSString *details; OCamlValue *ri; // an ocaml Common.reconItem long index; // index in Ri list } - initWithRiAndIndex:(OCamlValue *)v index:(long)i; @end @interface ParentReconItem : ReconItem { NSMutableArray *_children; long fileCount; } - (void)addChild:(ReconItem *)item nested:(BOOL)useNesting; - (void)sortUsingDescriptors:(NSArray *)sortDescriptors; - (BOOL)hasConflictedChildren; @end unison-2.40.102/uimacnew/Unison.icns0000644006131600613160000012606611361646373017363 0ustar bcpiercebcpierceicns6ics#H8>|>|<<<<<<<<<<<<>|?8>|>|<<<<<<<<<<<<>|?is32fwi-ݙҿ:ߚ:|/ 7S Uc Uc Uc Ui Ud ؇ס̶ּ- Uc ?L66$fwhi-3ymNxvN%_g/ /H됁 ESꚁ ݹU^ޚ ů\cɚ dn wv ud}|dq~`9CliB:ZUh   `ieX Qi ZfNAAKd\BJKF}-E.fq2CH'dk.Eg9"PU5g F*oc&B G)si&A G+si'C G-sc*C H!.sc,C H#/wd-!D L$,pi+"ET+4KK2'NU<!! 7ZK6" 2I C>2..1݉XK݅b=߂R`ӭr*=_lofH"y}zzwwfu҅uzxsq uքw zwsf wՅw zwts{{s|xwKz`;kߍWRz':f ^߂6 Dm a6 Kq a6 Ks cތ- Kv cَ-Kw eґ- Kz gʒ- K| i-K l-Kn- K p- K r% B~ toqqp~A [wpqqn n`abaa ^abb]IWNOOLhwfco_MOMhd5: 6VN6:8M8l,12+tN+<K4bTD*nH{*i\!jl[XXYfx2IjuwqS(oUbmu/I].s t0I ]0q t/I ]0q~5 Xa1zTL2[+K]%@^b0S@PH b i1Qm fH"f l1Qm sH"h l1Qm sH"h l1Qm sH"h l2Qm sH#h l2Qm sH$h l3QmsH%h l4QmsH&hl4QmsH'hl4PmsI'hl4PmsI'hl4 PgkI (fp5 P{}E (fn< 9{1 .hcI KƯE ;j3\ 9PSUO5 NVd9  *a7[! MPSL @]WL @] MV1)LV3WP=/),8JX?.JVWUVO6  l8mk\( h4  h4  i4 i4 B)y)/Ge$w4v3v3v3v3v3v3v3v3v3v3v2t#=fsEs n;7Yw*!2cy$+b¡p7 0=@A@6 ich#H><~???><~???ih32|rm{yUowng}ҾtU ouo i}tU owp g|t\xoj}рtbuni}tUz|uw~yxqsM\vw[v3Qo" V.Gx,<z&`3I3hJ~2kJ2kJ~2kJ2kJ2kJ2kJ2kJ2kJ2kJ2kJ2kJ2kJ2kJ2kH2kH2kH3kK3>lKSbd>ofyV-lfhqIkphjnkp+O߃ ɼi)߄ ߄EWݕs'yݔ@AݒZ QݐiUݍl% K݉ a" 6r߅ ҊI3 Ew ޿X)  7TubB$ #*)(    ~z|}j~}xz|{} xu |y~̹x|j yv y~y~s~xv z~x}uxuy~x|j|x|z{}~{yyM\yzayЂo5Xuуm"azq4Uup.H}p.ugXt$@xmZu'DyoWv'D{oWx'?|oWx'?~oWz?oU܀߸{?܂ܧoUցٺ|?ك֩oUЁҺ|?҄qUɀ˻}?ɃqU~;ðqU;qU;qU;qU;qU;qU;rU|}7{~rUquq3Bput{rTfjf[igjitkDZ`]r{wd^`]s`-NTOwfs|NTO|OtKEFEG|uw|x{BF@/Vd2875la387?q) ' ('!(p&mM!o<^`+q7WY%q!:h=q3jW$r-Rf* #3Ngg4 Ibkgc`_`^_dihU0 .795$    h8mk j v*ߵ v* u) v* w+ v) z-s x3h<S~- :n~6W(e; c8c8c8c8c8c8c8c8c8c8c8c8c8c8c8c8c7b=[=jJ3 dуd`\a@!J| < T!7 :WLlRo&J`%9pʇJ!GrԱW. !;Unx_E*!/8:;;;94) it32;ڕnj_ppqxrqmovvo:qrtpf orrp_qoroH nssoc qpsp_nrqo_ qnroxnrspxqorpknrro_qnrp:orrpfrorpHorrpfqnrp_nrspxrorpfnqroxqnqo:ntspkrotpcnrrpHqoro_nsspxqosp_nrrpxqorofnsrpcqpspcnqroHqoqp:ostpkrosp_otvpsqnrpHorooErsvpWtq{qvp{o gun vp{ trm [sn vow noo j}% \sn wot pqr lx> Ytn vos oor prZ Zun nu wqw wqj in rV yo kx dorY zp ng  for`  zpnk hore  {pnn hoqhypnp  ioql  |pns  ioql  |pns ioql  |pns ioql  |pns ioql  |pns ioql  |pns ioql  |pns ioql  |pns ioql  |pns ioql  |pns ioql  |pns ioql  |pns ioql  |pns ipql  |pns ipql  |pns ipql  |pns ipql  |pns ipql  |pns ipql  |pns ipql  |pns ipql  |pns iprl  |pns iprl  |pns iprl  |pns iprl  |pns iprl  |pns iprl  |pns iprl  |qns iprl  |qns iprl  |qns iprl  |qns iprl  |qns iprl  |qns iprl  |qns iprl  |qns iprl  |qns iprl  |qns iprl  |qns iprl  |qns iprl  |qns iprl  |qns iprl  |qns iprl  |qns iprl  |qns iprl  |qns iprl  |qns iprl  |pns iprf  {pns qnnx  )xsm~ {ml atyop ymmnpc opxs{ mpd jpm tr~sT _ror mvuBMuxmUqqq|zqwptmm}{lqpxznlywmqpjsnpg  _r~ tnu frnxuF  |o!ԋootw|rntm| }l rnoprt rqnnvmw aq ̤|{z |ߗ{tM+zolz  ylޘޚoo Msuޘ߁އ߀ޚrz1lls \rwrvC}lk| Vrupx= ymls 2xml} gpursU {l lt +zl k| Nun߼ lx> apoߺ nrR nqq pqb qor pqf  osp orf iooް mqa ^vl ׈lxO Dxmx wmz< &rsnߦגnpp" ]wlvvlwP   -uro|ߜ }lss$  Dsrmzߔ۩{mqx<  LtsmsݼtmsuK =nwoltǭumoxq9  #WpxrmowzompxqW&  H`svrpoppqrqpooqrvtfL"   .CU_elgfjdYJ3              љvj_w}yxzymx}z}y:y|}xf x}wlw|y_z|zw}yH w}wlokw}yc z|zmkw}y_w}wh~hw}y_ y}zktzjw}yxw}wi}~iw}yxy}ylq}iw|ykw}wi}~iv|y_y}zkp}iw}y:x}wi{{iw}yfz}zlq{iw}yHx}wi{|iw}yfy}zkp{iw}y_w}xi|~iw}yxy}zlp|ix}yfw}wi|{hw|yxy}zlp|iw}y:w}wi|~iv}ykz}zlq|iw|ycw}wh{}hw}yHy|ylp{hw}y_w}wi}iw}yxy}zkq}iw}y_w}wh|{hw}yxy|zkp|hw}yfw}wiz|hw|ycy|zlpziw|ycw}vh{|hw|yHy}zkp{hv}y:x}wi}}iw|ykz}zlr}iw}z_w}wj|~kv}xsy}zkp|iw|yHw}vk{oky|wEz|yntՁlv}x_{{xmu܈ku|z|z|njjr}x i|{ymr ބiu|z}  {{zmznq{x _z{{nu ߈kv|yw ny|ym~ wo|y% \z{|px ܊mx}yv rz|zn ݃p{z}> Z{{|sxnz}yv py|zp p{{y[ Z}|}q u}{v z{}yu r{}zk k|~t w||W {{y u}z} h|~wy}|Z z||w~zj  j|z|~|b  z~zzn k||~~|g  z|zp n|~은|h z~zt m|쟂|l  zzu n|졄|l  zzw n|좆|l  zzw n|꤈|l  zzw n|ꥊ|l  zzw n|꧌|l  zzw n{꩏|l  zyw n{ꪐ|l  zyw n{ꬔ|l  zyw n{ꮕ|l  zyw n{鯘{l  z칗yw n{簙{l  z鹙yw n{屛{l  z纛yw nz㲟{l  z仞yw nz᳠{l  y㼠yw nz߳{l  yߑἢyw nzߐݴ{l  yݑ޼yw nzܐ۶{l  yۑܽyw nzڐٷ{l  yّڽyw nzאַ{l  y֑׽yw nzՑ{l  y̒սyw nzҐѹ{l  yёҽyw nzϑ{l  yɒϽyw nz̹͐{l  y̑ͽxw nzɐɹ{l  yɑɽxw nzƐƺ{l  yƑƽxw nzÑ{l  yüxw nz{l  yxw ny{l  yxw ny{l  yxw ny{l  yxw nyķ{l  yÐxw nyƷˆ{l  yijőxw nyǵĈ{l  yŰƒxw nyɳƈ{l  yǮɒww nyʳƈ{l  yǪʓww nyͱȉzl  yɧ˓ww nyίʉzl  yʥ͓ww nyЮˊzl  y̢ϓww nyѬ̊zl  y͟Дww nyҪΊzl  y͛єww nyթЊzl  yЙӔww nyզъzl  yіՔww nyפъzl  yѓ֕ww nyآӊzl  yӐוww ny٠{}Ԋzl  yԍ}|ؕww ny۞x|zՊzl  xԊz|xٕww nyۛtxu֋zh  yԆuxtڕww twݚotpڐxz  )zӀrtpەv ~vޛkpkޘv  a|wnpkܔwr {vޞflhݫv vֻkklhܑyc rxܣdifu~z{vޝcieًyf lxح_ebڎv {z`eddσzT  azҷ^_`Z߮y{vؽ`_`_d}|B  M{~`[][_ٍv^yyކV]YoԺy ynTXQܾ~w|vܽXWXQެv~v߃LTSOzxxwsMTKvzyvݛFOK\ݥzxj{vߍGOI؇xi  _zNHI Cbި{v| fywDHIGT~|F  xd?E!=_໋xw{zyw|ߒBCE=tߪv  u6@ 8Nթzwwxy{| zxww}ԁ9=@7vz  dy=9: 5:ֶ ܭ\/:7IȀ|P(xh*5 3)?Ё́Ӧf/.5(tv |vߥ%/ +!1\{sN'%./-.ۍwr  M{|L(&"&()*("!'(b޸y1u!  ! ݒvv ^z~LYݻz}C u  ܎t} Xy|ftx}= }v4?Ӈvv 2~v u  iw|szzW vU`ȃvw )uCOՍt O{w5 Dޘv}< bxy5 @ޢxyT oyz: Cyyc uwzS Zޣyyg  qzyg uڠxzi jww& *ϔvyb _|vV _佉v}P D}v~8 <۩}v}< &uzwχ59住xys ^}v}ύ>>͝|v{Q  -wzwץ_++_ʤvzw$  DxzvϪoG'#Envy|< Lv{vz˥scULECBFP_nëzvzzN =r|xvzބʳ|vx}s: "Xs|{vw}xvy}tX% Hbv{yxyz yyxxyz}xfL"   .EVbfnki kleZJ3              ў}j_xm^:f GE_WEH HFq [H_EC_ XExHFxWHxGD_ZG:HEf[HHEFfXE_JFx\JfHEx[H:FDxXFqHFHWH_FDxXF_FExYFfFIqYFqHGH[H:GExZG_GCZFH~FZ~EVD_S9}p -~ mW <  T$q _W ;z tM d% _W >{ uI VD ]U :y sC G_ ]G oz |/ 6n pS nY ; b~ kRn\ 9 bm  oRnf  :bo pSni  :bs rRnm :bw  sSnn  :bysSon  :bz sSon  :cz sSon  :cz sTon  ;cz sTon  ;dz sTon  ;dz sTon  ;dz sUpn  ;ez sUpn  <ez sUpn  <ez sUpn  <ez sVpn  <ez sVpn  <ez sVqn  =fz sVqn  =fz sVqn  =fz sWqn  =fz sWqn  =fz sWqn  =fz sWqn  =fz sXqn  >gz sXqn  >gz sXrn  >gz sXrn  >gz sYrn  >gz sYrn  >gz sYrn  >hz sYrn  >hz sYrn  ?hz sYrn  ?hz sYrn  ?hz sZrn  ?hz sZrn  ?iz sZrn  ?iz sZrn  ?iz sZsn  @iz sZsn  @iz sZsn  @iz sZsn  @iz sZsn  @iz s[sn  @iz s[sn  @iz s[sn  @iz s[sn  @iz s[sn  @iz s[tq  Aiz s[tk  @iz z]o~  -6j `h  d*kv hT xog vq-j th pws D }Y f|Mw0E  O.t^F> B7iQ` Pxxf}}pZj{/yk  c}"Ufw./K  J;ub Tf Tzo:o} fyCes{}~zp^3+R+I"&(+'X  msu Q5A1h mz a2 O|qU6 1Ro}Q >tvbN0(H_sx< #[wxpha[UQPQLHJNT\dmv~w[&  Kd{}hO"   /HYdjrnqi^M5               t8mk@      Yb H f 31 3{F( f2  ;ZkK,#@`=! 6Ur}bC&%Dd\30l% 8,/l%7*/l%7)/l%7)/l%7)/l%7)/l%7)/l%7)/l%7)/l%7)/l%7)/l%7)/l%7)/l%7)/l%7)/l%7)/l%7)/l%7)/l%7)/l%7)/l%7)/l%7)/l%7)/l%7)/l%7)/l%7)/l%7)/l%7)/l%7)/l%7)/l%7)/l%7)/l%7)/l%7)/l%7)/l%7)/l%7)/l%7)/l%7)/l%7)/l%7)/l%7)/l%7)/l%7)/l%7)/l%7)/l%7)/p%7)/%=)/& V).( {(-U p(-Td',sK U&)` qD$'J M@! #DR;  >9 6 82 _f11W̗pXMFGH@;<! 2QplL-!=]wX9 +IhcD' 4RplN0 !Qdt͡tcP<* !2CUfuӵtfUB1! %4DUdq|í|qcTD4% &3AP]it|ƺ}ti]PA3%  #.:FR]gpw~~xph]SG:.#  '/9CLU^ekortuvvvwwwwwwvvvusplf_VMD90'  #*29@EKNQSSTTTTTTTTTTSRPLHB;3,$  !%),-//0000000000//-*'# unison-2.40.102/uimacnew/uimacnew.xcodeproj/0000755006131600613160000000000012050210657021007 5ustar bcpiercebcpierceunison-2.40.102/uimacnew/uimacnew.xcodeproj/project.pbxproj0000644006131600613160000012625211361646373024107 0ustar bcpiercebcpierce// !$*UTF8*$! { archiveVersion = 1; classes = { }; objectVersion = 42; objects = { /* Begin PBXAggregateTarget section */ 2A124E780DE1C48400524237 /* Create ExternalSettings */ = { isa = PBXAggregateTarget; buildConfigurationList = 2A124E7C0DE1C4A200524237 /* Build configuration list for PBXAggregateTarget "Create ExternalSettings" */; buildPhases = ( 2A124E7E0DE1C4BE00524237 /* Run Script (version, ocaml lib dir) */, ); dependencies = ( ); name = "Create ExternalSettings"; productName = "Create ExternalSettings"; }; /* End PBXAggregateTarget section */ /* Begin PBXBuildFile section */ 2A3C3F3309922A8000E404E9 /* Growl.framework in CopyFiles */ = {isa = PBXBuildFile; fileRef = 2A3C3F3209922A8000E404E9 /* Growl.framework */; }; 2A3C3F7D09922D4900E404E9 /* NotificationController.m in Sources */ = {isa = PBXBuildFile; fileRef = 2A3C3F7B09922D4900E404E9 /* NotificationController.m */; }; 2A3C3FAE0992323F00E404E9 /* Growl.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 2A3C3F3209922A8000E404E9 /* Growl.framework */; }; 2E282CC80D9AE2B000439D01 /* unison-blob.o in Frameworks */ = {isa = PBXBuildFile; fileRef = 2E282CC70D9AE2B000439D01 /* unison-blob.o */; }; 44042CB60BE4FC9B00A6BBB2 /* ProgressCell.m in Sources */ = {isa = PBXBuildFile; fileRef = 44042CB40BE4FC9B00A6BBB2 /* ProgressCell.m */; }; 44042D1B0BE52AED00A6BBB2 /* ProgressBarAdvanced.png in Resources */ = {isa = PBXBuildFile; fileRef = 44042D100BE52AED00A6BBB2 /* ProgressBarAdvanced.png */; }; 44042D1C0BE52AEE00A6BBB2 /* ProgressBarBlue.png in Resources */ = {isa = PBXBuildFile; fileRef = 44042D110BE52AED00A6BBB2 /* ProgressBarBlue.png */; }; 44042D1D0BE52AEE00A6BBB2 /* ProgressBarEndAdvanced.png in Resources */ = {isa = PBXBuildFile; fileRef = 44042D120BE52AED00A6BBB2 /* ProgressBarEndAdvanced.png */; }; 44042D1E0BE52AEE00A6BBB2 /* ProgressBarEndBlue.png in Resources */ = {isa = PBXBuildFile; fileRef = 44042D130BE52AED00A6BBB2 /* ProgressBarEndBlue.png */; }; 44042D1F0BE52AEE00A6BBB2 /* ProgressBarEndGray.png in Resources */ = {isa = PBXBuildFile; fileRef = 44042D140BE52AED00A6BBB2 /* ProgressBarEndGray.png */; }; 44042D200BE52AEE00A6BBB2 /* ProgressBarEndGreen.png in Resources */ = {isa = PBXBuildFile; fileRef = 44042D150BE52AED00A6BBB2 /* ProgressBarEndGreen.png */; }; 44042D210BE52AEE00A6BBB2 /* ProgressBarEndWhite.png in Resources */ = {isa = PBXBuildFile; fileRef = 44042D160BE52AED00A6BBB2 /* ProgressBarEndWhite.png */; }; 44042D220BE52AEE00A6BBB2 /* ProgressBarGray.png in Resources */ = {isa = PBXBuildFile; fileRef = 44042D170BE52AED00A6BBB2 /* ProgressBarGray.png */; }; 44042D230BE52AEE00A6BBB2 /* ProgressBarGreen.png in Resources */ = {isa = PBXBuildFile; fileRef = 44042D180BE52AED00A6BBB2 /* ProgressBarGreen.png */; }; 44042D240BE52AEE00A6BBB2 /* ProgressBarLightGreen.png in Resources */ = {isa = PBXBuildFile; fileRef = 44042D190BE52AED00A6BBB2 /* ProgressBarLightGreen.png */; }; 44042D250BE52AEE00A6BBB2 /* ProgressBarWhite.png in Resources */ = {isa = PBXBuildFile; fileRef = 44042D1A0BE52AED00A6BBB2 /* ProgressBarWhite.png */; }; 440EEAF30C03EC3D00ACAAB0 /* Change_Created.png in Resources */ = {isa = PBXBuildFile; fileRef = 440EEAF20C03EC3D00ACAAB0 /* Change_Created.png */; }; 440EEAF90C03F0B800ACAAB0 /* Change_Deleted.png in Resources */ = {isa = PBXBuildFile; fileRef = 440EEAF60C03F0B800ACAAB0 /* Change_Deleted.png */; }; 440EEAFA0C03F0B800ACAAB0 /* Change_Modified.png in Resources */ = {isa = PBXBuildFile; fileRef = 440EEAF70C03F0B800ACAAB0 /* Change_Modified.png */; }; 440EEAFB0C03F0B800ACAAB0 /* Change_PropsChanged.png in Resources */ = {isa = PBXBuildFile; fileRef = 440EEAF80C03F0B800ACAAB0 /* Change_PropsChanged.png */; }; 445A291B0BFA5B3300E4E641 /* Outline-Deep.png in Resources */ = {isa = PBXBuildFile; fileRef = 445A291A0BFA5B3300E4E641 /* Outline-Deep.png */; }; 445A29270BFA5C1200E4E641 /* Outline-Flat.png in Resources */ = {isa = PBXBuildFile; fileRef = 445A29260BFA5C1200E4E641 /* Outline-Flat.png */; }; 445A29290BFA5C1B00E4E641 /* Outline-Flattened.png in Resources */ = {isa = PBXBuildFile; fileRef = 445A29280BFA5C1B00E4E641 /* Outline-Flattened.png */; }; 445A2A5E0BFAB6C300E4E641 /* ImageAndTextCell.m in Sources */ = {isa = PBXBuildFile; fileRef = 445A2A5D0BFAB6C300E4E641 /* ImageAndTextCell.m */; }; 449F03E10BE00DE9003F15C8 /* Bridge.m in Sources */ = {isa = PBXBuildFile; fileRef = 449F03DF0BE00DE9003F15C8 /* Bridge.m */; }; 44A794A10BE16C380069680C /* ExceptionHandling.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 44A794A00BE16C380069680C /* ExceptionHandling.framework */; }; 44A797F40BE3F9B70069680C /* table-mixed.tif in Resources */ = {isa = PBXBuildFile; fileRef = 44A797F10BE3F9B70069680C /* table-mixed.tif */; }; 44F472B10C0DB735006428EF /* Change_Absent.png in Resources */ = {isa = PBXBuildFile; fileRef = 44F472AF0C0DB735006428EF /* Change_Absent.png */; }; 44F472B20C0DB735006428EF /* Change_Unmodified.png in Resources */ = {isa = PBXBuildFile; fileRef = 44F472B00C0DB735006428EF /* Change_Unmodified.png */; }; 69C625E60664EC3300B3C46A /* MainMenu.nib in Resources */ = {isa = PBXBuildFile; fileRef = 29B97318FDCFA39411CA2CEA /* MainMenu.nib */; }; 69C625E70664EC3300B3C46A /* InfoPlist.strings in Resources */ = {isa = PBXBuildFile; fileRef = 089C165CFE840E0CC02AAC07 /* InfoPlist.strings */; }; 69C625E80664EC3300B3C46A /* Unison.icns in Resources */ = {isa = PBXBuildFile; fileRef = 69C625CA0664E94E00B3C46A /* Unison.icns */; }; 69C625EA0664EC3300B3C46A /* main.m in Sources */ = {isa = PBXBuildFile; fileRef = 29B97316FDCFA39411CA2CEA /* main.m */; settings = {ATTRIBUTES = (); }; }; 69C625EB0664EC3300B3C46A /* MyController.m in Sources */ = {isa = PBXBuildFile; fileRef = 69660DC704F08CC100CF23A4 /* MyController.m */; }; 69C625EC0664EC3300B3C46A /* ProfileController.m in Sources */ = {isa = PBXBuildFile; fileRef = 690F564504F11EC300CF23A4 /* ProfileController.m */; }; 69C625ED0664EC3300B3C46A /* ReconItem.m in Sources */ = {isa = PBXBuildFile; fileRef = 69D3C6F904F1CC3700CF23A4 /* ReconItem.m */; }; 69C625EE0664EC3300B3C46A /* ReconTableView.m in Sources */ = {isa = PBXBuildFile; fileRef = 69BA7DA904FD695200CF23A4 /* ReconTableView.m */; }; 69C625EF0664EC3300B3C46A /* PreferencesController.m in Sources */ = {isa = PBXBuildFile; fileRef = 697985CE050CFA2D00CF23A4 /* PreferencesController.m */; }; 69C625F00664EC3300B3C46A /* ProfileTableView.m in Sources */ = {isa = PBXBuildFile; fileRef = 691CE181051BB44A00CF23A4 /* ProfileTableView.m */; }; 69C625F20664EC3300B3C46A /* Cocoa.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 1058C7A1FEA54F0111CA2CBB /* Cocoa.framework */; }; 69E407BA07EB95AA00D37AA1 /* Security.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 69E407B907EB95AA00D37AA1 /* Security.framework */; }; B518071C09D6652100B1B21F /* add.tif in Resources */ = {isa = PBXBuildFile; fileRef = B518071209D6652100B1B21F /* add.tif */; }; B518071D09D6652100B1B21F /* diff.tif in Resources */ = {isa = PBXBuildFile; fileRef = B518071309D6652100B1B21F /* diff.tif */; }; B518071E09D6652100B1B21F /* go.tif in Resources */ = {isa = PBXBuildFile; fileRef = B518071409D6652100B1B21F /* go.tif */; }; B518071F09D6652100B1B21F /* left.tif in Resources */ = {isa = PBXBuildFile; fileRef = B518071509D6652100B1B21F /* left.tif */; }; B518072009D6652100B1B21F /* merge.tif in Resources */ = {isa = PBXBuildFile; fileRef = B518071609D6652100B1B21F /* merge.tif */; }; B518072109D6652100B1B21F /* quit.tif in Resources */ = {isa = PBXBuildFile; fileRef = B518071709D6652100B1B21F /* quit.tif */; }; B518072209D6652100B1B21F /* restart.tif in Resources */ = {isa = PBXBuildFile; fileRef = B518071809D6652100B1B21F /* restart.tif */; }; B518072309D6652100B1B21F /* right.tif in Resources */ = {isa = PBXBuildFile; fileRef = B518071909D6652100B1B21F /* right.tif */; }; B518072409D6652100B1B21F /* save.tif in Resources */ = {isa = PBXBuildFile; fileRef = B518071A09D6652100B1B21F /* save.tif */; }; B518072509D6652100B1B21F /* skip.tif in Resources */ = {isa = PBXBuildFile; fileRef = B518071B09D6652100B1B21F /* skip.tif */; }; B554004109C4E5AA0089E1C3 /* UnisonToolbar.m in Sources */ = {isa = PBXBuildFile; fileRef = B554004009C4E5AA0089E1C3 /* UnisonToolbar.m */; }; B5B44C1909DF61A4000DC7AF /* table-conflict.tif in Resources */ = {isa = PBXBuildFile; fileRef = B5B44C1109DF61A4000DC7AF /* table-conflict.tif */; }; B5B44C1A09DF61A4000DC7AF /* table-error.tif in Resources */ = {isa = PBXBuildFile; fileRef = B5B44C1209DF61A4000DC7AF /* table-error.tif */; }; B5B44C1B09DF61A4000DC7AF /* table-left-blue.tif in Resources */ = {isa = PBXBuildFile; fileRef = B5B44C1309DF61A4000DC7AF /* table-left-blue.tif */; }; B5B44C1C09DF61A4000DC7AF /* table-left-green.tif in Resources */ = {isa = PBXBuildFile; fileRef = B5B44C1409DF61A4000DC7AF /* table-left-green.tif */; }; B5B44C1D09DF61A4000DC7AF /* table-merge.tif in Resources */ = {isa = PBXBuildFile; fileRef = B5B44C1509DF61A4000DC7AF /* table-merge.tif */; }; B5B44C1E09DF61A4000DC7AF /* table-right-blue.tif in Resources */ = {isa = PBXBuildFile; fileRef = B5B44C1609DF61A4000DC7AF /* table-right-blue.tif */; }; B5B44C1F09DF61A4000DC7AF /* table-right-green.tif in Resources */ = {isa = PBXBuildFile; fileRef = B5B44C1709DF61A4000DC7AF /* table-right-green.tif */; }; B5B44C2009DF61A4000DC7AF /* table-skip.tif in Resources */ = {isa = PBXBuildFile; fileRef = B5B44C1809DF61A4000DC7AF /* table-skip.tif */; }; B5E03B3909E38B9E0058C7B9 /* rescan.tif in Resources */ = {isa = PBXBuildFile; fileRef = B5E03B3809E38B9E0058C7B9 /* rescan.tif */; }; /* End PBXBuildFile section */ /* Begin PBXContainerItemProxy section */ 2A124E7F0DE1C4E400524237 /* PBXContainerItemProxy */ = { isa = PBXContainerItemProxy; containerPortal = 29B97313FDCFA39411CA2CEA /* Project object */; proxyType = 1; remoteGlobalIDString = 2A124E780DE1C48400524237; remoteInfo = "Create ExternalSettings"; }; /* End PBXContainerItemProxy section */ /* Begin PBXCopyFilesBuildPhase section */ 2A3C3F3709922AA600E404E9 /* CopyFiles */ = { isa = PBXCopyFilesBuildPhase; buildActionMask = 2147483647; dstPath = ""; dstSubfolderSpec = 10; files = ( 2A3C3F3309922A8000E404E9 /* Growl.framework in CopyFiles */, ); runOnlyForDeploymentPostprocessing = 0; }; /* End PBXCopyFilesBuildPhase section */ /* Begin PBXFileReference section */ 089C165DFE840E0CC02AAC07 /* English */ = {isa = PBXFileReference; fileEncoding = 10; lastKnownFileType = text.plist.strings; name = English; path = English.lproj/InfoPlist.strings; sourceTree = ""; }; 1058C7A1FEA54F0111CA2CBB /* Cocoa.framework */ = {isa = PBXFileReference; lastKnownFileType = wrapper.framework; name = Cocoa.framework; path = /System/Library/Frameworks/Cocoa.framework; sourceTree = ""; }; 29B97316FDCFA39411CA2CEA /* main.m */ = {isa = PBXFileReference; fileEncoding = 30; lastKnownFileType = sourcecode.c.objc; path = main.m; sourceTree = ""; }; 29B97319FDCFA39411CA2CEA /* English */ = {isa = PBXFileReference; lastKnownFileType = wrapper.nib; name = English; path = English.lproj/MainMenu.nib; sourceTree = ""; }; 2A3C3F3209922A8000E404E9 /* Growl.framework */ = {isa = PBXFileReference; lastKnownFileType = wrapper.framework; path = Growl.framework; sourceTree = ""; }; 2A3C3F7A09922D4900E404E9 /* NotificationController.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = NotificationController.h; sourceTree = ""; }; 2A3C3F7B09922D4900E404E9 /* NotificationController.m */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.objc; path = NotificationController.m; sourceTree = ""; }; 2E282CC70D9AE2B000439D01 /* unison-blob.o */ = {isa = PBXFileReference; lastKnownFileType = "compiled.mach-o.objfile"; name = "unison-blob.o"; path = "../unison-blob.o"; sourceTree = SOURCE_ROOT; }; 2E282CCC0D9AE2E800439D01 /* ExternalSettings.xcconfig */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text.xcconfig; path = ExternalSettings.xcconfig; sourceTree = ""; }; 44042CB30BE4FC9B00A6BBB2 /* ProgressCell.h */ = {isa = PBXFileReference; fileEncoding = 30; lastKnownFileType = sourcecode.c.h; path = ProgressCell.h; sourceTree = ""; }; 44042CB40BE4FC9B00A6BBB2 /* ProgressCell.m */ = {isa = PBXFileReference; fileEncoding = 30; lastKnownFileType = sourcecode.c.objc; path = ProgressCell.m; sourceTree = ""; }; 44042D100BE52AED00A6BBB2 /* ProgressBarAdvanced.png */ = {isa = PBXFileReference; lastKnownFileType = image.png; name = ProgressBarAdvanced.png; path = progressicons/ProgressBarAdvanced.png; sourceTree = ""; }; 44042D110BE52AED00A6BBB2 /* ProgressBarBlue.png */ = {isa = PBXFileReference; lastKnownFileType = image.png; name = ProgressBarBlue.png; path = progressicons/ProgressBarBlue.png; sourceTree = ""; }; 44042D120BE52AED00A6BBB2 /* ProgressBarEndAdvanced.png */ = {isa = PBXFileReference; lastKnownFileType = image.png; name = ProgressBarEndAdvanced.png; path = progressicons/ProgressBarEndAdvanced.png; sourceTree = ""; }; 44042D130BE52AED00A6BBB2 /* ProgressBarEndBlue.png */ = {isa = PBXFileReference; lastKnownFileType = image.png; name = ProgressBarEndBlue.png; path = progressicons/ProgressBarEndBlue.png; sourceTree = ""; }; 44042D140BE52AED00A6BBB2 /* ProgressBarEndGray.png */ = {isa = PBXFileReference; lastKnownFileType = image.png; name = ProgressBarEndGray.png; path = progressicons/ProgressBarEndGray.png; sourceTree = ""; }; 44042D150BE52AED00A6BBB2 /* ProgressBarEndGreen.png */ = {isa = PBXFileReference; lastKnownFileType = image.png; name = ProgressBarEndGreen.png; path = progressicons/ProgressBarEndGreen.png; sourceTree = ""; }; 44042D160BE52AED00A6BBB2 /* ProgressBarEndWhite.png */ = {isa = PBXFileReference; lastKnownFileType = image.png; name = ProgressBarEndWhite.png; path = progressicons/ProgressBarEndWhite.png; sourceTree = ""; }; 44042D170BE52AED00A6BBB2 /* ProgressBarGray.png */ = {isa = PBXFileReference; lastKnownFileType = image.png; name = ProgressBarGray.png; path = progressicons/ProgressBarGray.png; sourceTree = ""; }; 44042D180BE52AED00A6BBB2 /* ProgressBarGreen.png */ = {isa = PBXFileReference; lastKnownFileType = image.png; name = ProgressBarGreen.png; path = progressicons/ProgressBarGreen.png; sourceTree = ""; }; 44042D190BE52AED00A6BBB2 /* ProgressBarLightGreen.png */ = {isa = PBXFileReference; lastKnownFileType = image.png; name = ProgressBarLightGreen.png; path = progressicons/ProgressBarLightGreen.png; sourceTree = ""; }; 44042D1A0BE52AED00A6BBB2 /* ProgressBarWhite.png */ = {isa = PBXFileReference; lastKnownFileType = image.png; name = ProgressBarWhite.png; path = progressicons/ProgressBarWhite.png; sourceTree = ""; }; 440EEAF20C03EC3D00ACAAB0 /* Change_Created.png */ = {isa = PBXFileReference; lastKnownFileType = image.png; path = Change_Created.png; sourceTree = ""; }; 440EEAF60C03F0B800ACAAB0 /* Change_Deleted.png */ = {isa = PBXFileReference; lastKnownFileType = image.png; path = Change_Deleted.png; sourceTree = ""; }; 440EEAF70C03F0B800ACAAB0 /* Change_Modified.png */ = {isa = PBXFileReference; lastKnownFileType = image.png; path = Change_Modified.png; sourceTree = ""; }; 440EEAF80C03F0B800ACAAB0 /* Change_PropsChanged.png */ = {isa = PBXFileReference; lastKnownFileType = image.png; path = Change_PropsChanged.png; sourceTree = ""; }; 445A291A0BFA5B3300E4E641 /* Outline-Deep.png */ = {isa = PBXFileReference; lastKnownFileType = image.png; path = "Outline-Deep.png"; sourceTree = ""; }; 445A29260BFA5C1200E4E641 /* Outline-Flat.png */ = {isa = PBXFileReference; lastKnownFileType = image.png; path = "Outline-Flat.png"; sourceTree = ""; }; 445A29280BFA5C1B00E4E641 /* Outline-Flattened.png */ = {isa = PBXFileReference; lastKnownFileType = image.png; path = "Outline-Flattened.png"; sourceTree = ""; }; 445A2A5B0BFAB6A100E4E641 /* ImageAndTextCell.h */ = {isa = PBXFileReference; fileEncoding = 30; lastKnownFileType = sourcecode.c.h; path = ImageAndTextCell.h; sourceTree = ""; }; 445A2A5D0BFAB6C300E4E641 /* ImageAndTextCell.m */ = {isa = PBXFileReference; fileEncoding = 30; lastKnownFileType = sourcecode.c.objc; path = ImageAndTextCell.m; sourceTree = ""; }; 449F03DE0BE00DE9003F15C8 /* Bridge.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = Bridge.h; sourceTree = ""; }; 449F03DF0BE00DE9003F15C8 /* Bridge.m */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.objc; path = Bridge.m; sourceTree = ""; }; 44A794A00BE16C380069680C /* ExceptionHandling.framework */ = {isa = PBXFileReference; lastKnownFileType = wrapper.framework; name = ExceptionHandling.framework; path = /System/Library/Frameworks/ExceptionHandling.framework; sourceTree = ""; }; 44A797F10BE3F9B70069680C /* table-mixed.tif */ = {isa = PBXFileReference; lastKnownFileType = image.tiff; path = "table-mixed.tif"; sourceTree = ""; }; 44F472AF0C0DB735006428EF /* Change_Absent.png */ = {isa = PBXFileReference; lastKnownFileType = image.png; path = Change_Absent.png; sourceTree = ""; }; 44F472B00C0DB735006428EF /* Change_Unmodified.png */ = {isa = PBXFileReference; lastKnownFileType = image.png; path = Change_Unmodified.png; sourceTree = ""; }; 690F564404F11EC300CF23A4 /* ProfileController.h */ = {isa = PBXFileReference; fileEncoding = 30; lastKnownFileType = sourcecode.c.h; path = ProfileController.h; sourceTree = ""; }; 690F564504F11EC300CF23A4 /* ProfileController.m */ = {isa = PBXFileReference; fileEncoding = 30; lastKnownFileType = sourcecode.c.objc; path = ProfileController.m; sourceTree = ""; }; 691CE180051BB44A00CF23A4 /* ProfileTableView.h */ = {isa = PBXFileReference; fileEncoding = 30; lastKnownFileType = sourcecode.c.h; path = ProfileTableView.h; sourceTree = ""; }; 691CE181051BB44A00CF23A4 /* ProfileTableView.m */ = {isa = PBXFileReference; fileEncoding = 30; lastKnownFileType = sourcecode.c.objc; path = ProfileTableView.m; sourceTree = ""; }; 69660DC604F08CC100CF23A4 /* MyController.h */ = {isa = PBXFileReference; fileEncoding = 30; lastKnownFileType = sourcecode.c.h; path = MyController.h; sourceTree = ""; }; 69660DC704F08CC100CF23A4 /* MyController.m */ = {isa = PBXFileReference; fileEncoding = 30; lastKnownFileType = sourcecode.c.objc; path = MyController.m; sourceTree = ""; }; 697985CD050CFA2D00CF23A4 /* PreferencesController.h */ = {isa = PBXFileReference; fileEncoding = 30; lastKnownFileType = sourcecode.c.h; path = PreferencesController.h; sourceTree = ""; }; 697985CE050CFA2D00CF23A4 /* PreferencesController.m */ = {isa = PBXFileReference; fileEncoding = 30; lastKnownFileType = sourcecode.c.objc; path = PreferencesController.m; sourceTree = ""; }; 69BA7DA804FD695200CF23A4 /* ReconTableView.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = ReconTableView.h; sourceTree = ""; }; 69BA7DA904FD695200CF23A4 /* ReconTableView.m */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.objc; path = ReconTableView.m; sourceTree = ""; }; 69C625CA0664E94E00B3C46A /* Unison.icns */ = {isa = PBXFileReference; lastKnownFileType = image.icns; path = Unison.icns; sourceTree = ""; }; 69C625F40664EC3300B3C46A /* Info.plist */ = {isa = PBXFileReference; lastKnownFileType = text.plist.xml; path = Info.plist; sourceTree = ""; }; 69C625F50664EC3300B3C46A /* Unison.app */ = {isa = PBXFileReference; explicitFileType = wrapper.application; includeInIndex = 0; path = Unison.app; sourceTree = BUILT_PRODUCTS_DIR; }; 69D3C6F904F1CC3700CF23A4 /* ReconItem.m */ = {isa = PBXFileReference; fileEncoding = 30; lastKnownFileType = sourcecode.c.objc; path = ReconItem.m; sourceTree = ""; }; 69D3C6FA04F1CC3700CF23A4 /* ReconItem.h */ = {isa = PBXFileReference; fileEncoding = 30; lastKnownFileType = sourcecode.c.h; path = ReconItem.h; sourceTree = ""; }; 69E407B907EB95AA00D37AA1 /* Security.framework */ = {isa = PBXFileReference; lastKnownFileType = wrapper.framework; name = Security.framework; path = /System/Library/Frameworks/Security.framework; sourceTree = ""; }; B518071209D6652100B1B21F /* add.tif */ = {isa = PBXFileReference; lastKnownFileType = image.tiff; path = add.tif; sourceTree = ""; }; B518071309D6652100B1B21F /* diff.tif */ = {isa = PBXFileReference; lastKnownFileType = image.tiff; path = diff.tif; sourceTree = ""; }; B518071409D6652100B1B21F /* go.tif */ = {isa = PBXFileReference; lastKnownFileType = image.tiff; path = go.tif; sourceTree = ""; }; B518071509D6652100B1B21F /* left.tif */ = {isa = PBXFileReference; lastKnownFileType = image.tiff; path = left.tif; sourceTree = ""; }; B518071609D6652100B1B21F /* merge.tif */ = {isa = PBXFileReference; lastKnownFileType = image.tiff; path = merge.tif; sourceTree = ""; }; B518071709D6652100B1B21F /* quit.tif */ = {isa = PBXFileReference; lastKnownFileType = image.tiff; path = quit.tif; sourceTree = ""; }; B518071809D6652100B1B21F /* restart.tif */ = {isa = PBXFileReference; lastKnownFileType = image.tiff; path = restart.tif; sourceTree = ""; }; B518071909D6652100B1B21F /* right.tif */ = {isa = PBXFileReference; lastKnownFileType = image.tiff; path = right.tif; sourceTree = ""; }; B518071A09D6652100B1B21F /* save.tif */ = {isa = PBXFileReference; lastKnownFileType = image.tiff; path = save.tif; sourceTree = ""; }; B518071B09D6652100B1B21F /* skip.tif */ = {isa = PBXFileReference; lastKnownFileType = image.tiff; path = skip.tif; sourceTree = ""; }; B554003E09C4E5A00089E1C3 /* UnisonToolbar.h */ = {isa = PBXFileReference; fileEncoding = 30; lastKnownFileType = sourcecode.c.h; path = UnisonToolbar.h; sourceTree = ""; }; B554004009C4E5AA0089E1C3 /* UnisonToolbar.m */ = {isa = PBXFileReference; fileEncoding = 30; lastKnownFileType = sourcecode.c.objc; path = UnisonToolbar.m; sourceTree = ""; }; B5B44C1109DF61A4000DC7AF /* table-conflict.tif */ = {isa = PBXFileReference; lastKnownFileType = image.tiff; path = "table-conflict.tif"; sourceTree = ""; }; B5B44C1209DF61A4000DC7AF /* table-error.tif */ = {isa = PBXFileReference; lastKnownFileType = image.tiff; path = "table-error.tif"; sourceTree = ""; }; B5B44C1309DF61A4000DC7AF /* table-left-blue.tif */ = {isa = PBXFileReference; lastKnownFileType = image.tiff; path = "table-left-blue.tif"; sourceTree = ""; }; B5B44C1409DF61A4000DC7AF /* table-left-green.tif */ = {isa = PBXFileReference; lastKnownFileType = image.tiff; path = "table-left-green.tif"; sourceTree = ""; }; B5B44C1509DF61A4000DC7AF /* table-merge.tif */ = {isa = PBXFileReference; lastKnownFileType = image.tiff; path = "table-merge.tif"; sourceTree = ""; }; B5B44C1609DF61A4000DC7AF /* table-right-blue.tif */ = {isa = PBXFileReference; lastKnownFileType = image.tiff; path = "table-right-blue.tif"; sourceTree = ""; }; B5B44C1709DF61A4000DC7AF /* table-right-green.tif */ = {isa = PBXFileReference; lastKnownFileType = image.tiff; path = "table-right-green.tif"; sourceTree = ""; }; B5B44C1809DF61A4000DC7AF /* table-skip.tif */ = {isa = PBXFileReference; lastKnownFileType = image.tiff; path = "table-skip.tif"; sourceTree = ""; }; B5E03B3809E38B9E0058C7B9 /* rescan.tif */ = {isa = PBXFileReference; lastKnownFileType = image.tiff; name = rescan.tif; path = toolbar/rescan.tif; sourceTree = ""; }; /* End PBXFileReference section */ /* Begin PBXFrameworksBuildPhase section */ 69C625F10664EC3300B3C46A /* Frameworks */ = { isa = PBXFrameworksBuildPhase; buildActionMask = 2147483647; files = ( 69C625F20664EC3300B3C46A /* Cocoa.framework in Frameworks */, 69E407BA07EB95AA00D37AA1 /* Security.framework in Frameworks */, 2A3C3FAE0992323F00E404E9 /* Growl.framework in Frameworks */, 44A794A10BE16C380069680C /* ExceptionHandling.framework in Frameworks */, 2E282CC80D9AE2B000439D01 /* unison-blob.o in Frameworks */, ); runOnlyForDeploymentPostprocessing = 0; }; /* End PBXFrameworksBuildPhase section */ /* Begin PBXGroup section */ 19C28FACFE9D520D11CA2CBB /* Products */ = { isa = PBXGroup; children = ( 69C625F50664EC3300B3C46A /* Unison.app */, ); name = Products; sourceTree = ""; }; 29B97314FDCFA39411CA2CEA /* uimac */ = { isa = PBXGroup; children = ( B5E03B3809E38B9E0058C7B9 /* rescan.tif */, 44042D0F0BE52AD700A6BBB2 /* progressicons */, B5B44C1009DF61A4000DC7AF /* tableicons */, B518071109D6652000B1B21F /* toolbar */, 44A795C90BE2B91B0069680C /* Classes */, 29B97315FDCFA39411CA2CEA /* Other Sources */, 29B97317FDCFA39411CA2CEA /* Resources */, 29B97323FDCFA39411CA2CEA /* Frameworks */, 19C28FACFE9D520D11CA2CBB /* Products */, 69C625F40664EC3300B3C46A /* Info.plist */, 2E282CCC0D9AE2E800439D01 /* ExternalSettings.xcconfig */, 2E282CB80D9AE16300439D01 /* External objects */, ); name = uimac; sourceTree = ""; }; 29B97315FDCFA39411CA2CEA /* Other Sources */ = { isa = PBXGroup; children = ( 29B97316FDCFA39411CA2CEA /* main.m */, ); name = "Other Sources"; sourceTree = ""; }; 29B97317FDCFA39411CA2CEA /* Resources */ = { isa = PBXGroup; children = ( 29B97318FDCFA39411CA2CEA /* MainMenu.nib */, 089C165CFE840E0CC02AAC07 /* InfoPlist.strings */, 69C625CA0664E94E00B3C46A /* Unison.icns */, ); name = Resources; sourceTree = ""; }; 29B97323FDCFA39411CA2CEA /* Frameworks */ = { isa = PBXGroup; children = ( 1058C7A1FEA54F0111CA2CBB /* Cocoa.framework */, 44A794A00BE16C380069680C /* ExceptionHandling.framework */, 2A3C3F3209922A8000E404E9 /* Growl.framework */, 69E407B907EB95AA00D37AA1 /* Security.framework */, ); name = Frameworks; sourceTree = ""; }; 2E282CB80D9AE16300439D01 /* External objects */ = { isa = PBXGroup; children = ( 2E282CC70D9AE2B000439D01 /* unison-blob.o */, ); name = "External objects"; sourceTree = ""; }; 44042D0F0BE52AD700A6BBB2 /* progressicons */ = { isa = PBXGroup; children = ( 44042D100BE52AED00A6BBB2 /* ProgressBarAdvanced.png */, 44042D110BE52AED00A6BBB2 /* ProgressBarBlue.png */, 44042D120BE52AED00A6BBB2 /* ProgressBarEndAdvanced.png */, 44042D130BE52AED00A6BBB2 /* ProgressBarEndBlue.png */, 44042D140BE52AED00A6BBB2 /* ProgressBarEndGray.png */, 44042D150BE52AED00A6BBB2 /* ProgressBarEndGreen.png */, 44042D160BE52AED00A6BBB2 /* ProgressBarEndWhite.png */, 44042D170BE52AED00A6BBB2 /* ProgressBarGray.png */, 44042D180BE52AED00A6BBB2 /* ProgressBarGreen.png */, 44042D190BE52AED00A6BBB2 /* ProgressBarLightGreen.png */, 44042D1A0BE52AED00A6BBB2 /* ProgressBarWhite.png */, ); name = progressicons; sourceTree = ""; }; 44A795C90BE2B91B0069680C /* Classes */ = { isa = PBXGroup; children = ( 69660DC604F08CC100CF23A4 /* MyController.h */, 69660DC704F08CC100CF23A4 /* MyController.m */, 2A3C3F7A09922D4900E404E9 /* NotificationController.h */, 2A3C3F7B09922D4900E404E9 /* NotificationController.m */, 69BA7DA804FD695200CF23A4 /* ReconTableView.h */, 69BA7DA904FD695200CF23A4 /* ReconTableView.m */, 69D3C6FA04F1CC3700CF23A4 /* ReconItem.h */, 69D3C6F904F1CC3700CF23A4 /* ReconItem.m */, 445A2A5B0BFAB6A100E4E641 /* ImageAndTextCell.h */, 445A2A5D0BFAB6C300E4E641 /* ImageAndTextCell.m */, 44042CB30BE4FC9B00A6BBB2 /* ProgressCell.h */, 44042CB40BE4FC9B00A6BBB2 /* ProgressCell.m */, 690F564404F11EC300CF23A4 /* ProfileController.h */, 690F564504F11EC300CF23A4 /* ProfileController.m */, 697985CD050CFA2D00CF23A4 /* PreferencesController.h */, 697985CE050CFA2D00CF23A4 /* PreferencesController.m */, 691CE180051BB44A00CF23A4 /* ProfileTableView.h */, 691CE181051BB44A00CF23A4 /* ProfileTableView.m */, B554003E09C4E5A00089E1C3 /* UnisonToolbar.h */, B554004009C4E5AA0089E1C3 /* UnisonToolbar.m */, 449F03DE0BE00DE9003F15C8 /* Bridge.h */, 449F03DF0BE00DE9003F15C8 /* Bridge.m */, ); name = Classes; sourceTree = ""; }; B518071109D6652000B1B21F /* toolbar */ = { isa = PBXGroup; children = ( B518071209D6652100B1B21F /* add.tif */, B518071309D6652100B1B21F /* diff.tif */, B518071409D6652100B1B21F /* go.tif */, B518071509D6652100B1B21F /* left.tif */, B518071609D6652100B1B21F /* merge.tif */, B518071709D6652100B1B21F /* quit.tif */, B518071809D6652100B1B21F /* restart.tif */, B518071909D6652100B1B21F /* right.tif */, B518071A09D6652100B1B21F /* save.tif */, B518071B09D6652100B1B21F /* skip.tif */, ); path = toolbar; sourceTree = ""; }; B5B44C1009DF61A4000DC7AF /* tableicons */ = { isa = PBXGroup; children = ( 44F472AF0C0DB735006428EF /* Change_Absent.png */, 44F472B00C0DB735006428EF /* Change_Unmodified.png */, 440EEAF60C03F0B800ACAAB0 /* Change_Deleted.png */, 440EEAF70C03F0B800ACAAB0 /* Change_Modified.png */, 440EEAF80C03F0B800ACAAB0 /* Change_PropsChanged.png */, 440EEAF20C03EC3D00ACAAB0 /* Change_Created.png */, 44A797F10BE3F9B70069680C /* table-mixed.tif */, B5B44C1109DF61A4000DC7AF /* table-conflict.tif */, B5B44C1209DF61A4000DC7AF /* table-error.tif */, B5B44C1309DF61A4000DC7AF /* table-left-blue.tif */, B5B44C1409DF61A4000DC7AF /* table-left-green.tif */, B5B44C1509DF61A4000DC7AF /* table-merge.tif */, B5B44C1609DF61A4000DC7AF /* table-right-blue.tif */, B5B44C1709DF61A4000DC7AF /* table-right-green.tif */, B5B44C1809DF61A4000DC7AF /* table-skip.tif */, 445A291A0BFA5B3300E4E641 /* Outline-Deep.png */, 445A29260BFA5C1200E4E641 /* Outline-Flat.png */, 445A29280BFA5C1B00E4E641 /* Outline-Flattened.png */, ); path = tableicons; sourceTree = ""; }; /* End PBXGroup section */ /* Begin PBXNativeTarget section */ 69C625DD0664EC3300B3C46A /* uimac */ = { isa = PBXNativeTarget; buildConfigurationList = 2A3C3F280992245300E404E9 /* Build configuration list for PBXNativeTarget "uimac" */; buildPhases = ( 2E282CBA0D9AE17300439D01 /* Run Script (make unison-blob.o) */, 69C625E50664EC3300B3C46A /* Resources */, 69C625E90664EC3300B3C46A /* Sources */, 69C625F10664EC3300B3C46A /* Frameworks */, 2A3C3F3709922AA600E404E9 /* CopyFiles */, ); buildRules = ( ); dependencies = ( 2A124E800DE1C4E400524237 /* PBXTargetDependency */, ); name = uimac; productInstallPath = "$(HOME)/Applications"; productName = uimac; productReference = 69C625F50664EC3300B3C46A /* Unison.app */; productType = "com.apple.product-type.application"; }; /* End PBXNativeTarget section */ /* Begin PBXProject section */ 29B97313FDCFA39411CA2CEA /* Project object */ = { isa = PBXProject; buildConfigurationList = 2A3C3F2C0992245300E404E9 /* Build configuration list for PBXProject "uimacnew" */; compatibilityVersion = "Xcode 2.4"; hasScannedForEncodings = 1; mainGroup = 29B97314FDCFA39411CA2CEA /* uimac */; projectDirPath = ""; projectRoot = ""; targets = ( 69C625DD0664EC3300B3C46A /* uimac */, 2A124E780DE1C48400524237 /* Create ExternalSettings */, ); }; /* End PBXProject section */ /* Begin PBXResourcesBuildPhase section */ 69C625E50664EC3300B3C46A /* Resources */ = { isa = PBXResourcesBuildPhase; buildActionMask = 2147483647; files = ( 69C625E60664EC3300B3C46A /* MainMenu.nib in Resources */, 69C625E70664EC3300B3C46A /* InfoPlist.strings in Resources */, 69C625E80664EC3300B3C46A /* Unison.icns in Resources */, B518071C09D6652100B1B21F /* add.tif in Resources */, B518071D09D6652100B1B21F /* diff.tif in Resources */, B518071E09D6652100B1B21F /* go.tif in Resources */, B518071F09D6652100B1B21F /* left.tif in Resources */, B518072009D6652100B1B21F /* merge.tif in Resources */, B518072109D6652100B1B21F /* quit.tif in Resources */, B518072209D6652100B1B21F /* restart.tif in Resources */, B518072309D6652100B1B21F /* right.tif in Resources */, B518072409D6652100B1B21F /* save.tif in Resources */, B518072509D6652100B1B21F /* skip.tif in Resources */, B5B44C1909DF61A4000DC7AF /* table-conflict.tif in Resources */, B5B44C1A09DF61A4000DC7AF /* table-error.tif in Resources */, B5B44C1B09DF61A4000DC7AF /* table-left-blue.tif in Resources */, B5B44C1C09DF61A4000DC7AF /* table-left-green.tif in Resources */, B5B44C1D09DF61A4000DC7AF /* table-merge.tif in Resources */, B5B44C1E09DF61A4000DC7AF /* table-right-blue.tif in Resources */, B5B44C1F09DF61A4000DC7AF /* table-right-green.tif in Resources */, B5B44C2009DF61A4000DC7AF /* table-skip.tif in Resources */, B5E03B3909E38B9E0058C7B9 /* rescan.tif in Resources */, 44A797F40BE3F9B70069680C /* table-mixed.tif in Resources */, 44042D1B0BE52AED00A6BBB2 /* ProgressBarAdvanced.png in Resources */, 44042D1C0BE52AEE00A6BBB2 /* ProgressBarBlue.png in Resources */, 44042D1D0BE52AEE00A6BBB2 /* ProgressBarEndAdvanced.png in Resources */, 44042D1E0BE52AEE00A6BBB2 /* ProgressBarEndBlue.png in Resources */, 44042D1F0BE52AEE00A6BBB2 /* ProgressBarEndGray.png in Resources */, 44042D200BE52AEE00A6BBB2 /* ProgressBarEndGreen.png in Resources */, 44042D210BE52AEE00A6BBB2 /* ProgressBarEndWhite.png in Resources */, 44042D220BE52AEE00A6BBB2 /* ProgressBarGray.png in Resources */, 44042D230BE52AEE00A6BBB2 /* ProgressBarGreen.png in Resources */, 44042D240BE52AEE00A6BBB2 /* ProgressBarLightGreen.png in Resources */, 44042D250BE52AEE00A6BBB2 /* ProgressBarWhite.png in Resources */, 445A291B0BFA5B3300E4E641 /* Outline-Deep.png in Resources */, 445A29270BFA5C1200E4E641 /* Outline-Flat.png in Resources */, 445A29290BFA5C1B00E4E641 /* Outline-Flattened.png in Resources */, 440EEAF30C03EC3D00ACAAB0 /* Change_Created.png in Resources */, 440EEAF90C03F0B800ACAAB0 /* Change_Deleted.png in Resources */, 440EEAFA0C03F0B800ACAAB0 /* Change_Modified.png in Resources */, 440EEAFB0C03F0B800ACAAB0 /* Change_PropsChanged.png in Resources */, 44F472B10C0DB735006428EF /* Change_Absent.png in Resources */, 44F472B20C0DB735006428EF /* Change_Unmodified.png in Resources */, ); runOnlyForDeploymentPostprocessing = 0; }; /* End PBXResourcesBuildPhase section */ /* Begin PBXShellScriptBuildPhase section */ 2A124E7E0DE1C4BE00524237 /* Run Script (version, ocaml lib dir) */ = { isa = PBXShellScriptBuildPhase; buildActionMask = 2147483647; files = ( ); inputPaths = ( ); name = "Run Script (version, ocaml lib dir)"; outputPaths = ( ); runOnlyForDeploymentPostprocessing = 0; shellPath = /bin/sh; shellScript = "if [ -x /usr/libexec/path_helper ]; then\n eval `/usr/libexec/path_helper -s`\nfi\nif [ ! -x ${PROJECT_DIR}/../Makefile.ProjectInfo ]; then\n if [ ! -x ${PROJECT_DIR}/../mkProjectInfo ]; then\n cd ${PROJECT_DIR}/..; ocamlc -o mkProjectInfo unix.cma str.cma mkProjectInfo.ml\n fi\n cd ${PROJECT_DIR}/..; ./mkProjectInfo > Makefile.ProjectInfo\nfi\nOCAMLLIBDIR=`ocamlc -v | tail -n -1 | sed -e 's/.* //g' | sed -e 's/\\\\\\/\\\\//g' | tr -d '\\r'`\nsource ${PROJECT_DIR}/../Makefile.ProjectInfo\necho MARKETING_VERSION = $VERSION > ${PROJECT_DIR}/ExternalSettings.xcconfig\necho OCAMLLIBDIR = $OCAMLLIBDIR >> ${PROJECT_DIR}/ExternalSettings.xcconfig"; }; 2E282CBA0D9AE17300439D01 /* Run Script (make unison-blob.o) */ = { isa = PBXShellScriptBuildPhase; buildActionMask = 2147483647; files = ( ); inputPaths = ( ); name = "Run Script (make unison-blob.o)"; outputPaths = ( ); runOnlyForDeploymentPostprocessing = 0; shellPath = /bin/sh; shellScript = "echo \"Building unison-blob.o...\"\nif [ -x /usr/libexec/path_helper ]; then\n eval `/usr/libexec/path_helper -s`\nfi\ncd ${PROJECT_DIR}/..\nmake unison-blob.o\necho \"done\""; }; /* End PBXShellScriptBuildPhase section */ /* Begin PBXSourcesBuildPhase section */ 69C625E90664EC3300B3C46A /* Sources */ = { isa = PBXSourcesBuildPhase; buildActionMask = 2147483647; files = ( 69C625EA0664EC3300B3C46A /* main.m in Sources */, 69C625EB0664EC3300B3C46A /* MyController.m in Sources */, 69C625EC0664EC3300B3C46A /* ProfileController.m in Sources */, 69C625ED0664EC3300B3C46A /* ReconItem.m in Sources */, 69C625EE0664EC3300B3C46A /* ReconTableView.m in Sources */, 69C625EF0664EC3300B3C46A /* PreferencesController.m in Sources */, 69C625F00664EC3300B3C46A /* ProfileTableView.m in Sources */, 2A3C3F7D09922D4900E404E9 /* NotificationController.m in Sources */, B554004109C4E5AA0089E1C3 /* UnisonToolbar.m in Sources */, 449F03E10BE00DE9003F15C8 /* Bridge.m in Sources */, 44042CB60BE4FC9B00A6BBB2 /* ProgressCell.m in Sources */, 445A2A5E0BFAB6C300E4E641 /* ImageAndTextCell.m in Sources */, ); runOnlyForDeploymentPostprocessing = 0; }; /* End PBXSourcesBuildPhase section */ /* Begin PBXTargetDependency section */ 2A124E800DE1C4E400524237 /* PBXTargetDependency */ = { isa = PBXTargetDependency; target = 2A124E780DE1C48400524237 /* Create ExternalSettings */; targetProxy = 2A124E7F0DE1C4E400524237 /* PBXContainerItemProxy */; }; /* End PBXTargetDependency section */ /* Begin PBXVariantGroup section */ 089C165CFE840E0CC02AAC07 /* InfoPlist.strings */ = { isa = PBXVariantGroup; children = ( 089C165DFE840E0CC02AAC07 /* English */, ); name = InfoPlist.strings; sourceTree = ""; }; 29B97318FDCFA39411CA2CEA /* MainMenu.nib */ = { isa = PBXVariantGroup; children = ( 29B97319FDCFA39411CA2CEA /* English */, ); name = MainMenu.nib; sourceTree = ""; }; /* End PBXVariantGroup section */ /* Begin XCBuildConfiguration section */ 2A124E790DE1C48400524237 /* Development */ = { isa = XCBuildConfiguration; buildSettings = { COPY_PHASE_STRIP = NO; GCC_DYNAMIC_NO_PIC = NO; GCC_OPTIMIZATION_LEVEL = 0; PRODUCT_NAME = "Create ExternalSettings"; }; name = Development; }; 2A124E7A0DE1C48400524237 /* Deployment */ = { isa = XCBuildConfiguration; buildSettings = { COPY_PHASE_STRIP = YES; DEBUG_INFORMATION_FORMAT = "dwarf-with-dsym"; GCC_ENABLE_FIX_AND_CONTINUE = NO; PRODUCT_NAME = "Create ExternalSettings"; ZERO_LINK = NO; }; name = Deployment; }; 2A124E7B0DE1C48400524237 /* Default */ = { isa = XCBuildConfiguration; buildSettings = { PRODUCT_NAME = "Create ExternalSettings"; }; name = Default; }; 2A3C3F290992245300E404E9 /* Development */ = { isa = XCBuildConfiguration; buildSettings = { COPY_PHASE_STRIP = NO; FRAMEWORK_SEARCH_PATHS = ( "$(FRAMEWORK_SEARCH_PATHS)", "$(SRCROOT)", ); GCC_DYNAMIC_NO_PIC = NO; GCC_ENABLE_FIX_AND_CONTINUE = YES; GCC_ENABLE_OBJC_EXCEPTIONS = YES; GCC_GENERATE_DEBUGGING_SYMBOLS = YES; GCC_OPTIMIZATION_LEVEL = 0; GCC_PRECOMPILE_PREFIX_HEADER = YES; INFOPLIST_FILE = Info.plist; INSTALL_PATH = "$(HOME)/Applications"; LIBRARY_SEARCH_PATHS = ""; NSZombieEnabled = YES; OTHER_CFLAGS = ""; OTHER_LDFLAGS = ( "-L$(OCAMLLIBDIR)", "-lunix", "-lthreadsnat", "-lstr", "-lbigarray", "-lasmrun", ); PREBINDING = NO; PRODUCT_NAME = Unison; SECTORDER_FLAGS = ""; WARNING_CFLAGS = ( "-Wmost", "-Wno-four-char-constants", "-Wno-unknown-pragmas", ); WRAPPER_EXTENSION = app; ZERO_LINK = YES; }; name = Development; }; 2A3C3F2A0992245300E404E9 /* Deployment */ = { isa = XCBuildConfiguration; buildSettings = { COPY_PHASE_STRIP = YES; FRAMEWORK_SEARCH_PATHS = ( "$(FRAMEWORK_SEARCH_PATHS)", "$(SRCROOT)", ); GCC_ENABLE_FIX_AND_CONTINUE = NO; GCC_ENABLE_OBJC_EXCEPTIONS = YES; GCC_PRECOMPILE_PREFIX_HEADER = YES; GCC_WARN_FOUR_CHARACTER_CONSTANTS = YES; INFOPLIST_FILE = Info.plist; INSTALL_PATH = "$(HOME)/Applications"; LIBRARY_SEARCH_PATHS = ""; OTHER_CFLAGS = ""; OTHER_LDFLAGS = ( "-L$(OCAMLLIBDIR)", "-lunix", "-lthreadsnat", "-lstr", "-lbigarray", "-lasmrun", ); PREBINDING = NO; PRODUCT_NAME = Unison; SECTORDER_FLAGS = ""; WARNING_CFLAGS = ( "-Wmost", "-Wno-four-char-constants", "-Wno-unknown-pragmas", ); WRAPPER_EXTENSION = app; ZERO_LINK = NO; }; name = Deployment; }; 2A3C3F2B0992245300E404E9 /* Default */ = { isa = XCBuildConfiguration; buildSettings = { FRAMEWORK_SEARCH_PATHS = ( "$(FRAMEWORK_SEARCH_PATHS)", "$(SRCROOT)", ); GCC_ENABLE_OBJC_EXCEPTIONS = YES; GCC_PRECOMPILE_PREFIX_HEADER = YES; INFOPLIST_FILE = Info.plist; INSTALL_PATH = "$(HOME)/Applications"; LIBRARY_SEARCH_PATHS = ""; OTHER_CFLAGS = ""; OTHER_LDFLAGS = ( "-L$(OCAMLLIBDIR)", "-lunix", "-lthreadsnat", "-lstr", "-lbigarray", "-lasmrun", ); PREBINDING = NO; PRODUCT_NAME = Unison; SECTORDER_FLAGS = ""; WARNING_CFLAGS = ( "-Wmost", "-Wno-four-char-constants", "-Wno-unknown-pragmas", ); WRAPPER_EXTENSION = app; ZERO_LINK = NO; }; name = Default; }; 2A3C3F2D0992245300E404E9 /* Development */ = { isa = XCBuildConfiguration; baseConfigurationReference = 2E282CCC0D9AE2E800439D01 /* ExternalSettings.xcconfig */; buildSettings = { LIBRARY_SEARCH_PATHS = ""; SDKROOT = /Developer/SDKs/MacOSX10.5.sdk; USER_HEADER_SEARCH_PATHS = $OCAMLLIBDIR; }; name = Development; }; 2A3C3F2E0992245300E404E9 /* Deployment */ = { isa = XCBuildConfiguration; baseConfigurationReference = 2E282CCC0D9AE2E800439D01 /* ExternalSettings.xcconfig */; buildSettings = { LIBRARY_SEARCH_PATHS = ""; SDKROOT = /Developer/SDKs/MacOSX10.5.sdk; USER_HEADER_SEARCH_PATHS = $OCAMLLIBDIR; }; name = Deployment; }; 2A3C3F2F0992245300E404E9 /* Default */ = { isa = XCBuildConfiguration; baseConfigurationReference = 2E282CCC0D9AE2E800439D01 /* ExternalSettings.xcconfig */; buildSettings = { LIBRARY_SEARCH_PATHS = ""; SDKROOT = /Developer/SDKs/MacOSX10.5.sdk; USER_HEADER_SEARCH_PATHS = $OCAMLLIBDIR; }; name = Default; }; /* End XCBuildConfiguration section */ /* Begin XCConfigurationList section */ 2A124E7C0DE1C4A200524237 /* Build configuration list for PBXAggregateTarget "Create ExternalSettings" */ = { isa = XCConfigurationList; buildConfigurations = ( 2A124E790DE1C48400524237 /* Development */, 2A124E7A0DE1C48400524237 /* Deployment */, 2A124E7B0DE1C48400524237 /* Default */, ); defaultConfigurationIsVisible = 0; defaultConfigurationName = Default; }; 2A3C3F280992245300E404E9 /* Build configuration list for PBXNativeTarget "uimac" */ = { isa = XCConfigurationList; buildConfigurations = ( 2A3C3F290992245300E404E9 /* Development */, 2A3C3F2A0992245300E404E9 /* Deployment */, 2A3C3F2B0992245300E404E9 /* Default */, ); defaultConfigurationIsVisible = 0; defaultConfigurationName = Default; }; 2A3C3F2C0992245300E404E9 /* Build configuration list for PBXProject "uimacnew" */ = { isa = XCConfigurationList; buildConfigurations = ( 2A3C3F2D0992245300E404E9 /* Development */, 2A3C3F2E0992245300E404E9 /* Deployment */, 2A3C3F2F0992245300E404E9 /* Default */, ); defaultConfigurationIsVisible = 0; defaultConfigurationName = Default; }; /* End XCConfigurationList section */ }; rootObject = 29B97313FDCFA39411CA2CEA /* Project object */; } unison-2.40.102/uimacnew/progressicons/0000755006131600613160000000000012050210657020103 5ustar bcpiercebcpierceunison-2.40.102/uimacnew/progressicons/ProgressBarWhite.png0000644006131600613160000000023011361646373024052 0ustar bcpiercebcpiercePNG  IHDR ,@gAMAOX2tEXtSoftwareAdobe ImageReadyqe<*IDATc8q,ϟQOΞpM{2yj fyIENDB`unison-2.40.102/uimacnew/progressicons/ProgressBarGreen.png0000644006131600613160000000022711361646373024040 0ustar bcpiercebcpiercePNG  IHDR ,@gAMAOX2tEXtSoftwareAdobe ImageReadyqe<)IDATcZgP8gbf`rșH0{))IENDB`unison-2.40.102/uimacnew/progressicons/ProgressBarEndBlue.png0000644006131600613160000000017511361646373024320 0ustar bcpiercebcpiercePNG  IHDR ,@gAMAOX2tEXtSoftwareAdobe ImageReadyqe<IDATcpz@?IENDB`unison-2.40.102/uimacnew/progressicons/ProgressBarEndAdvanced.png0000644006131600613160000000017311361646373025134 0ustar bcpiercebcpiercePNG  IHDR  gAMAOX2tEXtSoftwareAdobe ImageReadyqe< IDATc`Pc PIENDB`unison-2.40.102/uimacnew/progressicons/ProgressBarEndGray.png0000644006131600613160000000017311361646373024331 0ustar bcpiercebcpiercePNG  IHDR gAMAOX2tEXtSoftwareAdobe ImageReadyqe< IDATc€SXIIENDB`unison-2.40.102/uimacnew/progressicons/ProgressBarLightGreen.png0000644006131600613160000000542411361646373025034 0ustar bcpiercebcpiercePNG  IHDR ,@ pHYs   OiCCPPhotoshop ICC profilexڝSgTS=BKKoR RB&*! J!QEEȠQ, !{kּ> H3Q5 B.@ $pd!s#~<<+"x M0B\t8K@zB@F&S`cbP-`'{[! eDh;VEX0fK9-0IWfH  0Q){`##xFW<+*x<$9E[-qWW.(I+6aa@.y24x6_-"bbϫp@t~,/;m%h^ uf@Wp~<5j>{-]cK'Xto(hw?G%fIq^D$.Tʳ?D*A, `6B$BB dr`)B(Ͱ*`/@4Qhp.U=pa( Aa!ڈbX#!H$ ɈQ"K5H1RT UH=r9\F;2G1Q= C7F dt1r=6Ыhڏ>C03l0.B8, c˱" VcϱwE 6wB aAHXLXNH $4 7 Q'"K&b21XH,#/{C7$C2'ITFnR#,4H#dk9, +ȅ3![ b@qS(RjJ4e2AURݨT5ZBRQ4u9̓IKhhitݕNWGw Ljg(gwLӋT071oUX**| J&*/Tު UUT^S}FU3S ԖUPSSg;goT?~YYLOCQ_ cx,!k u5&|v*=9C3J3WRf?qtN (~))4L1e\kXHQG6EYAJ'\'GgSSݧ M=:.kDwn^Loy}/TmG X $ <5qo</QC]@Caaᄑ.ȽJtq]zۯ6iܟ4)Y3sCQ? 0k߬~OCOg#/c/Wװwa>>r><72Y_7ȷOo_C#dz%gA[z|!?:eAAA!h쐭!ΑiP~aa~ 'W?pX15wCsDDDޛg1O9-J5*>.j<74?.fYXXIlK9.*6nl {/]py.,:@LN8A*%w% yg"/6шC\*NH*Mz쑼5y$3,幄'L Lݛ:v m2=:1qB!Mggfvˬen/kY- BTZ(*geWf͉9+̳ې7ᒶKW-X潬j9(xoʿܔĹdff-[n ڴ VE/(ۻCɾUUMfeI?m]Nmq#׹=TR+Gw- 6 U#pDy  :v{vg/jBFS[b[O>zG499?rCd&ˮ/~јѡ򗓿m|x31^VwwO| (hSЧc3-gAMA|Q cHRMz%u0`:o_F/IDATxbZgư ^!uC U1h3 ,IENDB`unison-2.40.102/uimacnew/progressicons/ProgressBarEndWhite.png0000644006131600613160000000017511361646373024511 0ustar bcpiercebcpiercePNG  IHDR ,@gAMAOX2tEXtSoftwareAdobe ImageReadyqe<IDATc8q, uL{1IENDB`unison-2.40.102/uimacnew/progressicons/ProgressBarEndGreen.png0000644006131600613160000000017511361646373024471 0ustar bcpiercebcpiercePNG  IHDR ,@gAMAOX2tEXtSoftwareAdobe ImageReadyqe<IDATcZg@/o mCkIENDB`unison-2.40.102/uimacnew/progressicons/ProgressBarBlue.png0000644006131600613160000000022711361646373023667 0ustar bcpiercebcpiercePNG  IHDR ,@gAMAOX2tEXtSoftwareAdobe ImageReadyqe<)IDATcpzǐ _CO Qk2d @(g+XIENDB`unison-2.40.102/uimacnew/progressicons/ProgressBarAdvanced.png0000644006131600613160000000021611361646373024503 0ustar bcpiercebcpiercePNG  IHDR  gAMAOX2tEXtSoftwareAdobe ImageReadyqe< IDATc`PcR1Wbo? nIENDB`unison-2.40.102/uimacnew/progressicons/ProgressBarGray.png0000644006131600613160000000021011361646373023672 0ustar bcpiercebcpiercePNG  IHDR gAMAOX2tEXtSoftwareAdobe ImageReadyqe<IDATc° 0`ǰa=N`5{~IENDB`unison-2.40.102/uimacnew/PreferencesController.m0000644006131600613160000000545311361646373021711 0ustar bcpiercebcpierce#import "PreferencesController.h" #import "Bridge.h" @implementation PreferencesController - (void)reset { [profileNameText setStringValue:@""]; [firstRootText setStringValue:@""]; [secondRootUser setStringValue:@""]; [secondRootHost setStringValue:@""]; [secondRootText setStringValue:@""]; [remoteButtonCell setState:NSOnState]; [localButtonCell setState:NSOffState]; [secondRootUser setSelectable:YES]; [secondRootUser setEditable:YES]; [secondRootHost setSelectable:YES]; [secondRootHost setEditable:YES]; } - (BOOL)validatePrefs { NSString *profileName = [profileNameText stringValue]; if (profileName == nil | [profileName isEqualTo:@""]) { // FIX: should check for already existing names too NSRunAlertPanel(@"Error",@"You must enter a profile name",@"OK",nil,nil); return NO; } NSString *firstRoot = [firstRootText stringValue]; if (firstRoot == nil | [firstRoot isEqualTo:@""]) { NSRunAlertPanel(@"Error",@"You must enter a first root",@"OK",nil,nil); return NO; } NSString *secondRoot; if ([remoteButtonCell state] == NSOnState) { NSString *user = [secondRootUser stringValue]; if (user == nil | [user isEqualTo:@""]) { NSRunAlertPanel(@"Error",@"You must enter a user",@"OK",nil,nil); return NO; } NSString *host = [secondRootHost stringValue]; if (host == nil | [host isEqualTo:@""]) { NSRunAlertPanel(@"Error",@"You must enter a host",@"OK",nil,nil); return NO; } NSString *file = [secondRootText stringValue]; // OK for empty file, e.g., ssh://foo@bar/ secondRoot = [NSString stringWithFormat:@"ssh://%@@%@/%@",user,host,file]; } else { secondRoot = [secondRootText stringValue]; if (secondRoot == nil | [secondRoot isEqualTo:@""]) { NSRunAlertPanel(@"Error",@"You must enter a second root file",@"OK",nil,nil); return NO; } } ocamlCall("xSSS", "unisonProfileInit", profileName, firstRoot, secondRoot); return YES; } /* The target when enter is pressed in any of the text fields */ // FIX: this is broken, it takes tab, mouse clicks, etc. - (IBAction)anyEnter:(id)sender { NSLog(@"enter"); [self validatePrefs]; } - (IBAction)localClick:(id)sender { NSLog(@"local"); [secondRootUser setStringValue:@""]; [secondRootHost setStringValue:@""]; [secondRootUser setSelectable:NO]; [secondRootUser setEditable:NO]; [secondRootHost setSelectable:NO]; [secondRootHost setEditable:NO]; } - (IBAction)remoteClick:(id)sender { NSLog(@"remote"); [secondRootUser setSelectable:YES]; [secondRootUser setEditable:YES]; [secondRootHost setSelectable:YES]; [secondRootHost setEditable:YES]; } @end unison-2.40.102/uimacnew/ProgressCell.m0000644006131600613160000001453511361646373020011 0ustar bcpiercebcpierce/****************************************************************************** * Copyright 2008 (see file COPYING for more information) * * Loosely based on TorrentCell from Transmission (.png files are from * the original). *****************************************************************************/ #import "ProgressCell.h" #define BAR_HEIGHT 12.0 static NSImage *_ProgressWhite, *_ProgressBlue, *_ProgressGray, *_ProgressGreen, *_ProgressAdvanced, *_ProgressEndWhite, *_ProgressEndBlue, *_ProgressEndGray, *_ProgressEndGreen, *_ProgressLightGreen, *_ProgressEndAdvanced, * _ErrorImage; static NSSize ZeroSize; @implementation ProgressCell + (void) initialize { NSSize startSize = NSMakeSize(100.0, BAR_HEIGHT); ZeroSize = NSMakeSize(0.0, 0.0); _ProgressWhite = [NSImage imageNamed: @"ProgressBarWhite.png"]; [_ProgressWhite setScalesWhenResized: YES]; _ProgressBlue = [NSImage imageNamed: @"ProgressBarBlue.png"]; [_ProgressBlue setScalesWhenResized: YES]; [_ProgressBlue setSize: startSize]; _ProgressGray = [NSImage imageNamed: @"ProgressBarGray.png"]; [_ProgressGray setScalesWhenResized: YES]; [_ProgressGray setSize: startSize]; _ProgressGreen = [NSImage imageNamed: @"ProgressBarGreen.png"]; [_ProgressGreen setScalesWhenResized: YES]; _ProgressLightGreen = [NSImage imageNamed: @"ProgressBarLightGreen.png"]; [_ProgressLightGreen setScalesWhenResized: YES]; _ProgressAdvanced = [NSImage imageNamed: @"ProgressBarAdvanced.png"]; [_ProgressAdvanced setScalesWhenResized: YES]; _ProgressEndWhite = [NSImage imageNamed: @"ProgressBarEndWhite.png"]; _ProgressEndBlue = [NSImage imageNamed: @"ProgressBarEndBlue.png"]; _ProgressEndGray = [NSImage imageNamed: @"ProgressBarEndGray.png"]; _ProgressEndGreen = [NSImage imageNamed: @"ProgressBarEndGreen.png"]; _ProgressEndAdvanced = [NSImage imageNamed: @"ProgressBarEndAdvanced.png"]; _ErrorImage = [[NSImage imageNamed: @"Error.tiff"] copy]; [_ErrorImage setFlipped: YES]; } - (id)init { self = [super init]; _minVal = 0.0; _maxVal = 100.0; _isActive = YES; return self; } // BCP: Removed (11/09) per Onne Gorter // - (void)dealloc // { // [_icon release]; // [_statusString release]; // [super dealloc]; // } - (void)setStatusString:(NSString *)string { // BCP: Removed (11/09) per Onne Gorter // [_statusString autorelease]; // _statusString = [string retain]; // Added: _statusString = string; } - (void)setIcon:(NSImage *)image { // BCP: Removed (11/09) per Onne Gorter // [_icon autorelease]; // _icon = [image retain]; // Added: _icon = image; } - (void)setIsActive:(BOOL)yn { _isActive = yn; } - (void)drawBarImage:(NSImage *)barImage width:(float)width point:(NSPoint)point { if (width <= 0.0) return; if ([barImage size].width < width) [barImage setSize: NSMakeSize(width * 2.0, BAR_HEIGHT)]; [barImage compositeToPoint: point fromRect: NSMakeRect(0, 0, width, BAR_HEIGHT) operation: NSCompositeSourceOver]; } - (void)drawBar:(float)width point:(NSPoint)point { id objectValue = [self objectValue]; if (!objectValue) return; float value = [objectValue floatValue]; float progress = (value - _minVal)/ (_maxVal - _minVal); width -= 2.0; float completedWidth, remainingWidth = 0.0; //bar images and widths NSImage * barLeftEnd, * barRightEnd, * barComplete, * barRemaining; if (progress >= 1.0) { completedWidth = width; barLeftEnd = _ProgressEndGreen; barRightEnd = _ProgressEndGreen; barComplete = _ProgressGreen; barRemaining = _ProgressLightGreen; } else { completedWidth = progress * width; remainingWidth = width - completedWidth; barLeftEnd = (remainingWidth == width) ? _ProgressEndWhite : ((_isActive) ? _ProgressEndBlue : _ProgressEndGray); barRightEnd = (completedWidth < width) ? _ProgressEndWhite : ((_isActive) ? _ProgressEndBlue : _ProgressEndGray); barComplete = _isActive ? _ProgressBlue : _ProgressGray; barRemaining = _ProgressWhite; } [barLeftEnd compositeToPoint: point operation: NSCompositeSourceOver]; point.x += 1.0; [self drawBarImage: barComplete width: completedWidth point: point]; point.x += completedWidth; [self drawBarImage: barRemaining width: remainingWidth point: point]; point.x += remainingWidth; [barRightEnd compositeToPoint: point operation: NSCompositeSourceOver]; } - (void)drawWithFrame:(NSRect)cellFrame inView:(NSView *)view { NSPoint pen = cellFrame.origin; const float PADDING = 3.0; // progress bar pen.y += PADDING + BAR_HEIGHT; float mainWidth = cellFrame.size.width; float barWidth = mainWidth; [self drawBar: barWidth point: pen]; //icon NSImage * image = _isError ? _ErrorImage : _icon; if (image) { NSSize imageSize = [image size]; NSRect imageFrame; imageFrame.origin = cellFrame.origin; imageFrame.size = imageSize; imageFrame.origin.x += ceil((cellFrame.size.width - imageSize.width) / 2); imageFrame.origin.y += [view isFlipped] ? ceil((cellFrame.size.height + imageSize.height) / 2) : ceil((cellFrame.size.height - imageSize.height) / 2); [image compositeToPoint:imageFrame.origin operation:NSCompositeSourceOver]; } // status string if (_statusString) { BOOL highlighted = [self isHighlighted] && [[self highlightColorWithFrame: cellFrame inView: view] isEqual: [NSColor alternateSelectedControlColor]]; NSMutableParagraphStyle * paragraphStyle = [[NSParagraphStyle defaultParagraphStyle] mutableCopy]; [paragraphStyle setLineBreakMode: NSLineBreakByTruncatingTail]; NSDictionary * statusAttributes = [[NSDictionary alloc] initWithObjectsAndKeys: highlighted ? [NSColor whiteColor] : [NSColor darkGrayColor], NSForegroundColorAttributeName, [NSFont boldSystemFontOfSize: 9.0], NSFontAttributeName, paragraphStyle, NSParagraphStyleAttributeName, nil]; [paragraphStyle release]; NSSize statusSize = [_statusString sizeWithAttributes: statusAttributes]; pen = cellFrame.origin; pen.x += (cellFrame.size.width - statusSize.width) * 0.5; pen.y += (cellFrame.size.height - statusSize.height) * 0.5; [_statusString drawInRect: NSMakeRect(pen.x, pen.y, statusSize.width, statusSize.height) withAttributes: statusAttributes]; [statusAttributes release]; } } @end unison-2.40.102/uimacnew/Info.plist.template0000644006131600613160000000211711361646373021002 0ustar bcpiercebcpierce CFBundleName Unison CFBundleDevelopmentRegion English CFBundleExecutable Unison CFBundleIconFile Unison.icns CFBundleIdentifier edu.upenn.cis.Unison CFBundleInfoDictionaryVersion 6.0 CFBundlePackageType APPL CFBundleSignature ???? CFBundleVersion @@VERSION@@ CFBundleShortVersionString @@VERSION@@ CFBundleGetInfoString @@VERSION@@. ©1999-2007, licensed under GNU GPL. NSHumanReadableCopyright ©1999-2006, licensed under GNU GPL. NSMainNibFile MainMenu NSPrincipalClass NSApplication unison-2.40.102/uimacnew/ProfileController.m0000644006131600613160000000442411361646373021045 0ustar bcpiercebcpierce/* Copyright (c) 2003, see file COPYING for details. */ #import "ProfileController.h" #import "Bridge.h" @implementation ProfileController NSString *unisonDirectory() { return (NSString *)ocamlCall("S", "unisonDirectory"); } - (void)initProfiles { NSString *directory = unisonDirectory(); #if MAC_OS_X_VERSION_MIN_REQUIRED < MAC_OS_X_VERSION_10_5 NSArray *files = [[NSFileManager defaultManager] directoryContentsAtPath:directory]; #else NSArray *files = [[NSFileManager defaultManager] contentsOfDirectoryAtPath:directory error:nil]; #endif unsigned int count = [files count]; unsigned int i,j; [profiles release]; profiles = [[NSMutableArray alloc] init]; defaultIndex = -1; for (i = j = 0; i < count; i++) { NSString *file = [files objectAtIndex:i]; if ([[file pathExtension] isEqualTo:@"prf"]) { NSString *withoutExtension = [file stringByDeletingPathExtension]; [profiles insertObject:withoutExtension atIndex:j]; if ([@"default" isEqualTo:withoutExtension]) defaultIndex = j; j++; } } if (j > 0) [tableView selectRowIndexes:[NSIndexSet indexSetWithIndex:0] byExtendingSelection:NO]; } - (void)awakeFromNib { // start with the default profile selected [self initProfiles]; if (defaultIndex >= 0) [tableView selectRowIndexes:[NSIndexSet indexSetWithIndex:defaultIndex] byExtendingSelection:NO]; // on awake the scroll bar is inactive, but after adding profiles we might need it; // reloadData makes it happen. Q: is setNeedsDisplay more efficient? [tableView reloadData]; } - (int)numberOfRowsInTableView:(NSTableView *)aTableView { if (!profiles) return 0; else return [profiles count]; } - (id)tableView:(NSTableView *)aTableView objectValueForTableColumn:(NSTableColumn *)aTableColumn row:(int)rowIndex { if (rowIndex >= 0 && rowIndex < [profiles count]) return [profiles objectAtIndex:rowIndex]; else return @"[internal error!]"; } - (NSString *)selected { int rowIndex = [tableView selectedRow]; if (rowIndex >= 0 && rowIndex < [profiles count]) return [profiles objectAtIndex:rowIndex]; else return @"[internal error!]"; } - (NSTableView *)tableView { return tableView; } @end unison-2.40.102/uimacnew/ProfileTableView.m0000644006131600613160000000160111361646373020576 0ustar bcpiercebcpierce#import "MyController.h" #import "ProfileTableView.h" @implementation ProfileTableView - (void)keyDown:(NSEvent *)event { /* some keys return zero-length strings */ if ([[event characters] length] == 0) { [super keyDown:event]; return; } unichar c = [[event characters] characterAtIndex:0]; switch (c) { case '\r': [myController openButton:self]; break; default: [super keyDown:event]; break; } } /* Override default highlight colour to match ReconTableView */ - (id)_highlightColorForCell:(NSCell *)cell { if(([[self window] firstResponder] == self) && [[self window] isMainWindow] && [[self window] isKeyWindow]) return [NSColor colorWithCalibratedRed:0.7 green:0.75 blue:0.8 alpha:1.0]; else return [NSColor colorWithCalibratedRed:0.8 green:0.8 blue:0.8 alpha:1.0]; } @end unison-2.40.102/uimacnew/PreferencesController.h0000644006131600613160000000104411361646373021674 0ustar bcpiercebcpierce/* PreferencesController */ #import @interface PreferencesController : NSObject { IBOutlet NSTextField *firstRootText; IBOutlet NSButtonCell *localButtonCell; IBOutlet NSTextField *profileNameText; IBOutlet NSButtonCell *remoteButtonCell; IBOutlet NSTextField *secondRootHost; IBOutlet NSTextField *secondRootText; IBOutlet NSTextField *secondRootUser; } - (IBAction)anyEnter:(id)sender; - (IBAction)localClick:(id)sender; - (IBAction)remoteClick:(id)sender; - (BOOL)validatePrefs; - (void)reset; @end unison-2.40.102/uimacnew/ProfileController.h0000644006131600613160000000114311361646373021033 0ustar bcpiercebcpierce/* ProfileController */ /* Copyright (c) 2003, see file COPYING for details. */ #import @interface ProfileController : NSObject { IBOutlet NSTableView *tableView; NSMutableArray *profiles; int defaultIndex; // -1 if no default, else the index in profiles of @"default" } - (void)initProfiles; - (int)numberOfRowsInTableView:(NSTableView *)aTableView; - (id)tableView:(NSTableView *)aTableView objectValueForTableColumn:(NSTableColumn *)aTableColumn row:(int)rowIndex; - (NSString *)selected; - (NSTableView *)tableView; // allows MyController to set up firstResponder @end unison-2.40.102/uimacnew/ProgressCell.h0000644006131600613160000000056111361646373017776 0ustar bcpiercebcpierce#import @interface ProgressCell : NSCell { float _minVal, _maxVal; // defaults to 0.0, 100.0 BOOL _isActive; BOOL _useFullView; // default: NO BOOL _isError; // default: NO NSImage *_icon; NSString *_statusString; } - (void)setStatusString:(NSString *)string; - (void)setIcon:(NSImage *)image; - (void)setIsActive:(BOOL)yn; @end unison-2.40.102/uimacnew/ProfileTableView.h0000644006131600613160000000024311361646373020572 0ustar bcpiercebcpierce/* ProfileTableView */ #import @class MyController; @interface ProfileTableView : NSTableView { IBOutlet MyController *myController; } @end unison-2.40.102/uimacnew/UnisonToolbar.m0000644006131600613160000002010011361646373020164 0ustar bcpiercebcpierce// // UnisonToolbar.h // // Extended NSToolbar with several views // // Created by Ben Willmore on Sun March 12 2006. // Copyright (c) 2006, licensed under GNU GPL. // #import "UnisonToolbar.h" #import "MyController.h" static NSString* QuitItemIdentifier = @"Quit"; static NSString* OpenItemIdentifier = @"Open"; static NSString* NewItemIdentifier = @"New"; static NSString* GoItemIdentifier = @"Go"; static NSString* CancelItemIdentifier = @"Cancel"; static NSString* SaveItemIdentifier = @"Save"; static NSString* RestartItemIdentifier = @"Restart"; static NSString* RescanItemIdentifier = @"Rescan"; static NSString* RToLItemIdentifier = @"RToL"; static NSString* MergeItemIdentifier = @"Merge"; static NSString* LToRItemIdentifier = @"LToR"; static NSString* SkipItemIdentifier = @"Skip"; static NSString* DiffItemIdentifier = @"Diff"; static NSString* TableModeIdentifier = @"TableMode"; @implementation UnisonToolbar - initWithIdentifier:(NSString *) identifier :(MyController *) aController :(ReconTableView *) aTableView { if ((self = [super initWithIdentifier: identifier])) { [self setAllowsUserCustomization: NO]; [self setAutosavesConfiguration: NO]; [self setDelegate: self]; myController = aController; tableView = aTableView; currentView = @""; } return self; } - (void)takeTableModeView:(NSView *)view { tableModeView = [view retain]; [view setHidden:YES]; } - (NSToolbarItem *) toolbar: (NSToolbar *)toolbar itemForItemIdentifier: (NSString *) itemIdent willBeInsertedIntoToolbar:(BOOL) willBeInserted { NSToolbarItem *toolbarItem = [[[NSToolbarItem alloc] initWithItemIdentifier: itemIdent] autorelease]; if ([itemIdent isEqual: QuitItemIdentifier]) { [toolbarItem setLabel: @"Quit"]; [toolbarItem setImage: [NSImage imageNamed: @"quit.tif"]]; [toolbarItem setTarget:NSApp]; [toolbarItem setAction:@selector(terminate:)]; } else if ([itemIdent isEqual: OpenItemIdentifier]) { [toolbarItem setLabel: @"Open"]; [toolbarItem setImage: [NSImage imageNamed: @"go.tif"]]; [toolbarItem setTarget:myController]; [toolbarItem setAction:@selector(openButton:)]; } else if ([itemIdent isEqual: NewItemIdentifier]) { [toolbarItem setLabel: @"New"]; [toolbarItem setImage: [NSImage imageNamed: @"add.tif"]]; [toolbarItem setTarget:myController]; [toolbarItem setAction:@selector(createButton:)]; } else if ([itemIdent isEqual: CancelItemIdentifier]) { [toolbarItem setLabel: @"Cancel"]; [toolbarItem setImage: [NSImage imageNamed: @"restart.tif"]]; [toolbarItem setTarget:myController]; [toolbarItem setAction:@selector(chooseProfiles)]; } else if ([itemIdent isEqual: SaveItemIdentifier]) { [toolbarItem setLabel: @"Save"]; [toolbarItem setImage: [NSImage imageNamed: @"save.tif"]]; [toolbarItem setTarget:myController]; [toolbarItem setAction:@selector(saveProfileButton:)]; } else if ([itemIdent isEqual: GoItemIdentifier]) { [toolbarItem setLabel: @"Go"]; [toolbarItem setImage: [NSImage imageNamed: @"go.tif"]]; [toolbarItem setTarget:myController]; [toolbarItem setAction:@selector(syncButton:)]; } else if ([itemIdent isEqual: RestartItemIdentifier]) { [toolbarItem setLabel: @"Restart"]; [toolbarItem setImage: [NSImage imageNamed: @"restart.tif"]]; [toolbarItem setTarget:myController]; [toolbarItem setAction:@selector(restartButton:)]; } else if ([itemIdent isEqual: RescanItemIdentifier]) { [toolbarItem setLabel: @"Rescan"]; [toolbarItem setImage: [NSImage imageNamed: @"rescan.tif"]]; [toolbarItem setTarget:myController]; [toolbarItem setAction:@selector(rescan:)]; } else if ([itemIdent isEqual: RToLItemIdentifier]) { [toolbarItem setLabel: @"Right to left"]; [toolbarItem setImage: [NSImage imageNamed: @"left.tif"]]; [toolbarItem setTarget:tableView]; [toolbarItem setAction:@selector(copyRL:)]; } else if ([itemIdent isEqual: MergeItemIdentifier]) { [toolbarItem setLabel: @"Merge"]; [toolbarItem setImage: [NSImage imageNamed: @"merge.tif"]]; [toolbarItem setTarget:tableView]; [toolbarItem setAction:@selector(merge:)]; } else if ([itemIdent isEqual: LToRItemIdentifier]) { [toolbarItem setLabel: @"Left to right"]; [toolbarItem setImage: [NSImage imageNamed: @"right.tif"]]; [toolbarItem setTarget:tableView]; [toolbarItem setAction:@selector(copyLR:)]; } else if ([itemIdent isEqual: SkipItemIdentifier]) { [toolbarItem setLabel: @"Skip"]; [toolbarItem setImage: [NSImage imageNamed: @"skip.tif"]]; [toolbarItem setTarget:tableView]; [toolbarItem setAction:@selector(leaveAlone:)]; } else if ([itemIdent isEqual: DiffItemIdentifier]) { [toolbarItem setLabel: @"Diff"]; [toolbarItem setImage: [NSImage imageNamed: @"diff.tif"]]; [toolbarItem setTarget:tableView]; [toolbarItem setAction:@selector(showDiff:)]; } else if ([itemIdent isEqual: TableModeIdentifier]) { [toolbarItem setLabel:@"Layout"]; [toolbarItem setToolTip:@"Switch table nesting"]; [tableModeView setHidden:NO]; [toolbarItem setView:tableModeView]; [toolbarItem setMinSize:NSMakeSize(NSWidth([tableModeView frame]),NSHeight([tableModeView frame])+10)]; [toolbarItem setMaxSize:NSMakeSize(NSWidth([tableModeView frame]),NSHeight([tableModeView frame])+10)]; } return toolbarItem; } - (NSArray *) itemIdentifiersForView: (NSString *) whichView { if ([whichView isEqual: @"chooseProfileView"]) { return [NSArray arrayWithObjects: QuitItemIdentifier, NewItemIdentifier, OpenItemIdentifier, nil]; } else if ([whichView isEqual: @"preferencesView"]) { return [NSArray arrayWithObjects: QuitItemIdentifier, SaveItemIdentifier, CancelItemIdentifier, nil]; } else if ([whichView isEqual: @"ConnectingView"]) { return [NSArray arrayWithObjects: QuitItemIdentifier, nil]; } else if ([whichView isEqual: @"updatesView"]) { return [NSArray arrayWithObjects: QuitItemIdentifier, RestartItemIdentifier, NSToolbarSeparatorItemIdentifier, GoItemIdentifier, RescanItemIdentifier, NSToolbarSeparatorItemIdentifier, RToLItemIdentifier, MergeItemIdentifier, LToRItemIdentifier, SkipItemIdentifier, NSToolbarSeparatorItemIdentifier, DiffItemIdentifier, TableModeIdentifier, nil]; } else { return [NSArray arrayWithObjects: QuitItemIdentifier, Nil]; } } - (NSArray *) toolbarDefaultItemIdentifiers: (NSToolbar *) toolbar { return [NSArray arrayWithObjects: QuitItemIdentifier, NewItemIdentifier, OpenItemIdentifier, nil]; } - (NSArray *) toolbarAllowedItemIdentifiers: (NSToolbar *) toolbar { return [NSArray arrayWithObjects: QuitItemIdentifier, OpenItemIdentifier, NewItemIdentifier, CancelItemIdentifier, SaveItemIdentifier, GoItemIdentifier, RestartItemIdentifier, RescanItemIdentifier, RToLItemIdentifier, MergeItemIdentifier, LToRItemIdentifier, SkipItemIdentifier, DiffItemIdentifier, NSToolbarSeparatorItemIdentifier, nil]; } - (void) setView: (NSString *) whichView { if ([whichView isEqual:currentView]) return; currentView = whichView; int i; NSArray *identifiers; NSString *oldIdentifier; NSString *newIdentifier; identifiers=[self itemIdentifiersForView:whichView]; for (i=0; i<[identifiers count]; i++) { newIdentifier = [identifiers objectAtIndex:i]; if (i<[[self items] count]) { oldIdentifier = [[[self items] objectAtIndex:i] itemIdentifier]; if ([newIdentifier isEqual: oldIdentifier] ) { [[[self items] objectAtIndex:i] setEnabled:YES]; } else { [self removeItemAtIndex:i]; [self insertItemWithItemIdentifier:newIdentifier atIndex:i]; } } else { [self insertItemWithItemIdentifier:newIdentifier atIndex:i]; } } while ([[self items] count] > [identifiers count]) { [self removeItemAtIndex:[identifiers count]]; } } @end unison-2.40.102/uimacnew/UnisonToolbar.h0000644006131600613160000000177311361646373020176 0ustar bcpiercebcpierce// // UnisonToolbar.h // // Extended NSToolbar with several views // // Created by Ben Willmore on Sun March 12 2006. // Copyright (c) 2006, licensed under GNU GPL. // #import @class ReconTableView, MyController; @interface UnisonToolbar : NSToolbar #if (MAC_OS_X_VERSION_MAX_ALLOWED >= 1060) #endif { ReconTableView* tableView; MyController* myController; NSString* currentView; NSView* tableModeView; } - initWithIdentifier:(NSString *) identifier :(MyController *) aController :(ReconTableView *) aTableView; - (NSToolbarItem *) toolbar: (NSToolbar *)toolbar itemForItemIdentifier: (NSString *) itemIdent willBeInsertedIntoToolbar:(BOOL) willBeInserted; - (NSArray *) itemIdentifiersForView: (NSString *) whichView; - (NSArray *) toolbarDefaultItemIdentifiers: (NSToolbar *) toolbar; - (NSArray *) toolbarAllowedItemIdentifiers: (NSToolbar *) toolbar; - (void) setView: (NSString *) whichView; - (void)takeTableModeView:(NSView *)view; @end unison-2.40.102/uimacnew/main.m0000644006131600613160000000320511361646373016321 0ustar bcpiercebcpierce// // main.m // uimac // // Created by Trevor Jim on Sun Aug 17 2003. // Copyright (c) 2003, see file COPYING for details. // #import #import "Bridge.h" int main(int argc, const char *argv[]) { NSAutoreleasePool *pool = [[NSAutoreleasePool alloc] init]; int i; /* When you click-start or use the open command, the program is invoked with a command-line arg of the form -psn_XXXXXXXXX. The XXXXXXXX is a "process serial number" and it seems to be important for Carbon programs. We need to get rid of it if it's there so the ocaml code won't exit. Note, the extra arg is not added if the binary is invoked directly from the command line without using the open command. */ if (argc == 2 && strncmp(argv[1],"-psn_",5) == 0) { argc--; argv[1] = NULL; } [Bridge startup:argv]; /* Check for invocations that don't start up the gui */ for (i=1; i $@ echo 'let myVersion = "'$(VERSION)'";;' >> $@ echo 'let myMajorVersion = "'$(MAJORVERSION)'";;' >> $@ clean:: $(RM) ubase/projectInfo.ml #################################################################### ### Unison objects and libraries ifeq ($(UISTYLE),mac) buildexecutable:: macexecutable UIMACDIR=uimac else ifeq ($(UISTYLE),macnew) buildexecutable:: macexecutable UIMACDIR=uimacnew else ifeq ($(UISTYLE),macnew09) buildexecutable:: macexecutable UIMACDIR=uimacnew09 else buildexecutable:: $(NAME)$(EXEC_EXT) endif endif endif MINOSXVERSION=10.5 # XCODEFLAGS=-sdk macosx$(MINOSXVERSION) ifeq ($(OSARCH),osx) CAMLFLAGS+=-ccopt -mmacosx-version-min=$(MINOSXVERSION) endif # NOTE: the OCAMLLIBDIR is not getting passed correctly? # The two cases for cltool are needed because Xcode 2.1+ # builds in build/Default/, and earlier versions use build/ .PHONY: macexecutable macexecutable: # sed -e's/@@VERSION@@/$(VERSION)/' $(UIMACDIR)/Info.plist.template > $(UIMACDIR)/Info.plist (cd $(UIMACDIR); xcodebuild $(XCODEFLAGS) OCAMLLIBDIR="$(OCAMLLIBDIR)" SYMROOT=build) if [ -e $(UIMACDIR)/build/Default ]; then \ gcc -mmacosx-version-min=$(MINOSXVERSION) $(UIMACDIR)/cltool.c -o $(UIMACDIR)/build/Default/Unison.app/Contents/MacOS/cltool -framework Carbon; \ else \ gcc -mmacosx-version-min=$(MINOSXVERSION) $(UIMACDIR)/cltool.c -o $(UIMACDIR)/build/Unison.app/Contents/MacOS/cltool -framework Carbon; \ fi # OCaml objects for the bytecode version # File extensions will be substituted for the native code version OCAMLOBJS += \ ubase/rx.cmo \ \ unicode_tables.cmo unicode.cmo bytearray.cmo \ $(WINOBJS) system/system_generic.cmo \ system/$(SYSTEM)/system_impl.cmo \ system.cmo \ \ ubase/projectInfo.cmo ubase/myMap.cmo ubase/safelist.cmo \ ubase/uprintf.cmo ubase/util.cmo ubase/uarg.cmo \ ubase/prefs.cmo ubase/trace.cmo ubase/proplist.cmo \ \ lwt/pqueue.cmo lwt/lwt.cmo lwt/lwt_util.cmo \ lwt/$(SYSTEM)/lwt_unix_impl.cmo lwt/lwt_unix.cmo \ \ uutil.cmo case.cmo pred.cmo \ fileutil.cmo name.cmo path.cmo fspath.cmo fs.cmo fingerprint.cmo \ abort.cmo osx.cmo external.cmo \ props.cmo fileinfo.cmo os.cmo lock.cmo clroot.cmo common.cmo \ tree.cmo checksum.cmo terminal.cmo \ transfer.cmo xferhint.cmo remote.cmo globals.cmo \ fpcache.cmo update.cmo copy.cmo stasher.cmo \ files.cmo sortri.cmo recon.cmo transport.cmo \ strings.cmo uicommon.cmo uitext.cmo test.cmo OCAMLOBJS+=main.cmo # OCaml libraries for the bytecode version # File extensions will be substituted for the native code version OCAMLLIBS+=unix.cma str.cma bigarray.cma COBJS+=osxsupport$(OBJ_EXT) pty$(OBJ_EXT) bytearray_stubs$(OBJ_EXT) ######################################################################## ### User Interface setup ## Text UI ifeq ($(UISTYLE), text) OCAMLOBJS+=linktext.cmo endif ## Old Mac UI ifeq ($(UISTYLE),mac) OCAMLOBJS+=uimacbridge.cmo endif ## New Mac UI ifeq ($(UISTYLE),macnew) OCAMLOBJS+=uimacbridgenew.cmo THREADS=true OCAMLLIBS+=threads.cma INCLFLAGS+=-thread endif ## New Mac UI, 2009 version ifeq ($(UISTYLE),macnew09) OCAMLOBJS+=uimacbridgenew.cmo THREADS=true OCAMLLIBS+=threads.cma INCLFLAGS+=-thread endif ## Graphic UI # Setup the lib directories # Win32 system : this very Makefile must be used with GNU Make, so that we # expect CygWin Bash to be used. # The directory must be provided following one of the model below : # - unix, relative ../../ocaml/lib/labltk # - unix, absolute d:/home/foobar/ocaml/lib/labltk # - dos, relative ..\\..\\ocaml\\lib\\labltk # - dos, absolute d:\\home\\foobar\\ocaml\\lib\\labltk # Patch to make a Windows GUI version come up with no # console when click-started # ifeq ($(OSARCH), win32) # COBJS+=winmain.c # CFLAGS+=-cclib /subsystem:windows # endif # Gtk GUI ifeq ($(UISTYLE), gtk) CAMLFLAGS+=-I +lablgtk OCAMLOBJS+=pixmaps.cmo uigtk.cmo linkgtk.cmo OCAMLLIBS+=lablgtk.cma endif # Gtk2 GUI ifeq ($(UISTYLE), gtk2) CAMLFLAGS+=-I +lablgtk2 OCAMLOBJS+=pixmaps.cmo uigtk2.cmo linkgtk2.cmo OCAMLLIBS+=lablgtk.cma endif #################################################################### ### Static build setup ifeq ($(STATIC), true) CFLAGS+=-cclib -static endif #################################################################### ### Dependencies # Include an automatically generated list of dependencies include .depend # Additional dependencied depending on the system system.cmo fspath.cmo fs.cmo: system/$(SYSTEM)/system_impl.cmo system.cmx fspath.cmx fs.cmx: system/$(SYSTEM)/system_impl.cmx lwt/lwt_unix.cmo: lwt/$(SYSTEM)/lwt_unix_impl.cmo lwt/lwt_unix.cmx: lwt/$(SYSTEM)/lwt_unix_impl.cmx ifeq ($(OSARCH), OpenBSD) ifeq ($(shell echo type ocamldot | ksh), file) OCAMLDOT=true endif else ifeq ($(shell echo type -t ocamldot | bash), file) OCAMLDOT=true endif endif ifeq ($(OSARCH), NetBSD) OCAMLDOT=false endif # Rebuild dependencies (must be invoked manually) .PHONY: depend depend:: ocamldep $(INCLFLAGS) *.mli *.ml */*.ml */*.mli */*/*.ml */*/*.mli > .depend ifdef OCAMLDOT echo 'digraph G {' > dot.tmp echo '{ rank = same; "Fileinfo"; "Props"; "Fspath"; "Os"; "Path"; }'\ >>dot.tmp echo '{ rank = same; "Uitext"; "Uigtk"; }'>>dot.tmp echo '{ rank = same; "Recon"; "Update"; "Transport"; "Files"; }'\ >>dot.tmp echo '{ rank = same; "Tree"; "Safelist"; }'>>dot.tmp echo '{ rank = same; "Uarg"; "Prefs"; }'>>dot.tmp ocamldot .depend | tail -n +2 >> dot.tmp -dot -Tps -o DEPENDENCIES.ps dot.tmp endif #################################################################### ### Compilation boilerplate ifeq ($(DEBUGGING), false) ifneq ($(OSARCH), win32) ifneq ($(OSARCH), osx) # Strip the binary (does not work with MS compiler; might not work # under OSX) CFLAGS+=-cclib -Wl,-s endif endif endif ifeq ($(PROFILING), true) OCAMLC=ocamlcp else OCAMLC=ocamlc endif OCAMLOPT=ocamlopt ifeq ($(NATIVE), true) ## Set up for native code compilation CAMLC=$(OCAMLOPT) ifeq ($(PROFILING), true) CAMLFLAGS+=-p CLIBS+=-cclib -ldl endif CAMLOBJS=$(subst .cmo,.cmx, $(subst .cma,.cmxa, $(OCAMLOBJS))) CAMLLIBS=$(subst .cma,.cmxa, $(OCAMLLIBS)) else ## Set up for bytecode compilation CAMLC=$(OCAMLC) CAMLFLAGS+=-custom ifeq ($(DEBUGGING), true) CAMLFLAGS+=-g endif CAMLOBJS=$(OCAMLOBJS) CAMLLIBS=$(OCAMLLIBS) endif win32rc/unison.res: win32rc/unison.rc win32rc/U.ico windres win32rc/unison.rc win32rc/unison.res win32rc/unison.res.lib: win32rc/unison.res windres win32rc/unison.res win32rc/unison.res.lib %.ml: %.mll -$(RM) $@ ocamllex $< %.cmi : %.mli @echo "$(CAMLC): $< ---> $@" $(CAMLC) $(CAMLFLAGS) -c $(CWD)/$< %.cmo: %.ml @echo "$(OCAMLC): $< ---> $@" $(OCAMLC) $(CAMLFLAGS) -c $(CWD)/$< %.cmx: %.ml @echo "$(OCAMLOPT): $< ---> $@" $(OCAMLOPT) $(CAMLFLAGS) -c $(CWD)/$< %.o %.obj: %.c @echo "$(OCAMLOPT): $< ---> $@" $(CAMLC) $(CAMLFLAGS) -ccopt $(OUTPUT_SEL)$(CWD)/$@ -c $(CWD)/$< $(NAME)$(EXEC_EXT): $(CAMLOBJS) $(COBJS) @echo Linking $@ $(CAMLC) -verbose $(CAMLFLAGS) -o $@ $(CFLAGS) $(CAMLLIBS) $^ $(CLIBS) # Unfortunately -output-obj does not put .o files into the output, only .cmx # files, so we have to use $(LD) to take care of COBJS. $(NAME)-blob.o: $(CAMLOBJS) $(COBJS) @echo Linking $@ $(CAMLC) -dstartup -output-obj -verbose -cclib -keep_private_externs $(CAMLFLAGS) -o u-b.o $(CFLAGS) $(CAMLLIBS) $(CLIBS) $(CAMLOBJS) $(LD) -r -keep_private_externs -o $@ u-b.o $(COBJS) $(RM) u-b.o # Original: # $(NAME)-blob.o: $(CAMLOBJS) $(COBJS) # @echo Linking $@ # $(CAMLC) -output-obj -verbose $(CAMLFLAGS) -o u-b.o $(CFLAGS) $(CAMLLIBS) $(CLIBS) $(CAMLOBJS) # $(LD) -r -o $@ u-b.o $(COBJS) # $(RM) u-b.o %$(EXEC_EXT): %.ml $(OCAMLC) -verbose -o $@ $^ ###################################################################### ### Misc clean:: -$(RM) -r *.cmi *.cmo *.cmx *.cma *.cmxa TAGS tags -$(RM) -r *.o core gmon.out *~ .*~ -$(RM) -r *.obj *.lib *.exp -$(RM) -r *.tmp *.bak?.tmp .*.bak?.tmp -$(RM) system/*.cm[iox] system/*.{o,obj} system/win/*~ -$(RM) system/generic/*.cm[iox] system/generic/*.{o,obj} system/generic/*~ -$(RM) system/win/*.cm[iox] system/win/*.{o,obj} system/win/*~ .PHONY: paths paths: @echo PATH = $(PATH) @echo OCAMLLIBDIR = $(OCAMLLIBDIR) unison-2.40.102/uicommon.mli0000644006131600613160000000716211361646373015746 0ustar bcpiercebcpierce(* Unison file synchronizer: src/uicommon.mli *) (* Copyright 1999-2009, Benjamin C. Pierce (see COPYING for details) *) (* Kinds of UI *) type interface = Text | Graphic (* The interface of a concrete UI implementation *) module type UI = sig val start : interface -> unit val defaultUi : interface end (* User preference: when true, ask fewer questions *) val auto : bool Prefs.t (* User preference: How tall to make the main window in the GTK ui *) val mainWindowHeight : int Prefs.t (* User preference: Expert mode *) val expert : bool Prefs.t (* User preference: Whether to display 'contacting server' message *) val contactquietly : bool Prefs.t (* User preference: The 'contacting server' message itself *) val contactingServerMsg : unit -> string (* User preference: Descriptive label for this profile *) val profileLabel : string Prefs.t (* User preference: Synchronize repeatedly *) val repeat : string Prefs.t (* User preference: Try failing paths N times *) val retry : int Prefs.t (* User preference: confirmation before commiting merge results *) val confirmmerge : bool Prefs.t (* Format the information about current contents of a path in one replica (the second argument is used as a separator) *) val details2string : Common.reconItem -> string -> string (* Format a path, eliding initial components that are the same as the previous path *) val displayPath : Path.t -> Path.t -> string (* Format the names of the roots for display at the head of the corresponding columns in the UI *) val roots2string : unit -> string (* Format a reconItem (and its status string) for display, eliding initial components that are the same as the previous path *) val reconItem2string : Path.t -> Common.reconItem -> string -> string type action = AError | ASkip of bool | ALtoR of bool | ARtoL of bool | AMerge (* Same as previous function, but returns a tuple of strings *) val reconItem2stringList : Path.t -> Common.reconItem -> string * action * string * string (* Format an exception for display *) val exn2string : exn -> string (* Calculate and display differences for a file *) val showDiffs : Common.reconItem (* what path *) -> (string->string->unit) (* how to display the (title and) result *) -> (string->unit) (* how to display errors *) -> Uutil.File.t (* id for transfer progress reports *) -> unit val dangerousPathMsg : Path.t list -> string (* Utilities for adding ignore patterns *) val ignorePath : Path.t -> string val ignoreName : Path.t -> string val ignoreExt : Path.t -> string val addIgnorePattern : string -> unit val usageMsg : string val shortUsageMsg : string val uiInit : reportError:(string -> unit) -> tryAgainOrQuit:(string -> bool) -> displayWaitMessage:(unit -> unit) -> getProfile:(unit -> string option) -> getFirstRoot:(unit -> string option) -> getSecondRoot:(unit -> string option) -> termInteract:(string -> string -> string) option -> unit val initPrefs : profileName:string -> displayWaitMessage:(unit->unit) -> getFirstRoot:(unit->string option) -> getSecondRoot:(unit->string option) -> termInteract:(string -> string -> string) option -> unit val validateAndFixupPrefs : unit -> unit Lwt.t (* Exit codes *) val perfectExit: int (* when everything's okay *) val skippyExit: int (* when some items were skipped, but no failure occurred *) val failedExit: int (* when there's some non-fatal failure *) val fatalExit: int (* when fatal failure occurred *) val exitCode: bool * bool -> int (* (anySkipped?, anyFailure?) -> exit code *) (* Initialization *) val testFunction : (unit->unit) ref unison-2.40.102/INSTALL0000644006131600613160000000012511361646373014436 0ustar bcpiercebcpierceFor installation instructions, see the the INSTALLATION section of the user manual. unison-2.40.102/update.mli0000644006131600613160000000622611421046600015362 0ustar bcpiercebcpierce(* Unison file synchronizer: src/update.mli *) (* Copyright 1999-2009, Benjamin C. Pierce (see COPYING for details) *) module NameMap : MyMap.S with type key = Name.t type archive = ArchiveDir of Props.t * archive NameMap.t | ArchiveFile of Props.t * Os.fullfingerprint * Fileinfo.stamp * Osx.ressStamp | ArchiveSymlink of string | NoArchive (* Calculate a canonical name for the set of roots to be synchronized. This will be used in constructing the archive name for each root. Note, all the roots in this canonical name will contain hostnames, even local roots, so the roots are re-sorted. *) val storeRootsName : unit -> unit (* Retrieve the actual names of the roots *) val getRootsName : unit -> string (* Structures describing dirty files/dirs (1 per path given in the -path preference) *) val findUpdates : unit -> ((Path.local * Common.updateItem * Props.t list) * (Path.local * Common.updateItem * Props.t list)) list (* Take a tree of equal update contents and update the archive accordingly. *) val markEqual : (Name.t * Name.t, Common.updateContent * Common.updateContent) Tree.t -> unit (* Get and update a part of an archive (the archive remains unchanged) *) val updateArchive : Fspath.t -> Path.local -> Common.updateItem -> archive (* Replace a part of an archive by another archive *) val replaceArchive : Common.root -> Path.t -> archive -> unit Lwt.t val replaceArchiveLocal : Fspath.t -> Path.local -> archive -> unit (* Update only some permissions *) val updateProps : Fspath.t -> 'a Path.path -> Props.t option -> Common.updateItem -> unit (* Check that no updates has taken place in a given place of the filesystem *) (* Returns an archive mirroring the filesystem contents *) val checkNoUpdates : Fspath.t -> Path.local -> Common.updateItem -> archive (* Turn off fastcheck for the given file on the next sync. *) val markPossiblyUpdated : Fspath.t -> Path.local -> unit (* Save to disk the archive updates *) val commitUpdates : unit -> unit (* In the user interface, it's helpful to know whether unison was started with no archives. (Then we can display file status as 'unknown' rather than 'new', which seems friendlier for new users.) This flag gets set false by the crash recovery code when it determines that no archives were present. *) val foundArchives : bool ref (* Unlock the archives, if they are locked. *) val unlockArchives : unit -> unit Lwt.t (* Translate a global path into a local path using the archive *) val translatePath : Common.root -> Path.t -> Path.local Lwt.t val translatePathLocal : Fspath.t -> Path.t -> Path.local (* Are we checking fast, or carefully? *) val useFastChecking : unit -> bool (* Print the archive to the current formatter (see Format) *) val showArchive: archive -> unit (* Compute the size of an update *) val updateSize : Path.t -> Common.updateItem -> int * Uutil.Filesize.t (* Iterate on all files in an archive *) val iterFiles : Fspath.t -> Path.local -> archive -> (Fspath.t -> Path.local -> Os.fullfingerprint -> unit) -> unit (* (For breaking the dependency loop between update.ml and stasher.ml...) *) val setStasherFun : (Fspath.t -> Path.local -> unit) -> unit unison-2.40.102/CONTRIB0000644006131600613160000000421511361646373014434 0ustar bcpiercebcpierceINFORMATION FOR CONTRIBUTORS ============================ Unison is a part-time project for its developers: we work on it because we enjoy making something useful for us and for the community, but we all have other jobs to do. If you like Unison and you want to help us make it better, we'd be glad to have you on the team! HOW YOU CAN HELP ---------------- There are lots of ways... * Telling us how you like Unison, whether the installation went smoothly, and what you use it for. * Submitting bug reports (we're always glad to have these...) * Submitting bug FIXES (... especially when accompanied by these! :-) * Reading the code. One of Unison's main design goals is robustness. Help us reach that goal by reading our code and seeing whether you understand and believe it. * Proposing ideas for new functionality. * Undertaking serious development work. See the file TODO.txt for a "wish list" of improvements that are waiting for someone to take them on. DOWNLOADING THE DEVELOPER SOURCES --------------------------------- If you just want to read the code, then the source distribution has everything you need. If you want to do any serious hacking on Unison, you should begin by grabbing a copy of the full distribution from here: http://www.cis.upenn.edu/~bcpierce/unison/resources/developers-only The tar file you'll find contains a mirror of our whole source tree (including the sources for the documentation, various small tools, working notes, etc.). It is copied every night from our central repository, so it is not guaranteed to be consistent, working, compilable, etc. SUBMITTING CHANGES ------------------ If you've made a change that you're happy with and think ought to become part of a future release of Unison, you can send it to us like this: cd make submit This will tar up the whole tree and mail it off to us, so that we can play with it, compare it to what's in the repository, and easily commit the changes. FINDING YOUR WAY AROUND ----------------------- See the file ROADMAP.txt for some suggestions on how to start reading the sources. unison-2.40.102/fpcache.ml0000644006131600613160000001764511453636173015346 0ustar bcpiercebcpierce(* Unison file synchronizer: src/fpcache.ml *) (* Copyright 1999-2010, Benjamin C. Pierce This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . *) let debug = Trace.debug "fpcache" (* In-memory cache *) module PathTbl = Hashtbl.Make (struct type t = string let equal (s1 : string) (s2 : string) = s1 = s2 let hash = Hashtbl.hash end) let tbl = PathTbl.create 101 (* Information for writing to the on-disk cache *) type entry = int * string * (Props.t * Os.fullfingerprint * Fileinfo.stamp * Osx.ressStamp) type state = { oc : out_channel; mutable count : int; mutable size : Uutil.Filesize.t; mutable last : string; mutable queue : entry list } let state = ref None (****) (* Path compression and decompression (use delta from previous path for compression) *) let decompress st i path = let l = String.length path in let s = String.create (l + i) in String.blit !st 0 s 0 i; String.blit path 0 s i l; st := s; s let compress state path = let s = state.last in let p = Path.toString path in let l = min (String.length p) (String.length s) in let i = ref 0 in while !i < l && p.[!i] = s.[!i] do incr i done; state.last <- p; (!i, String.sub p !i (String.length p - !i)) (*****) (* Read and write a chunk of file fingerprints from the cache *) let read st ic = (* I/O errors are dealt with at a higher level *) let fp1 = Digest.input ic in let fp2 = Digest.input ic in let headerSize = Marshal.header_size in let header = String.create headerSize in really_input ic header 0 headerSize; if fp1 <> Digest.string header then begin debug (fun () -> Util.msg "bad header checksum\n"); raise End_of_file end; let dataSize = Marshal.data_size header 0 in let s = String.create (headerSize + dataSize) in String.blit header 0 s 0 headerSize; really_input ic s headerSize dataSize; if fp2 <> Digest.string s then begin debug (fun () -> Util.msg "bad chunk checksum\n"); raise End_of_file end; let q : entry list = Marshal.from_string s 0 in debug (fun () -> Util.msg "read chunk of %d files\n" (List.length q)); List.iter (fun (l, p, i) -> PathTbl.add tbl (decompress st l p) i) q let closeOut st = state := None; try close_out st.oc with Sys_error error -> debug (fun () -> Util.msg "error in closing cache file: %s\n" error) let write state = let q = Safelist.rev state.queue in let s = Marshal.to_string q [Marshal.No_sharing] in let fp1 = Digest.substring s 0 Marshal.header_size in let fp2 = Digest.string s in begin try Digest.output state.oc fp1; Digest.output state.oc fp2; output_string state.oc s; flush state.oc with Sys_error error -> debug (fun () -> Util.msg "error in writing to cache file: %s\n" error); closeOut state end; state.count <- 0; state.size <- Uutil.Filesize.zero; state.queue <- [] (****) (* Start and finish dealing with the cache *) let finish () = PathTbl.clear tbl; match !state with Some st -> if st.queue <> [] then write st; closeOut st | None -> () let magic = "Unison fingerprint cache format 2" let init fastCheck fspath = finish (); if fastCheck then begin begin try debug (fun () -> Util.msg "opening cache file %s for input\n" (System.fspathToDebugString fspath)); let ic = System.open_in_bin fspath in begin try let header = input_line ic in if header <> magic then raise (Sys_error "wrong header"); let st = ref "" in while true do read st ic done with Sys_error error -> debug (fun () -> Util.msg "error in loading cache file %s: %s\n" (System.fspathToDebugString fspath) error) | End_of_file -> () end; begin try close_in ic with Sys_error error -> debug (fun () -> Util.msg "error in closing cache file %s: %s\n" (System.fspathToDebugString fspath) error) end; with Sys_error error -> debug (fun () -> Util.msg "could not open cache file %s: %s\n" (System.fspathToDebugString fspath) error) end; begin try debug (fun () -> Util.msg "opening cache file %s for output\n" (System.fspathToDebugString fspath)); let oc = System.open_out_gen [Open_wronly; Open_creat; Open_trunc; Open_binary] 0o600 fspath in output_string oc magic; output_string oc "\n"; flush oc; state := Some { oc = oc; count = 0; size = Uutil.Filesize.zero; last = ""; queue = [] } with Sys_error error -> debug (fun () -> Util.msg "could not open cache file %s: %s\n" (System.fspathToDebugString fspath) error) end end (****) (* Enqueue a fingerprint to be written to disk. *) let maxCount = 5000 let maxSize = Uutil.Filesize.ofInt (100 * 1024 * 1024) let save path v = match !state with None -> () | Some state -> let (desc, _, _, _) = v in let l = Props.length desc in state.size <- Uutil.Filesize.add state.size l; state.count <- state.count + 1; let (l, s) = compress state path in state.queue <- (l, s, v) :: state.queue; if state.count > maxCount || state.size > maxSize then write state (****) (* Check whether a fingerprint is in the in-memory cache and store it to the on-disk cache in any case. *) (* HACK: we disable fastcheck for Excel (and MPP) files, as Excel sometimes modifies a file without updating the time stamp. *) let excelFile path = let s = Path.toString path in Util.endswith s ".xls" || Util.endswith s ".mpp" let dataClearlyUnchanged fastCheck path info desc stamp = fastCheck && Props.same_time info.Fileinfo.desc desc && Props.length info.Fileinfo.desc = Props.length desc && not (excelFile path) && match stamp with Fileinfo.InodeStamp inode -> info.Fileinfo.inode = inode | Fileinfo.CtimeStamp ctime -> (* BCP [Apr 07]: This doesn't work -- ctimes are unreliable under windows. :-( info.Fileinfo.ctime = ctime *) true let ressClearlyUnchanged fastCheck info ress dataClearlyUnchanged = fastCheck && Osx.ressUnchanged ress info.Fileinfo.osX.Osx.ressInfo None dataClearlyUnchanged let clearlyUnchanged fastCheck path newInfo oldDesc oldStamp oldRess = let du = dataClearlyUnchanged fastCheck path newInfo oldDesc oldStamp in du && ressClearlyUnchanged fastCheck newInfo oldRess du let fingerprint fastCheck currfspath path info optDig = let res = try let (cachedDesc, cachedDig, cachedStamp, cachedRess) = PathTbl.find tbl (Path.toString path) in if not (clearlyUnchanged fastCheck path info cachedDesc cachedStamp cachedRess) then raise Not_found; debug (fun () -> Util.msg "cache hit for path %s\n" (Path.toDebugString path)); (info.Fileinfo.desc, cachedDig, Fileinfo.stamp info, Fileinfo.ressStamp info) with Not_found -> if fastCheck then debug (fun () -> Util.msg "cache miss for path %s\n" (Path.toDebugString path)); let (info, dig) = Os.safeFingerprint currfspath path info optDig in (info.Fileinfo.desc, dig, Fileinfo.stamp info, Fileinfo.ressStamp info) in save path res; res unison-2.40.102/test.mli0000644006131600613160000000025011361646373015066 0ustar bcpiercebcpierce(* Unison file synchronizer: src/test.mli *) (* Copyright 1999-2009, Benjamin C. Pierce (see COPYING for details) *) (* Internal self-tests *) val test: unit -> unit unison-2.40.102/lock.ml0000644006131600613160000000347011361646373014675 0ustar bcpiercebcpierce(* Unison file synchronizer: src/lock.ml *) (* Copyright 1999-2009, Benjamin C. Pierce This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . *) let rename oldFile newFile = begin try System.link oldFile newFile with Unix.Unix_error _ -> () end; let res = try (System.stat oldFile).Unix.LargeFile.st_nlink = 2 with Unix.Unix_error _ -> false in System.unlink oldFile; res let flags = [Unix.O_WRONLY; Unix.O_CREAT; Unix.O_EXCL] let create name mode = try Unix.close (System.openfile name flags mode); true with Unix.Unix_error (Unix.EEXIST, _, _) -> false let rec unique name i mode = let nm = System.fspathAddSuffixToFinalName name (string_of_int i) in if create nm mode then nm else (* highly unlikely *) unique name (i + 1) mode let acquire name = Util.convertUnixErrorsToTransient "Lock.acquire" (fun () -> match Util.osType with `Unix -> (* O_EXCL is broken under NFS... *) rename (unique name (Unix.getpid ()) 0o600) name | _ -> create name 0o600) let release name = try System.unlink name with Unix.Unix_error _ -> () let is_locked name = Util.convertUnixErrorsToTransient "Lock.test" (fun () -> System.file_exists name) unison-2.40.102/fingerprint.ml0000644006131600613160000000567311361646373016303 0ustar bcpiercebcpierce(* Unison file synchronizer: src/fingerprint.ml *) (* Copyright 1999-2009, Benjamin C. Pierce This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . *) (* NOTE: IF YOU CHANGE TYPE "FINGERPRINT", THE ARCHIVE FORMAT CHANGES; *) (* INCREMENT "UPDATE.ARCHIVEFORMAT" *) type t = string (* Assumes that (fspath, path) is a file and gives its ``digest '', that is *) (* a short string of cryptographic quality representing it. *) let file fspath path = let f = Fspath.concat fspath path in Util.convertUnixErrorsToTransient ("digesting " ^ Fspath.toPrintString f) (fun () -> Fs.fingerprint f) let maxLength = Uutil.Filesize.ofInt max_int let subfile path offset len = if len > maxLength then raise (Util.Transient (Format.sprintf "File '%s' too big for fingerprinting" (Fspath.toPrintString path))); Util.convertUnixErrorsToTransient "digesting subfile" (fun () -> let inch = Fs.open_in_bin path in begin try LargeFile.seek_in inch offset; let res = Digest.channel inch (Uutil.Filesize.toInt len) in close_in inch; res with End_of_file -> close_in_noerr inch; raise (Util.Transient (Format.sprintf "Error in digesting subfile '%s': truncated file" (Fspath.toPrintString path))) | e -> close_in_noerr inch; raise e end) let int2hexa quartet = if quartet < 10 then (char_of_int ((int_of_char '0') + quartet)) else char_of_int ((int_of_char 'a') + quartet - 10) let hexaCode theChar = let intCode = int_of_char theChar in let first = intCode / 16 in let second = intCode mod 16 in (int2hexa first, int2hexa second) let toString md5 = let length = String.length md5 in let string = String.create (length * 2) in for i=0 to (length - 1) do let c1, c2 = hexaCode (md5.[i]) in string.[2*i] <- c1; string.[2*i + 1] <- c2; done; string let string = Digest.string let dummy = "" let hash d = let l = String.length d in if l = 0 then 1234577 else begin assert (l >= 3); Char.code (String.unsafe_get d 0) + (Char.code (String.unsafe_get d 1) lsl 8) + (Char.code (String.unsafe_get d 2) lsl 16) end let equal (d : string) d' = d = d' unison-2.40.102/uimac/0000755006131600613160000000000012050210657014471 5ustar bcpiercebcpierceunison-2.40.102/uimac/English.lproj/0000755006131600613160000000000012050210657017207 5ustar bcpiercebcpierceunison-2.40.102/uimac/English.lproj/MainMenu.nib/0000755006131600613160000000000012050210657021467 5ustar bcpiercebcpierceunison-2.40.102/uimac/English.lproj/MainMenu.nib/classes.nib0000644006131600613160000000670611361646373023643 0ustar bcpiercebcpierce{ IBClasses = ( { ACTIONS = { copyLR = id; copyRL = id; forceNewer = id; forceOlder = id; ignoreExt = id; ignoreName = id; ignorePath = id; leaveAlone = id; merge = id; revert = id; selectConflicts = id; }; CLASS = FirstResponder; LANGUAGE = ObjC; SUPERCLASS = NSObject; }, { ACTIONS = { cancelProfileButton = id; createButton = id; endPasswordWindow = id; installCommandLineTool = id; onlineHelp = id; openButton = id; raiseAboutWindow = id; restartButton = id; saveProfileButton = id; syncButton = id; }; CLASS = MyController; LANGUAGE = ObjC; OUTLETS = { ConnectingView = NSView; aboutWindow = NSWindow; chooseProfileView = NSView; detailsTextView = NSTextView; mainWindow = NSWindow; passwordCancelButton = NSButton; passwordText = NSTextField; passwordWindow = NSWindow; preferencesController = PreferencesController; preferencesView = NSView; profileController = ProfileController; statusText = NSTextField; tableView = ReconTableView; updatesText = NSTextField; updatesView = NSView; versionText = NSTextField; }; SUPERCLASS = NSObject; }, { ACTIONS = {anyEnter = id; localClick = id; remoteClick = id; }; CLASS = PreferencesController; LANGUAGE = ObjC; OUTLETS = { cancelButton = NSButton; firstRootText = NSTextField; localButtonCell = NSButtonCell; profileNameText = NSTextField; remoteButtonCell = NSButtonCell; saveButton = NSButton; secondRootHost = NSTextField; secondRootText = NSTextField; secondRootUser = NSTextField; }; SUPERCLASS = NSObject; }, { CLASS = ProfileController; LANGUAGE = ObjC; OUTLETS = {tableView = NSTableView; }; SUPERCLASS = NSObject; }, { CLASS = ProfileTableView; LANGUAGE = ObjC; OUTLETS = {myController = MyController; }; SUPERCLASS = NSTableView; }, {CLASS = ReconItem; LANGUAGE = ObjC; SUPERCLASS = NSObject; }, { ACTIONS = { copyLR = id; copyRL = id; forceNewer = id; forceOlder = id; ignoreExt = id; ignoreName = id; ignorePath = id; leaveAlone = id; merge = id; revert = id; selectConflicts = id; }; CLASS = ReconTableView; LANGUAGE = ObjC; SUPERCLASS = NSTableView; } ); IBVersion = 1; }unison-2.40.102/uimac/English.lproj/MainMenu.nib/info.nib0000644006131600613160000000175011361646373023133 0ustar bcpiercebcpierce IBDocumentLocation 318 45 509 310 0 0 1280 832 IBEditorPositions 197 450 391 383 326 0 0 1280 832 198 307 297 669 515 0 0 1280 832 29 72 209 280 44 0 0 1280 832 307 392 388 499 332 0 0 1280 832 423 450 391 383 326 0 0 1280 832 IBFramework Version 364.0 IBOpenObjects 423 198 29 402 234 21 307 197 IBSystem Version 7U16 unison-2.40.102/uimac/English.lproj/MainMenu.nib/objects.nib0000644006131600613160000003776311361646373023646 0ustar bcpiercebcpierce typedstream@NSIBObjectDataNSObjectNSCustomObject)@@NSMutableStringNSString+ NSApplicationif NSTableColumn)@fff@@ccprofilesCB=s脄NSTableHeaderCellNSTextFieldCell> NSActionCellNSCellAii@@@@ProfilesNSFont$[36c]LucidaGrandef c i:c@@NSColorff>@@@SystemheaderTextColor1@$LucidaGrande NSClassSwapper*@#ProfileTableView NSTableView= NSControl)NSView) NSResponder NSClipView: NSScrollViewⲒ NSCustomView) @@@@ffffffffNSMutableArrayNSArray NSTextField #܁#,#,icc@@?Welcome to Unison! Please choose a profile or create a new one  controlColor?*controlTextColor:NSButton! T T  NSButtonCell?8OpenƄ ssii@@@@@@[28c]Helvetica ǒT T ɡ8Quitν@ͅǒ! C C ɡ8Newӽ@ͅkkNSView NSResponder NSScrollerӱ3ff:?4 _doScroller:ܒqq?}NSTableHeaderViewޚ22ޒ22@@ccccontrolBackgroundColorÆ _NSCornerView3<CCےݒޒffffi 2222 @@@ff@@f::i䄻 gridColor?@Ćǒ횂 gg풅@Let's update some stuff! Ć횂ReconTableViewPPƄᒄPP򒅒PPQ򒅒left___Left>1@Ć direction222Action1@Ćright___Right headerColor膧1@$LucidaGrande Ćprogress<<<Progress 1@ĆpathC)ȁ脞Path 1@ĆZ@PP򒅒ܒQ򒅒?wqܒPP򒅒?{]saa풅 쒄횂NSTextTemplateƄNSViewTemplate. NSMutableSetNSSetI Apple PDF pasteboard typeApple PICT pasteboard typeNSStringPboardType*NeXT Rich Text Format v1.0 pasteboard type1NeXT Encapsulated PostScript v1.2 pasteboard typeApple HTML pasteboard typeNSFilenamesPboardTypeNeXT TIFF v4.0 pasteboard typeNSColor pasteboard typeNeXT RTFD pasteboard type#CorePasteboardFlavorType 0x6D6F6F76_-_-NSText textColorHelvetica 誁-__-_- 脄NSCursorNSImage.sNSBitmapImageRep NSImageRep„[1218c]MM* (R ' 'ܒDDܒWW?rC<a/a/풅=> ǒ횂 U U 풅ɡ8Restart?@ͅ횂 풅@Status DĆْNSView NSResponder u u 풅ɡ8 Synchronize콁@ͅ햄 NSMenuItemNSMenu̔i@@@Unison NO i@@IIi@@@@:i@ About UnisonNSCustomResource)NSImageNSMenuCheckmarkWXNSMenuMixedStateNOՂUUVZNOPreferences...,VZNOInstall command-line toolUVZNOՂUUVZNO Hide UnisonhVZNO Hide OthershVZMNOՂUUVZNO Quit UnisonqVZ _NSAppleMenuShow AllUVZO MyControllerǒNSBox*r tw w@File: yĆw.wwwqA@U|textBackgroundColor233tGGrff@@ccc First root~ĆwurNSMatrix> 'F&F&#iiii:::ffffi@@@@@FD(ɡRemoteHVZNPropagate Right to Left<VZΒNPropagate Older to NewerUVZN Leave Alone/VZN!Revert to Unison's RecommendationUVZNMergeUVZNՂ@UUVZNRestartrVZNSynchronize allgVZPropagate Newer to OlderUVZϖ]OjO?햄PMainMenuNQUVZsubmenuAction:ONEditUVZPEditNCutxVZNCopycVZNPastevVZN Select AllaVZNSelect ConflictsUVZNUVZφNIgnoreUVZPN Ignore PathiVZNIgnore ExtensioneVZN Ignore NamenVZNHelpUVZPNUnison Online Help?VZ _NSMainMenuNSWindowTemplate iiffffi@@@@@cp  pxUNSWindowView@@Unison,[44c]$LucidaGrande-Bold~244@X© Copyright 1999-2005. This software is licensed under the GNU General Public License.$LucidaGrande   ~2 NSImageView$Apple PDF pasteboard typeNeXT TIFF v4.0 pasteboard type1NeXT Encapsulated PostScript v1.2 pasteboard typeNSFilenamesPboardTypeApple PICT pasteboard type@@ NSImageCell)WXUnisoniiie@@Sync you very much!$Optima-Italic 0~2@@?.?.?$LucidaGrande 4~2   ffff@Ձ hhhpxUnisonNSWindowView8@ՁRpxPasswordWindowNSWindowView@Ձ؁ϖ`OwtθPreferencesController0햁ȁƖ$݁ϖbOځϖProfileControllerϖ閁 r ρcO:ywiOr ߁ϖ閁ҁϖ햁>D햁O얁fOϖ4ƸSO햁閁ՁϖrϚDNSButton NSTableView NSTextField1j1111턙 updatesView>PasswordWindow NSTableColumnrPreferencesView NSTextField214 NSTextField3 NSMenuItem1 NSButtonCell1chooseProfileViewNSView NSMenuItem9DE1NSTableColumn1 AboutWindow NSTextFieldƄConnectingViewȄ NSTextField]121 NSTextFieldwNSView NSButtonCell| NSTextField򄙙 NSScrollView1 NSTextField2򄙙 NSMenuItem3NSMenu NSMenuItem10 NSMatrix1 NSScrollView1섙 NSButton1 NSTableView NSTextField4 NSTextField2 NSTextField1 NSTextField22:Window NSScrollView2tNSBox2? NSButton21q NSButton1 NSTextField23 NSTextField2NSButton鄘MainMenuƄNSButton턙 NSMenuItemNSBox1΄ NSButton1D NSTextField1 File's Ownery NSTextField2 NSButton1ӄ NSButton2 NSTextView NSTextField3BC NSTextField NSTextField2 NSTableColumn0 NSTextField2op$:JNSNibControlConnectorτNSNibConnectorj terminate:fhideOtherApplications:chide:MunhideAllApplications:򅄘cut:paste: selectAll:copy:NSNibOutletConnectorρo턙 updatesViewochooseProfileViewo createButton:o openButton:?orestartButton:o: mainWindowD tableViewD dataSourceo updatesTextoDprofileControllero tableViewo dataSourceo syncButton:oendPasswordWindow:o>passwordWindowo passwordTextoendPasswordWindow:o detailsTextViewodelegate ignorePath: ignoreExt: ignoreName:҅copyLR:ՅcopyRL:selectConflicts:݅revert:΅ forceNewer:؅ forceOlder:څ leaveAlone:oD statusTextBprofileNameTextBq cancelButtonB saveButtonoBpreferencesControllerorpreferencesViewB| firstRootTextBsecondRootUserBsecondRootHostBsecondRootTextBremoteButtonCellBlocalButtonCell| nextKeyView|B remoteClick:B localClick:ƁƭosaveProfileButton:qocancelProfileButton:opasswordCancelButtonodelegateo myControllero aboutWindowo4 versionTextSoraiseAboutWindow:o onlineHelp:o syncButton:߅merge:oƄConnectingView`oinstallCommandLineTool:o restartButton@irCځQj皁x`ρ΁lDI΁Dj܁R罁tBKy oЁ04Gf Ɓށ^m\?yjā݁ zs縁ҁ綁J ҁ΁fionƁp{8bԁ  uwB]ӁȁƁ|ց2qH筁tA}>qoMvO9~ȁʁ߁$c؁Lr3 :ځD0g؁ |kwS8́Ձ 皁IBCocoaFrameworkunison-2.40.102/uimac/English.lproj/InfoPlist.strings0000644006131600613160000000102211361646373022540 0ustar bcpiercebcpierce/* Localized versions of Info.plist keys */ CFBundleName = "Unison"; CFBundleShortVersionString = "Unison"; CFBundleGetInfoString = "Unison, Copyright 1999-2004, licensed under GNU GPL."; NSHumanReadableCopyright = "Copyright 1999-2004, licensed under GNU GPL."; unison-2.40.102/uimac/cltool.c0000644006131600613160000000407111361646373016147 0ustar bcpiercebcpierce/* cltool.c This is a command-line tool for Mac OS X that looks up the unison application, where ever it has been installed, and runs it. This is intended to be installed in a standard place (e.g., /usr/bin/unison) to make it easy to invoke unison as a server, or to use unison from the command line when it has been installed with a GUI. */ #import #import #include #define BUFSIZE 1024 #define EXECPATH "/Contents/MacOS/Unison" int main(int argc, char **argv) { /* Look up the application by its bundle identifier, which is given in the Info.plist file. This will continue to work even if the user changes the name of the application, unlike fullPathForApplication. */ FSRef fsref; OSStatus status; int len; char buf[BUFSIZE]; status = LSFindApplicationForInfo(kLSUnknownCreator,CFSTR("edu.upenn.cis.Unison"),NULL,&fsref,NULL); if (status) { if (status == kLSApplicationNotFoundErr) { fprintf(stderr,"Error: can't find the Unison application using the Launch Services database.\n"); fprintf(stderr,"Try launching Unison from the Finder, and then try this again.\n",status); } else fprintf(stderr,"Error: can't find Unison application (%d).\n",status); exit(1); } status = FSRefMakePath(&fsref,buf,BUFSIZE); if (status) { fprintf(stderr,"Error: problem building path to Unison application (%d).\n",status); exit(1); } len = strlen(buf); if (len + strlen(EXECPATH) + 1 > BUFSIZE) { fprintf(stderr,"Error: path to Unison application exceeds internal buffer size (%d).\n",BUFSIZE); exit(1); } strcat(buf,EXECPATH); /* It's important to pass the absolute path on to the GUI, that's how it knows where to find the bundle, e.g., the Info.plist file. */ argv[0] = buf; // printf("The Unison executable is at %s\n",argv[0]); // printf("Running...\n"); execv(argv[0],argv); /* If we get here the execv has failed; print an error message to stderr */ perror("unison"); exit(1); } unison-2.40.102/uimac/ReconItem.h0000644006131600613160000000114411361646373016543 0ustar bcpiercebcpierce/* ReconItem */ #import #define CAML_NAME_SPACE #include @interface ReconItem : NSObject { NSString *path; NSString *left; NSString *right; NSString *direction; NSString *progress; NSString *details; value ri; // an ocaml Common.reconItem } + initWithRi:(value)ri; - (NSString *) path; - (NSString *) left; - (NSString *) right; - (NSString *) direction; - (void) doAction:(unichar)action; - (void) doIgnore:(unichar)action; - (NSString *) progress; - (void)resetProgress; - (NSString *) details; - (BOOL)isConflict; - (void)revertDirection; @end unison-2.40.102/uimac/Unison.icns0000644006131600613160000011621411361646373016643 0ustar bcpiercebcpierceicnsics#H 8>|>||||||| 8>|>|||||||is32Ӏ Q]sؒc҉S`S^V_V_Z_Z\U)j h't܀ӟ Zq QrCf\lUkot]jbsWxcx^фhԅbǿjoqwusu,{zGYUeGggm0WX: QzN+ XyV@y Cuspqs\fdi_ 5Lx7S h(Mc!V Z 3P 0~Jq FAq CCq BCq BCq BKs A 7U <A$)s m  ; g'D yVKKJi̚s8mkC4B2eYf:Nl[>On\>On\>On\>Nl]< L% w  !"ICN#??????il32 `NUU<lx>jk 7^oCWrsq OW?L:MmnFWs6M)_}M<_~M3_~M3_~M3aM3aM3aM3aM3aM3aM3aL3_wZ"WہU݀Jڀ㱋ikwހۄF|߁؀fOՀJnԈfUI{چcFJwրڼ[UJWνzOKKRh|vfJ;9HKJIHDkjglmklprqjlndzxk deggy~lxnoo#kxwp?hinqqi?blhhaniYhhH]muih]wxUil^~mUip^fUjs^fUjۻw`֔WUlʺ|aʀ˛WUmcPUmcPUnfHUn~fHUpmppifvopnHUpV[[V}rXZ[YrDk>EEDLw-?EECXb<%(($O)())&M]X$Kkka6|f4_%f^}z`^.Aq3U_mSSNNPUVf^_hbQ Q\_`^^[*KB{EoP 9p#0nT D!'uN 8k#0mm _63_|cT{tmq~om{8-za{:*Uyc{;*Uyc{;*Uyc{;*Uyc{;*Uyc{;)Uyc{;)Uyc{;)Uyc{;)Uyc{;)Uyf{;)Uynt!&y+b|O 3XwxmM_~g##|_}3N{u0}}p ,~r{r4yq|O)2c}x{kjkljcms~~l8mk$&UU%OS%TU)NVC'v6u%p"q#q#q#q#q#q#q#q#q#s#< y^_bsR~C N8cV ich#H0x????0x????ih32)]NffbqlvS[ifۀK [k bQ \j b~U\icK`k?d~U_ej~W?Py߅XF^z:LMQsLNP`~KKLZoKO`CZw3MgDYw3MgBYw.MgBYw.MgBYw.MgBYw.MgBYw.MgBYw.MgBYw.MgBYw.MgBYw.MgBYy.LgBYy.LgBYy.LgBYy.LgBYy.MgBYx.LhBW3QdIUށL'fXAO܂}4VށHUKۂچ]KHKHUjۂ-Kl܃ƣuLUօׄZGLtՄփՅ~KUӑUGM^ӐcMPgԍk:NQgӊhEUMQ\ـԂՀ\E OMSo ۲vOAMMOTdȺhPI5UOMLMPTVVWZYTMKIBBILMKMNNLLK.vupwnq?sqtwiqr?wnqly wfkr? ti|ky xflr? ti{kw xflr? ti{kywgns_ti{kwzljvvl|owfdq|kp\mj~mufailjh_eonjii_lm_hpn]in3fvpZiofeypXiqEe}pXiqEcpXisEcpXitEcpXiނvEcށݡpXi׵wEbԂrXi͂ͶyEb̓rXiĶzEb‚rXi|EarXi}EarXjEarXjEarXjEarXj~xywE`vyxtXjqklkhE`glkruXjf\^XfdtZ^\erZf_MPJ}]:uTOPM_kWbd;A@BFg~9AMw:;JՊ*Etj6 it32.pibkkfOhljij?lkihhu|gj$$njgik Ulgp~elUlftej mhoՀck?kdyqgj Ukgo~fk? Ule{oejjho{ekU ifxogjhfoekUiczofjlgq|elEUlfzphijgoҀclUUkcynejUlgq~flEkf{pejkho~clUjdxohjkgoek$kc{ofkjho}dkUfifxphijgocjlczneijgq~fkUif{qeikhnejffleyohjkfq}ekUUld|qdifjksЄjlXUjfyqjj?gkkjkb$liokhU`mzllgimj[FJPbfsc`IRhnpif JNPNPahvfXG KNNTgjye^ DNPPNPafteYID UNPPNVgn܇g^G :NPPNPaeweYJ LNPPNXglg`I ?NPPNQeml`G JNPPM]dkcL?NPcqn`HNPNWfi\=MPPcqmiKNNXfiiBOPcqmhNLXfikMPcqmhIJXfihKPcqmhLJXfihMPcqmhKJXeihMPcqmhKJXeihMPcqmhKJXeihMPcqmhKJXeihMPcqmhKJXfihMPcqmhKJXfihMPcqmhKJXfihMPcqmhKJXfihMPcqmhKJXfihMPcqmhKJXfihMPcqmhKJXfihMPcqmhKJXfihMPcqmhKJXfihMPcqmhKJXfihMPcqmhKJXfihMPdqmhKJXfihMPdqmhKJXfihMPdqmhKJXfihMPdqmhKJXfihMPdqmhKJXfihMPdqmhKJXfihMPdqmhKJXfihMPdqmhKJXfihMPdqmhKJXfihMPdqmhKJXfihMPdqmhKJXfihMPdqmhKJXfihMPdqmhKJXfihMPdqmhKJXfihMPdqmhKJXfihMPdqmhKJXfihMPdqmhKJXfihMPdqmhKJXfihMPcqmhKJXfihMPcqmhKJXfihMPcqmhKJXfihMPcqmhKJXfijMPcqmhKJXgijMPcqmhKJXgijMPcqmhKJXgijMPcqmhKJXgijMPcqmhKJXgijMPcqlhKJYgijMObqngKJ[iiiMNaq{gUKKakߏihMNamߎdhIOfpߏfhNN_kގikHVhfgNN]iݏwgiKdhݐefLNZg܎flZjw܏fENNWg܎fjfji܏tgJNTgvۏofjglfڐmiFMNbmُqfifjidّhhDNN]iڏ wfjjc Uhjijڒfh :NNWgڐ jfgjjhkhkjgftڑzhUMNRevؑ Õwjgfg ffmْjjKPNakג 㺟 הdfGNNWgٔ הtgNOPdmՔהhk MPN[h֕րՃ֗|gb LNNQfrԿgi NPN^iԾ|gbKPNRflhj :OPLZhؾrhXJPPOcjfk DMPNUgplc JPPL\i|޺reU MPPOaiڸhZ LNPNQejڶh_A LPPNSgiڴidJ MPPNVhmݲieN 5OPPNUhjiePD HNPPNUgjج߆ieQE LNPPNTehݪ{hbOG MNPPNQbir٦ pi^MHMNPPNN\hmڢ ƈkfYLHGMP NVehrڝ ޜngaSIPDMP NP[fjyՖԝwieYNKE.ONPPNNS_fhu֌Śuge]QLM:MNPNNR\ehpśohd\RNLMANNPNNR[`dgpͺpgd_YQNMM=KNNPN RZacegkpuy}}wqlhebaZRNNMNJILOPONRUX[^_`babfgeecba`_\YUQNOMKINPNPONOPQTUTUTQPPNPNNMG:GLMNPOPNPPOPPNH/UIJMNNMNPMNLID3EJKKNLJMONMLHBDintuf_suw?tuutwwvwsHHtwwux UuwxicvwtUuwvnwus uwxiQObwws?twwcOiwws UtwwiNQcwwu? UuwvcVgSiwustwwiKvNbvwtU swwcKzLjwwstwwhL{LbwwvUuwwcN{KiwvsuwwjMwNavwt\UuwveLwMixwsuwxiJ{LbwwtUUtwwbLzIjwvsUuwxiNyNbwwt\twwdMzNjwvstwwiJzMbwwtUtwwcLxJjxwstwwhLzLbwwtHtxwdLxLixuttwwjLxObwwtU3uwwdLvLjxwtuwxiK{LbwxwuwwcLyJiwvttwxjLwOawxtUswwdLwMjwuutwwiKwMbwws33uwwcLyJjxwstwwiLxNawwvUUtwvcLzMhxvtftwwjQzWbuwtcUtwwdNyMjwws?pwxkNlnLlwvoHvxwdT}Oiwwsemyua\TgwwprysUXOjxvd ^_boyw^TKhxwl]ftyqUoOiwvm \bcbcoyxbWRjxwgY ^abetyqTqWdxwiWacoywd[ Ukzwh^U UaccbfuyqU`bxxkWNacnwybueixvi`U [bccbgvyqWr`wxl^ U`ccbcsxjymnym] ^accajww]]qxq` Q`cbbpyl}opxmU `bcbgwwbdtwj Qabcqyotrwt ^bbhvxehuvrU`cqyputws``hvyhkwvt`cqysyuws]`hvzlnxvs^cqyu{wws]`hv{mqzvs_cqywzws[`hu|qt{vs_cqyx؂{ws[`hu|tx|vs_cpy{څ}ws[`hu}w{~us_cpy}ڈws[`hu{~us_cpyڋws[`ht~ȁus_cpyڍws[`htȄus_cpyܐws[`htɇus_cpyܓws[`htʋus_cpyڕws[`htʍus_cpyڙws[`htʒus_cpyڛws[`htʕts_cpy؞ws[`htʖts_cpyաws[`htəts_cpyԢws[`hsɜts_cpyҦws[`hsȟts_coyލЧws[`hsߏƢts_coyڍΩws[`hs܏Ŧts_coy׍̭ws[`hs؏ũts_coyӍʯws[`hrӏëts_coyύȱws[`hrЏ®ts_coyˍųws[`hȑts_coyŏôws[`hrɿts_coyčws[`hrďĽts_coyws[`hrts_coyws[`hrts_coyws[`hrts_coyws[`hrts_coyws[`hr ts_coy§ws[`hröġts_coyéws[`hrƵƢss_coyŪws[`hqɴɣss_coy ƫws[`hq˴ˤss_coyÜɭws[`hqͳ̥ss_coyĘˮws[`hqϲϦss_coyē˯ws[`hqѰѧss_coyŏ̰ws[`hqկӨss_coyŋαws[`hq׮֩sq_coyƆ~|ϲws[`hpج|z֩sq_coyƂw|vгws[`hp۫w{|u٩sq_coy}rvpѵws[`hpݪquvo۫sq_coywmqlҶws[`hpߨlpqjݬsq_coyrhmf~Ӷwq[`hpglmdެsq_coynbg`wҷvs[`ip`fg_sq_cnzl]b]m˿xr[`jrZbZstacmzmW]Z`Ԃqa[`mt~T]TrracmvjQXWQnrZcqyjQXOps`blunJRH|rt]frڹTPRIoqabksvCNGZ~qi]qqDMNLFpw`bjqpuhs`>HFDڄp\`bgq9@C9Vڈpslrr9@C7<;,wypuswpG2<1UҹvrZacmvV(6 7/2zpumrsnb(6%krsYbbkrr. !3~ptso Upsrsl,.-or Nabgq#' (7Бtpqtssru rrutpp{k!('.؁qU`cdp}7&귔tpqpwT[tt ^cbmta Nֱ Ӆ&npXabgq J֨p7(}rUacbovLC\monpm[9irtacbirڂpj]aceqz?hqsUacblr߂pj^ccdpuTyrt N`cbir={qc`cbcosqq Ubcbfqxguo ]ccbjrKd{p` acbcms.Tԅsg [acbdqt1KߌsjW `ccbers/Rrna accbfqvC]spb P`ccbgqs\wےrpcU ]bccbfqt퇭!̉spcU ]bccbfqqCVrnbY ^accbdnrz (xrka_]bccbbkrvq -tpha]_`ccbbfor{y- 7͙wqne`dYac bcjptڤj* 4mŚ~roib_UE`acbekpr}ؤvN,,Qyߺ}qpkc`aN]acbbejprxƵߺxqojeb`]Zabcbdimnqx߃IJxqnmhdbaaQ[`bc bbejlnoqux}~zuronliebbaa\\`bcbbdfhjkllmppoonmmlkjifdbbcb_]]acbcefeccbaa`]N_`bbcbcbba[?UZ^``aabac`abab`^]U3U\^]`_`a`ab`_][[Uxnvvf_su|}w?uwutpgvHHx~zx UuuewUvc=q~suw eu?vkuuUtv gv?Uvivuxv$hwUum!vstvevUujv~uuu"hu\Uvj usuwevUUvk!x}uUuufv\vi!u~stv fwUvm"wutvfvHviw~txv&gxUful%utuxewvkx~txu$fxUui!t~uvxevffvk!wuttfvUUvhutwv|s"a}wcUvk#t}u?pz|&*~xoHv~cv|suy|Yk{uxP$yzduy{{atswyz}@vzmvzz{z{cqxt?xz{z};mvowz{{`szwfUyzz{z}{1^yukz{{cpzzUuyzz{z~|'Ryvjxz{}|!}|ywyzz{zO}|wmxz{{|wxzUuyz{zL/y?fy{z|wyxvy{zL+}wgzz|wyyvyzL+}vxz|wyyuyzL+}wxz|wyywyzL*}wwz|wyyuyzM+}wwz|wyyuyzM+}wwz|wyyuyzM+}wwz|wyyuyzM+}wwz|w yyuyzN*}wwz|w yyuyzN*}wwz|w ywuyzN*}wwz|w ywuyzN*}wwz|w ywuyzN*}wwz|w ywuyzN*}wwz|wywuyzO*}wwz|wywuyzO*}wwz|wywuyzO*}wwz|wywuyzO*}wwz|wywuyzO*}wwz|wywuyzO)}wwz|wywuyzO*}wwz|wywuyzO)}wwz|wywuyzP*|wwz|wywuyzO)|wwz|wywuyzP*|wwz|wywuyzP)|wwz|wywuyzP)|wwz|wywuyzP*|wwz|wywuyzP)|wwz|wywuyzP)|wwz|wywuyzP)|wwz|wywuyzP)|wwz|wywuyzP)|wwz|wywuyzP)|wwz|wywuyzP)|wwz|wywuyzP)|wwz|w ywuyzP)|wwz{wywuyzP)|wwz{w ywuyzP(|wwz{w ywuyzP(|wwz{w ywuyzP(|uwz{w ywuyz~Q(|uwz{w ywuyz~Q(|uwz{wywuyz~Q(|uwz{wywuyz~Q(|uwz{wywuyz~Q(|uwz{wzwuyz~S(|uw{|wwyuyz~M#|vwz|wl|auy{}6;}uwz{{X}rpy{xQ~sx{{}--~wux~kW|qw{z}@p|xxzH`}wx{{~PDxv~pj{\v{z~`eury~.rzw{{}qv}usxXyvuyz{{vumrz]=~vnz{z~GpyuoUpv~}XX|rby{{bY||wwsrurruy|s5m{Uwz{|sXp|~~zjJ(|wtz{{}4%LV[`XIZ~ppx{{~br{Ux{z9}xwz{z\k|jwyzz|v8~wUwz{{~Zk|jvzz{>}wbxz{zguzcvz{{z~H[tfzz{z|y/|z?vzz{z~lw|s?xz{|z`jxsyz{~O^xmxzz{{|~GW{w?yzz{z|{EX~zw]xzz{z|~LX{yfryzz{z{}[e{xsuz{gmzyt vxzz{{z~v6Fy~{zuuyzz{}{^d}|zzu syzz{{z|wIQy{{yxnyz{zz|}pJOq~|z{xs\xxz{}sRSu}z{zybuyz{z|yiQ Rky}z{{zujyz {{z{~~xl]G+ #FZlx~}{z{{yyfuxyz{|~|xtpkjk lj[WZjlqw{~|z{yxvswyz{z{z{{||}~} ~~~}||{{z{zzxxuwyxz{z{z{z{zz{zz{z{yxxtbsxz{zzyzyu_Uwuxwyzxzxyywxxvuffssuxvuvwxwxusft8mk@", Iow nus ls ju n sr mt ou t u;'IN=ABZ#:9lt) =2a>JTmrr4s=0) { // something was selected i = [[self dataSource] updateForIgnore:i]; [self selectRow:i byExtendingSelection:NO]; [self reloadData]; } } - (IBAction)ignorePath:(id)sender { [self doIgnore:'I']; } - (IBAction)ignoreExt:(id)sender { [self doIgnore:'E']; } - (IBAction)ignoreName:(id)sender { [self doIgnore:'N']; } - (void)doAction:(unichar)c { NSEnumerator *e = [self selectedRowEnumerator]; NSNumber *n = [e nextObject]; int numSelected = 0; int i = -1; for (; n != nil; n = [e nextObject]) { numSelected++; i = [n intValue]; NSMutableArray *reconItems = [[self dataSource] reconItems]; [[reconItems objectAtIndex:i] doAction:c]; } if (numSelected>0) { if (numSelected == 1 && [self numberOfRows] > i+1) { // Move to next row, unless already at last row, or if more than one row selected [self selectRow:i+1 byExtendingSelection:NO]; [self scrollRowToVisible:i+1]; } else [self reloadData]; } } - (IBAction)copyLR:(id)sender { [self doAction:'>']; } - (IBAction)copyRL:(id)sender { [self doAction:'<']; } - (IBAction)leaveAlone:(id)sender { [self doAction:'/']; } - (IBAction)forceOlder:(id)sender { [self doAction:'-']; } - (IBAction)forceNewer:(id)sender { [self doAction:'+']; } - (IBAction)selectConflicts:(id)sender { [self deselectAll:self]; NSMutableArray *reconItems = [[self dataSource] reconItems]; int i = 0; for (; i < [reconItems count]; i++) { if ([[reconItems objectAtIndex:i] isConflict]) [self selectRow:i byExtendingSelection:YES]; } } - (IBAction)revert:(id)sender { NSMutableArray *reconItems = [[self dataSource] reconItems]; NSEnumerator *e = [self selectedRowEnumerator]; NSNumber *n = [e nextObject]; int i; for (; n != nil; n = [e nextObject]) { i = [n intValue]; [[reconItems objectAtIndex:i] revertDirection]; } [self reloadData]; } - (IBAction)merge:(id)sender { [self doAction:'m']; } /* There are menu commands for these, but we add some shortcuts so you don't have to press the Command key */ - (void)keyDown:(NSEvent *)event { unichar c = [[event characters] characterAtIndex:0]; switch (c) { case '>': case NSRightArrowFunctionKey: [self doAction:'>']; break; case '<': case NSLeftArrowFunctionKey: [self doAction:'<']; break; case '?': case '/': [self doAction:'/']; break; default: [super keyDown:event]; break; } } @end unison-2.40.102/uimac/PreferencesController.m0000644006131600613160000000607311361646373021176 0ustar bcpiercebcpierce#import "PreferencesController.h" #define CAML_NAME_SPACE #include #include extern value Callback3_checkexn(value,value,value,value); @implementation PreferencesController - (void)reset { [profileNameText setStringValue:@""]; [firstRootText setStringValue:@""]; [secondRootUser setStringValue:@""]; [secondRootHost setStringValue:@""]; [secondRootText setStringValue:@""]; [remoteButtonCell setState:NSOnState]; [localButtonCell setState:NSOffState]; [secondRootUser setSelectable:YES]; [secondRootUser setEditable:YES]; [secondRootHost setSelectable:YES]; [secondRootHost setEditable:YES]; } - (BOOL)validatePrefs { NSString *profileName = [profileNameText stringValue]; if (profileName == nil | [profileName isEqualTo:@""]) { // FIX: should check for already existing names too NSRunAlertPanel(@"Error",@"You must enter a profile name",@"OK",nil,nil); return NO; } NSString *firstRoot = [firstRootText stringValue]; if (firstRoot == nil | [firstRoot isEqualTo:@""]) { NSRunAlertPanel(@"Error",@"You must enter a first root",@"OK",nil,nil); return NO; } NSString *secondRoot; if ([remoteButtonCell state] == NSOnState) { NSString *user = [secondRootUser stringValue]; if (user == nil | [user isEqualTo:@""]) { NSRunAlertPanel(@"Error",@"You must enter a user",@"OK",nil,nil); return NO; } NSString *host = [secondRootHost stringValue]; if (host == nil | [host isEqualTo:@""]) { NSRunAlertPanel(@"Error",@"You must enter a host",@"OK",nil,nil); return NO; } NSString *file = [secondRootText stringValue]; // OK for empty file, e.g., ssh://foo@bar/ secondRoot = [NSString stringWithFormat:@"ssh://%@@%@/%@",user,host,file]; } else { secondRoot = [secondRootText stringValue]; if (secondRoot == nil | [secondRoot isEqualTo:@""]) { NSRunAlertPanel(@"Error",@"You must enter a second root file",@"OK",nil,nil); return NO; } } value *f = caml_named_value("unisonProfileInit"); Callback3_checkexn(*f, caml_copy_string([profileName cString]), caml_copy_string([firstRoot cString]), caml_copy_string([secondRoot cString])); return YES; } /* The target when enter is pressed in any of the text fields */ // FIX: this is broken, it takes tab, mouse clicks, etc. - (IBAction)anyEnter:(id)sender { NSLog(@"enter"); [self validatePrefs]; } - (IBAction)localClick:(id)sender { NSLog(@"local"); [secondRootUser setStringValue:@""]; [secondRootHost setStringValue:@""]; [secondRootUser setSelectable:NO]; [secondRootUser setEditable:NO]; [secondRootHost setSelectable:NO]; [secondRootHost setEditable:NO]; } - (IBAction)remoteClick:(id)sender { NSLog(@"remote"); [secondRootUser setSelectable:YES]; [secondRootUser setEditable:YES]; [secondRootHost setSelectable:YES]; [secondRootHost setEditable:YES]; } @end unison-2.40.102/uimac/Info.plist.template0000644006131600613160000000211711361646373020270 0ustar bcpiercebcpierce CFBundleName Unison CFBundleDevelopmentRegion English CFBundleExecutable Unison CFBundleIconFile Unison.icns CFBundleIdentifier edu.upenn.cis.Unison CFBundleInfoDictionaryVersion 6.0 CFBundlePackageType APPL CFBundleSignature ???? CFBundleVersion @@VERSION@@ CFBundleShortVersionString @@VERSION@@ CFBundleGetInfoString @@VERSION@@. ©1999-2007, licensed under GNU GPL. NSHumanReadableCopyright ©1999-2006, licensed under GNU GPL. NSMainNibFile MainMenu NSPrincipalClass NSApplication unison-2.40.102/uimac/ProfileController.m0000644006131600613160000000437611361646373020341 0ustar bcpiercebcpierce/* Copyright (c) 2003, see file COPYING for details. */ #import "ProfileController.h" #define CAML_NAME_SPACE #include #include extern value Callback_checkexn(value,value); @implementation ProfileController NSString *unisonDirectory() { static value *f = NULL; if (f == NULL) f = caml_named_value("unisonDirectory"); return [NSString stringWithCString:String_val(Callback_checkexn(*f, Val_unit))]; } - (void)initProfiles { NSString *directory = unisonDirectory(); NSArray *files = [[NSFileManager defaultManager] directoryContentsAtPath:directory]; unsigned int count = [files count]; unsigned int i,j; [profiles release]; profiles = [[NSMutableArray alloc] init]; defaultIndex = -1; for (i = j = 0; i < count; i++) { NSString *file = [files objectAtIndex:i]; if ([[file pathExtension] isEqualTo:@"prf"]) { NSString *withoutExtension = [file stringByDeletingPathExtension]; [profiles insertObject:withoutExtension atIndex:j]; if ([@"default" isEqualTo:withoutExtension]) defaultIndex = j; j++; } } if (j > 0) [tableView selectRow:0 byExtendingSelection:NO]; } - (void)awakeFromNib { // start with the default profile selected [self initProfiles]; if (defaultIndex >= 0) [tableView selectRow:defaultIndex byExtendingSelection:NO]; // on awake the scroll bar is inactive, but after adding profiles we might need it; // reloadData makes it happen. Q: is setNeedsDisplay more efficient? [tableView reloadData]; } - (int)numberOfRowsInTableView:(NSTableView *)aTableView { if (!profiles) return 0; else return [profiles count]; } - (id)tableView:(NSTableView *)aTableView objectValueForTableColumn:(NSTableColumn *)aTableColumn row:(int)rowIndex { if (rowIndex >= 0 && rowIndex < [profiles count]) return [profiles objectAtIndex:rowIndex]; else return @"[internal error!]"; } - (NSString *)selected { int rowIndex = [tableView selectedRow]; if (rowIndex >= 0 && rowIndex < [profiles count]) return [profiles objectAtIndex:rowIndex]; else return @"[internal error!]"; } - (NSTableView *)tableView { return tableView; } @end unison-2.40.102/uimac/ReconTableView.h0000644006131600613160000000146011361646373017530 0ustar bcpiercebcpierce// // ReconTableView.h // // NSTableView extended to handle additional keyboard events for the reconcile window. // The keyDown: method is redefined. // // Created by Trevor Jim on Wed Aug 27 2003. // Copyright (c) 2003, licensed under GNU GPL. // #import @interface ReconTableView : NSTableView { BOOL editable; } - (BOOL)editable; - (void)setEditable:(BOOL)x; - (IBAction)ignorePath:(id)sender; - (IBAction)ignoreExt:(id)sender; - (IBAction)ignoreName:(id)sender; - (IBAction)copyLR:(id)sender; - (IBAction)copyRL:(id)sender; - (IBAction)leaveAlone:(id)sender; - (IBAction)forceOlder:(id)sender; - (IBAction)forceNewer:(id)sender; - (IBAction)selectConflicts:(id)sender; - (IBAction)revert:(id)sender; - (IBAction)merge:(id)sender; - (BOOL)validateMenuItem:(NSMenuItem *)item; @end unison-2.40.102/uimac/ProfileTableView.m0000644006131600613160000000047411361646373020073 0ustar bcpiercebcpierce#import "ProfileTableView.h" @implementation ProfileTableView - (void)keyDown:(NSEvent *)event { unichar c = [[event characters] characterAtIndex:0]; switch (c) { case '\r': [myController openButton:self]; break; default: [super keyDown:event]; break; } } @end unison-2.40.102/uimac/PreferencesController.h0000644006131600613160000000115411361646373021164 0ustar bcpiercebcpierce/* PreferencesController */ #import @interface PreferencesController : NSObject { IBOutlet NSButton *cancelButton; IBOutlet NSTextField *firstRootText; IBOutlet NSButtonCell *localButtonCell; IBOutlet NSTextField *profileNameText; IBOutlet NSButtonCell *remoteButtonCell; IBOutlet NSButton *saveButton; IBOutlet NSTextField *secondRootHost; IBOutlet NSTextField *secondRootText; IBOutlet NSTextField *secondRootUser; } - (IBAction)anyEnter:(id)sender; - (IBAction)localClick:(id)sender; - (IBAction)remoteClick:(id)sender; - (BOOL)validatePrefs; - (void)reset; @end unison-2.40.102/uimac/TrevorsUnison.icns0000644006131600613160000005774411361646373020244 0ustar bcpiercebcpierceicns_it32!!!!####!##!!##!#11##11#!##!!##!#11##11#!##!!##! #11# #11#!##!!##!#11##11#!##!!##!#11##11#!##!!##!#11##11#"##!!##!#11##11#"##""##"#11##11#"##""##"#11##11#"##""##"#11##11#"##""##"#11##11#"##""##"#11##11#"##""##"#11##11#"##""##"#11##11#"##""##"#11##11#"##""##"#11##11#"##""##"#11##11#"##""##"#11##11#"##""##"#11##11#"#1ZւZ1#""#1ZZ1#"######################################################################################################################################################################################################################################################################################################################################################################################J##J##"#c##c#"!##!!##!!#####ד#!!#c#!!#c#!#V####V##0c#!!#p0#"#ʔ0#!!#0#"!#0#!!#0ʕ#!#V0#!!#0V###0##!!##0ʖ##!#c#!!#c#!#Ic#cI###֖c=#=c֚##!#pp#!####!#cc#!####!#II#!"##"##Ȼ##!#<<#!"#bb#"##||######!####!!####!!##||##!!##bb##!##<ȩ<##"####"!##<<##!"##VԟV##"!#bb#!!#II#!!"#VǏǕV#"!!#0VV0#!!"#"!!#!,,,,,,,, ,, ,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,ޙ,,ޙ,+כ++כ++ҝ++ҝ+}}}}+̟++̟+*MM**MՃM*҆҇}}{{yywwttrrppnnlljjggeeccaa_++_M]22]MKZDDZKCXQQX?;W00W;,TGGT,"R/2R"GPM""MPG9NE""EN9*L;""@L*GJA""AJG8HE,,EH8&F<++ @interface ProfileController : NSObject { IBOutlet NSTableView *tableView; NSMutableArray *profiles; int defaultIndex; // -1 if no default, else the index in profiles of @"default" } - (void)initProfiles; - (int)numberOfRowsInTableView:(NSTableView *)aTableView; - (id)tableView:(NSTableView *)aTableView objectValueForTableColumn:(NSTableColumn *)aTableColumn row:(int)rowIndex; - (NSString *)selected; - (NSTableView *)tableView; // allows MyController to set up firstResponder @end unison-2.40.102/uimac/uimac.pbproj/0000755006131600613160000000000012050210657017062 5ustar bcpiercebcpierceunison-2.40.102/uimac/uimac.pbproj/project.pbxproj0000644006131600613160000003060411361646373022155 0ustar bcpiercebcpierce// !$*UTF8*$! { archiveVersion = 1; classes = { }; objectVersion = 39; objects = { 080E96DDFE201D6D7F000001 = { children = ( ); isa = PBXGroup; name = Classes; refType = 4; sourceTree = ""; }; 089C165CFE840E0CC02AAC07 = { children = ( 089C165DFE840E0CC02AAC07, ); isa = PBXVariantGroup; name = InfoPlist.strings; refType = 4; sourceTree = ""; }; 089C165DFE840E0CC02AAC07 = { fileEncoding = 10; isa = PBXFileReference; lastKnownFileType = text.plist.strings; name = English; path = English.lproj/InfoPlist.strings; refType = 4; sourceTree = ""; }; //080 //081 //082 //083 //084 //100 //101 //102 //103 //104 1058C7A0FEA54F0111CA2CBB = { children = ( 1058C7A1FEA54F0111CA2CBB, ); isa = PBXGroup; name = "Linked Frameworks"; refType = 4; sourceTree = ""; }; 1058C7A1FEA54F0111CA2CBB = { isa = PBXFileReference; lastKnownFileType = wrapper.framework; name = Cocoa.framework; path = /System/Library/Frameworks/Cocoa.framework; refType = 0; sourceTree = ""; }; 1058C7A2FEA54F0111CA2CBB = { children = ( 29B97325FDCFA39411CA2CEA, 29B97324FDCFA39411CA2CEA, ); isa = PBXGroup; name = "Other Frameworks"; refType = 4; sourceTree = ""; }; //100 //101 //102 //103 //104 //190 //191 //192 //193 //194 19C28FACFE9D520D11CA2CBB = { children = ( 69C625F50664EC3300B3C46A, ); isa = PBXGroup; name = Products; refType = 4; sourceTree = ""; }; //190 //191 //192 //193 //194 //290 //291 //292 //293 //294 29B97313FDCFA39411CA2CEA = { buildSettings = { }; buildStyles = ( 4A9504CCFFE6A4B311CA0CBA, 4A9504CDFFE6A4B311CA0CBA, ); hasScannedForEncodings = 1; isa = PBXProject; mainGroup = 29B97314FDCFA39411CA2CEA; projectDirPath = ""; targets = ( 69C625DD0664EC3300B3C46A, ); }; 29B97314FDCFA39411CA2CEA = { children = ( 69E407B907EB95AA00D37AA1, 080E96DDFE201D6D7F000001, 29B97315FDCFA39411CA2CEA, 29B97317FDCFA39411CA2CEA, 29B97323FDCFA39411CA2CEA, 19C28FACFE9D520D11CA2CBB, 69C625F40664EC3300B3C46A, ); isa = PBXGroup; name = uimac; path = ""; refType = 4; sourceTree = ""; }; 29B97315FDCFA39411CA2CEA = { children = ( 29B97316FDCFA39411CA2CEA, 69660DC604F08CC100CF23A4, 69660DC704F08CC100CF23A4, 69BA7DA804FD695200CF23A4, 69BA7DA904FD695200CF23A4, 690F564404F11EC300CF23A4, 690F564504F11EC300CF23A4, 69D3C6FA04F1CC3700CF23A4, 69D3C6F904F1CC3700CF23A4, 697985CD050CFA2D00CF23A4, 697985CE050CFA2D00CF23A4, 691CE180051BB44A00CF23A4, 691CE181051BB44A00CF23A4, ); isa = PBXGroup; name = "Other Sources"; path = ""; refType = 4; sourceTree = ""; }; 29B97316FDCFA39411CA2CEA = { fileEncoding = 30; isa = PBXFileReference; lastKnownFileType = sourcecode.c.objc; path = main.m; refType = 4; sourceTree = ""; }; 29B97317FDCFA39411CA2CEA = { children = ( 29B97318FDCFA39411CA2CEA, 089C165CFE840E0CC02AAC07, 69C625CA0664E94E00B3C46A, ); isa = PBXGroup; name = Resources; path = ""; refType = 4; sourceTree = ""; }; 29B97318FDCFA39411CA2CEA = { children = ( 29B97319FDCFA39411CA2CEA, ); isa = PBXVariantGroup; name = MainMenu.nib; path = ""; refType = 4; sourceTree = ""; }; 29B97319FDCFA39411CA2CEA = { isa = PBXFileReference; lastKnownFileType = wrapper.nib; name = English; path = English.lproj/MainMenu.nib; refType = 4; sourceTree = ""; }; 29B97323FDCFA39411CA2CEA = { children = ( 1058C7A0FEA54F0111CA2CBB, 1058C7A2FEA54F0111CA2CBB, ); isa = PBXGroup; name = Frameworks; path = ""; refType = 4; sourceTree = ""; }; 29B97324FDCFA39411CA2CEA = { isa = PBXFileReference; lastKnownFileType = wrapper.framework; name = AppKit.framework; path = /System/Library/Frameworks/AppKit.framework; refType = 0; sourceTree = ""; }; 29B97325FDCFA39411CA2CEA = { isa = PBXFileReference; lastKnownFileType = wrapper.framework; name = Foundation.framework; path = /System/Library/Frameworks/Foundation.framework; refType = 0; sourceTree = ""; }; //290 //291 //292 //293 //294 //4A0 //4A1 //4A2 //4A3 //4A4 4A9504CCFFE6A4B311CA0CBA = { buildSettings = { COPY_PHASE_STRIP = NO; GCC_DYNAMIC_NO_PIC = NO; GCC_ENABLE_FIX_AND_CONTINUE = YES; GCC_GENERATE_DEBUGGING_SYMBOLS = YES; GCC_OPTIMIZATION_LEVEL = 0; NSZombieEnabled = YES; OPTIMIZATION_CFLAGS = "-O0"; ZERO_LINK = YES; }; isa = PBXBuildStyle; name = Development; }; 4A9504CDFFE6A4B311CA0CBA = { buildSettings = { COPY_PHASE_STRIP = YES; GCC_ENABLE_FIX_AND_CONTINUE = NO; GCC_WARN_FOUR_CHARACTER_CONSTANTS = YES; ZERO_LINK = NO; }; isa = PBXBuildStyle; name = Deployment; }; //4A0 //4A1 //4A2 //4A3 //4A4 //690 //691 //692 //693 //694 690F564404F11EC300CF23A4 = { fileEncoding = 30; isa = PBXFileReference; lastKnownFileType = sourcecode.c.h; path = ProfileController.h; refType = 4; sourceTree = ""; }; 690F564504F11EC300CF23A4 = { fileEncoding = 30; isa = PBXFileReference; lastKnownFileType = sourcecode.c.objc; path = ProfileController.m; refType = 4; sourceTree = ""; }; 691CE180051BB44A00CF23A4 = { fileEncoding = 30; isa = PBXFileReference; lastKnownFileType = sourcecode.c.h; path = ProfileTableView.h; refType = 4; sourceTree = ""; }; 691CE181051BB44A00CF23A4 = { fileEncoding = 30; isa = PBXFileReference; lastKnownFileType = sourcecode.c.objc; path = ProfileTableView.m; refType = 4; sourceTree = ""; }; 69660DC604F08CC100CF23A4 = { fileEncoding = 30; isa = PBXFileReference; lastKnownFileType = sourcecode.c.h; path = MyController.h; refType = 4; sourceTree = ""; }; 69660DC704F08CC100CF23A4 = { fileEncoding = 30; isa = PBXFileReference; lastKnownFileType = sourcecode.c.objc; path = MyController.m; refType = 4; sourceTree = ""; }; 697985CD050CFA2D00CF23A4 = { fileEncoding = 30; isa = PBXFileReference; lastKnownFileType = sourcecode.c.h; path = PreferencesController.h; refType = 4; sourceTree = ""; }; 697985CE050CFA2D00CF23A4 = { fileEncoding = 30; isa = PBXFileReference; lastKnownFileType = sourcecode.c.objc; path = PreferencesController.m; refType = 4; sourceTree = ""; }; 69BA7DA804FD695200CF23A4 = { fileEncoding = 4; isa = PBXFileReference; lastKnownFileType = sourcecode.c.h; path = ReconTableView.h; refType = 4; sourceTree = ""; }; 69BA7DA904FD695200CF23A4 = { fileEncoding = 4; isa = PBXFileReference; lastKnownFileType = sourcecode.c.objc; path = ReconTableView.m; refType = 4; sourceTree = ""; }; 69C625CA0664E94E00B3C46A = { isa = PBXFileReference; lastKnownFileType = image.icns; path = Unison.icns; refType = 4; sourceTree = ""; }; 69C625DD0664EC3300B3C46A = { buildPhases = ( 69C625DE0664EC3300B3C46A, 69C625E50664EC3300B3C46A, 69C625E90664EC3300B3C46A, 69C625F10664EC3300B3C46A, ); buildRules = ( ); buildSettings = { FRAMEWORK_SEARCH_PATHS = ""; GCC_PRECOMPILE_PREFIX_HEADER = YES; HEADER_SEARCH_PATHS = "$(OCAMLLIBDIR)"; INFOPLIST_FILE = Info.plist; INSTALL_PATH = "$(HOME)/Applications"; LIBRARY_SEARCH_PATHS = ""; OCAMLLIBDIR = /usr/local/lib/ocaml; OTHER_CFLAGS = ""; OTHER_LDFLAGS = "$(SRCROOT)/../unison-blob.o -L$(OCAMLLIBDIR) -lunix -lstr -lasmrun"; PREBINDING = NO; PRODUCT_NAME = Unison; SECTORDER_FLAGS = ""; WARNING_CFLAGS = "-Wmost -Wno-four-char-constants -Wno-unknown-pragmas"; WRAPPER_EXTENSION = app; }; dependencies = ( ); isa = PBXNativeTarget; name = uimac; productInstallPath = "$(HOME)/Applications"; productName = uimac; productReference = 69C625F50664EC3300B3C46A; productType = "com.apple.product-type.application"; }; 69C625DE0664EC3300B3C46A = { buildActionMask = 2147483647; files = ( 69C625DF0664EC3300B3C46A, 69C625E00664EC3300B3C46A, 69C625E10664EC3300B3C46A, 69C625E20664EC3300B3C46A, 69C625E30664EC3300B3C46A, 69C625E40664EC3300B3C46A, ); isa = PBXHeadersBuildPhase; runOnlyForDeploymentPostprocessing = 0; }; 69C625DF0664EC3300B3C46A = { fileRef = 69660DC604F08CC100CF23A4; isa = PBXBuildFile; settings = { }; }; 69C625E00664EC3300B3C46A = { fileRef = 690F564404F11EC300CF23A4; isa = PBXBuildFile; settings = { }; }; 69C625E10664EC3300B3C46A = { fileRef = 69D3C6FA04F1CC3700CF23A4; isa = PBXBuildFile; settings = { }; }; 69C625E20664EC3300B3C46A = { fileRef = 69BA7DA804FD695200CF23A4; isa = PBXBuildFile; settings = { }; }; 69C625E30664EC3300B3C46A = { fileRef = 697985CD050CFA2D00CF23A4; isa = PBXBuildFile; settings = { }; }; 69C625E40664EC3300B3C46A = { fileRef = 691CE180051BB44A00CF23A4; isa = PBXBuildFile; settings = { }; }; 69C625E50664EC3300B3C46A = { buildActionMask = 2147483647; files = ( 69C625E60664EC3300B3C46A, 69C625E70664EC3300B3C46A, 69C625E80664EC3300B3C46A, ); isa = PBXResourcesBuildPhase; runOnlyForDeploymentPostprocessing = 0; }; 69C625E60664EC3300B3C46A = { fileRef = 29B97318FDCFA39411CA2CEA; isa = PBXBuildFile; settings = { }; }; 69C625E70664EC3300B3C46A = { fileRef = 089C165CFE840E0CC02AAC07; isa = PBXBuildFile; settings = { }; }; 69C625E80664EC3300B3C46A = { fileRef = 69C625CA0664E94E00B3C46A; isa = PBXBuildFile; settings = { }; }; 69C625E90664EC3300B3C46A = { buildActionMask = 2147483647; files = ( 69C625EA0664EC3300B3C46A, 69C625EB0664EC3300B3C46A, 69C625EC0664EC3300B3C46A, 69C625ED0664EC3300B3C46A, 69C625EE0664EC3300B3C46A, 69C625EF0664EC3300B3C46A, 69C625F00664EC3300B3C46A, ); isa = PBXSourcesBuildPhase; runOnlyForDeploymentPostprocessing = 0; }; 69C625EA0664EC3300B3C46A = { fileRef = 29B97316FDCFA39411CA2CEA; isa = PBXBuildFile; settings = { ATTRIBUTES = ( ); }; }; 69C625EB0664EC3300B3C46A = { fileRef = 69660DC704F08CC100CF23A4; isa = PBXBuildFile; settings = { }; }; 69C625EC0664EC3300B3C46A = { fileRef = 690F564504F11EC300CF23A4; isa = PBXBuildFile; settings = { }; }; 69C625ED0664EC3300B3C46A = { fileRef = 69D3C6F904F1CC3700CF23A4; isa = PBXBuildFile; settings = { }; }; 69C625EE0664EC3300B3C46A = { fileRef = 69BA7DA904FD695200CF23A4; isa = PBXBuildFile; settings = { }; }; 69C625EF0664EC3300B3C46A = { fileRef = 697985CE050CFA2D00CF23A4; isa = PBXBuildFile; settings = { }; }; 69C625F00664EC3300B3C46A = { fileRef = 691CE181051BB44A00CF23A4; isa = PBXBuildFile; settings = { }; }; 69C625F10664EC3300B3C46A = { buildActionMask = 2147483647; files = ( 69C625F20664EC3300B3C46A, 69E407BA07EB95AA00D37AA1, ); isa = PBXFrameworksBuildPhase; runOnlyForDeploymentPostprocessing = 0; }; 69C625F20664EC3300B3C46A = { fileRef = 1058C7A1FEA54F0111CA2CBB; isa = PBXBuildFile; settings = { }; }; 69C625F40664EC3300B3C46A = { isa = PBXFileReference; lastKnownFileType = text.xml; path = Info.plist; refType = 4; sourceTree = ""; }; 69C625F50664EC3300B3C46A = { explicitFileType = wrapper.application; includeInIndex = 0; isa = PBXFileReference; path = Unison.app; refType = 3; sourceTree = BUILT_PRODUCTS_DIR; }; 69D3C6F904F1CC3700CF23A4 = { fileEncoding = 30; isa = PBXFileReference; lastKnownFileType = sourcecode.c.objc; path = ReconItem.m; refType = 4; sourceTree = ""; }; 69D3C6FA04F1CC3700CF23A4 = { fileEncoding = 30; isa = PBXFileReference; lastKnownFileType = sourcecode.c.h; path = ReconItem.h; refType = 4; sourceTree = ""; }; 69E407B907EB95AA00D37AA1 = { isa = PBXFileReference; lastKnownFileType = wrapper.framework; name = Security.framework; path = /System/Library/Frameworks/Security.framework; refType = 0; sourceTree = ""; }; 69E407BA07EB95AA00D37AA1 = { fileRef = 69E407B907EB95AA00D37AA1; isa = PBXBuildFile; settings = { }; }; }; rootObject = 29B97313FDCFA39411CA2CEA; } unison-2.40.102/uimac/ProfileTableView.h0000644006131600613160000000024611361646373020063 0ustar bcpiercebcpierce/* ProfileTableView */ #import #import "MyController.h" @interface ProfileTableView : NSTableView { IBOutlet MyController *myController; } @end unison-2.40.102/uimac/Info.plist0000644006131600613160000000000011361646373016443 0ustar bcpiercebcpierceunison-2.40.102/uimac/MyController.m0000644006131600613160000003750611361646373017327 0ustar bcpiercebcpierce/* Copyright (c) 2003, see file COPYING for details. */ #import "MyController.h" #import "ReconItem.h" #include #include #include #include extern value Callback_checkexn(value,value); extern value Callback2_checkexn(value,value,value); @implementation MyController static MyController *me; // needed by reloadTable and displayStatus, below - (void)resizeWindowToSize:(NSSize)newSize { NSRect aFrame; float newHeight = newSize.height; float newWidth = newSize.width; aFrame = [NSWindow contentRectForFrameRect:[mainWindow frame] styleMask:[mainWindow styleMask]]; aFrame.origin.y += aFrame.size.height; aFrame.origin.y -= newHeight; aFrame.size.height = newHeight; aFrame.size.width = newWidth; aFrame = [NSWindow frameRectForContentRect:aFrame styleMask:[mainWindow styleMask]]; [mainWindow setFrame:aFrame display:YES animate:YES]; } - (void)chooseProfiles { [mainWindow setContentView:blankView]; [self resizeWindowToSize:chooseProfileSize]; [mainWindow setContentView:chooseProfileView]; [mainWindow makeFirstResponder:[profileController tableView]]; // profiles get keyboard input } - (IBAction)createButton:(id)sender { [preferencesController reset]; [mainWindow setContentView:blankView]; [self resizeWindowToSize:preferencesSize]; [mainWindow setContentView:preferencesView]; } - (IBAction)saveProfileButton:(id)sender { if ([preferencesController validatePrefs]) { [profileController initProfiles]; // so the list contains the new profile [self chooseProfiles]; } } - (IBAction)cancelProfileButton:(id)sender { [self chooseProfiles]; } - (void)updateReconItems { [reconItems release]; reconItems = [[NSMutableArray alloc] init]; int j = 0; int n = Wosize_val(caml_reconItems); for (; j= 0 && i < [reconItems count]) [detailsTextView setString:[[reconItems objectAtIndex:i] details]]; } - (void)clearDetails { [detailsTextView setString:@""]; } - (void)doUpdateThread:(id)whatever { NSAutoreleasePool *pool = [[NSAutoreleasePool alloc] init]; preconn = Val_unit; // so old preconn can be garbage collected value *f = caml_named_value("unisonInit2"); caml_reconItems = Callback_checkexn(*f, Val_unit); [pool release]; } - (void)afterUpdate:(NSNotification *)notification { [[NSNotificationCenter defaultCenter] removeObserver:self name:NSThreadWillExitNotification object:nil]; [self updateReconItems]; if ([reconItems count] > 0) [tableView selectRow:0 byExtendingSelection:NO]; // label the left and right columns with the roots NSTableHeaderCell *left = [[[tableView tableColumns] objectAtIndex:0] headerCell]; value *f = caml_named_value("unisonFirstRootString"); [left setObjectValue:[NSString stringWithCString:String_val(Callback_checkexn(*f, Val_unit))]]; NSTableHeaderCell *right = [[[tableView tableColumns] objectAtIndex:2] headerCell]; f = caml_named_value("unisonSecondRootString"); [right setObjectValue:[NSString stringWithCString:String_val(Callback_checkexn(*f, Val_unit))]]; // cause scrollbar to display if necessary [tableView reloadData]; // activate menu items [tableView setEditable:YES]; } - (void)afterOpen { NSLog(@"Connected."); // move to updates window after clearing it [self clearDetails]; [reconItems release]; reconItems = nil; [mainWindow setContentView:blankView]; [self resizeWindowToSize:updatesSize]; [mainWindow setContentView:updatesView]; // reconItems table gets keyboard input [mainWindow makeFirstResponder:tableView]; [[NSNotificationCenter defaultCenter] addObserver:self selector:@selector(afterUpdate:) name:NSThreadWillExitNotification object:nil]; [NSThread detachNewThreadSelector:@selector(doUpdateThread:) toTarget:self withObject:nil]; } - (void)connect:(value)profileName { // contact server, propagate prefs NSLog(@"Connecting..."); // Switch to ConnectingView [mainWindow setContentView:blankView]; [self resizeWindowToSize:ConnectingSize]; [mainWindow setContentView:ConnectingView]; [ConnectingView setNeedsDisplay:YES]; // FIX: this doesn't seem to work fast enough // possibly slow -- need another thread? Print "contacting server" value *f = NULL; f = caml_named_value("unisonInit1"); preconn = Callback_checkexn(*f, profileName); if (preconn == Val_unit) { [self afterOpen]; // no prompting required return; } // prompting required preconn = Field(preconn,0); // value of Some f = caml_named_value("openConnectionPrompt"); value prompt = Callback_checkexn(*f, preconn); if (prompt == Val_unit) { // turns out, no prompt needed, but must finish opening connection f = caml_named_value("openConnectionEnd"); Callback_checkexn(*f, preconn); [self afterOpen]; return; } [self raisePasswordWindow:[NSString stringWithCString:String_val(Field(prompt,0))]]; } - (IBAction)openButton:(id)sender { NSString *profile = [profileController selected]; [updatesText setStringValue:[NSString stringWithFormat:@"Synchronizing profile '%@'", profile]]; const char *s = [profile cString]; value caml_s = caml_copy_string(s); [self connect:caml_s]; return; } - (IBAction)restartButton:(id)sender { [tableView setEditable:NO]; [self chooseProfiles]; } - (void)doSyncThread:(id)whatever { NSAutoreleasePool *pool = [[NSAutoreleasePool alloc] init]; value *f = caml_named_value("unisonSynchronize"); Callback_checkexn(*f, Val_unit); [pool release]; } - (void)afterSync:(NSNotification *)notification { [[NSNotificationCenter defaultCenter] removeObserver:self name:NSThreadWillExitNotification object:nil]; int i; for (i = 0; i < [reconItems count]; i++) { [[reconItems objectAtIndex:i] resetProgress]; } [tableView reloadData]; } - (IBAction)syncButton:(id)sender { [tableView setEditable:NO]; [[NSNotificationCenter defaultCenter] addObserver:self selector:@selector(afterSync:) name:NSThreadWillExitNotification object:nil]; [NSThread detachNewThreadSelector:@selector(doSyncThread:) toTarget:self withObject:nil]; } - (void)updateTableView:(int)i { [[reconItems objectAtIndex:i] resetProgress]; [tableView reloadData]; // FIX: can we redisplay just row i? } // A function called from ocaml CAMLprim value reloadTable(value row) { int i = Int_val(row); [me updateTableView:i]; // we need 'me' to access its instance variables return Val_unit; } - (int)numberOfRowsInTableView:(NSTableView *)aTableView { if (!reconItems) return 0; else return [reconItems count]; } - (id)tableView:(NSTableView *)aTableView objectValueForTableColumn:(NSTableColumn *)aTableColumn row:(int)rowIndex { if (!reconItems) { return @"[internal error]"; } if (rowIndex >= 0 && rowIndex < [reconItems count]) { NSString *identifier = [aTableColumn identifier]; ReconItem *ri = [reconItems objectAtIndex:rowIndex]; NSString *s = [ri valueForKey:identifier]; return s; } else return @"[internal error!]"; } - (void)tableViewSelectionDidChange:(NSNotification *)note { int n = [tableView numberOfSelectedRows]; if (n == 1) [self displayDetails:[tableView selectedRow]]; else [self clearDetails]; } - (void)raisePasswordWindow:(NSString *)prompt { // FIX: some prompts don't ask for password, need to look at it NSLog(@"Got the prompt: '%@'",prompt); value *f = caml_named_value("unisonPasswordMsg"); value v = Callback_checkexn(*f, caml_copy_string([prompt cString])); if (v == Val_true) { [NSApp beginSheet:passwordWindow modalForWindow:mainWindow modalDelegate:nil didEndSelector:nil contextInfo:nil]; return; } f = caml_named_value("unisonAuthenticityMsg"); v = Callback_checkexn(*f, caml_copy_string([prompt cString])); if (v == Val_true) { int i = NSRunAlertPanel(@"New host",prompt,@"Yes",@"No",nil); if (i == NSAlertDefaultReturn) { f = caml_named_value("openConnectionReply"); Callback2_checkexn(*f, preconn, caml_copy_string("yes")); f = caml_named_value("openConnectionPrompt"); value prompt = Callback_checkexn(*f, preconn); if (prompt == Val_unit) { // all done with prompts, finish opening connection f = caml_named_value("openConnectionEnd"); Callback_checkexn(*f, preconn); [self afterOpen]; return; } else { [self raisePasswordWindow:[NSString stringWithCString:String_val(Field(prompt,0))]]; return; } } if (i == NSAlertAlternateReturn) { f = caml_named_value("openConnectionCancel"); Callback_checkexn(*f, preconn); return; } else { NSLog(@"Unrecognized response '%d' from NSRunAlertPanel",i); f = caml_named_value("openConnectionCancel"); Callback_checkexn(*f, preconn); return; } } NSLog(@"Unrecognized message from ssh: %@",prompt); f = caml_named_value("openConnectionCancel"); Callback_checkexn(*f, preconn); } // The password window will invoke this when Enter occurs, b/c we // are the delegate. - (void)controlTextDidEndEditing:(NSNotification *)notification { NSNumber *reason = [[notification userInfo] objectForKey:@"NSTextMovement"]; int code = [reason intValue]; if (code == NSReturnTextMovement) [self endPasswordWindow:self]; } // Or, the Continue button will invoke this when clicked - (IBAction)endPasswordWindow:(id)sender { [passwordWindow orderOut:self]; [NSApp endSheet:passwordWindow]; if ([sender isEqualTo:passwordCancelButton]) { value *f = caml_named_value("openConnectionCancel"); Callback_checkexn(*f, preconn); [self chooseProfiles]; return; } NSString *password = [passwordText stringValue]; value *f = NULL; const char *s = [password cString]; value caml_s = caml_copy_string(s); f = caml_named_value("openConnectionReply"); Callback2_checkexn(*f, preconn, caml_s); f = caml_named_value("openConnectionPrompt"); value prompt = Callback_checkexn(*f, preconn); if (prompt == Val_unit) { // all done with prompts, finish opening connection f = caml_named_value("openConnectionEnd"); Callback_checkexn(*f, preconn); [self afterOpen]; } else [self raisePasswordWindow:[NSString stringWithCString:String_val(Field(prompt,0))]]; } - (IBAction)raiseAboutWindow:(id)sender { [aboutWindow makeKeyAndOrderFront:nil]; } - (IBAction)onlineHelp:(id)sender { [[NSWorkspace sharedWorkspace] openURL:[NSURL URLWithString:@"http://www.cis.upenn.edu/~bcpierce/unison/docs.html"]]; } - (NSMutableArray *)reconItems // used in ReconTableView only { return reconItems; } - (int)updateForIgnore:(int)i { value *f = caml_named_value("unisonUpdateForIgnore"); int j = Int_val(Callback_checkexn(*f,Val_int(i))); f = caml_named_value("unisonState"); caml_reconItems = Callback_checkexn(*f, Val_unit); [self updateReconItems]; return j; } - (void)statusTextSet:(NSString *)s { [statusText setStringValue:s]; } // A function called from ocaml CAMLprim value displayStatus(value s) { [me statusTextSet:[NSString stringWithCString:String_val(s)]]; // NSLog(@"dS: %s",String_val(s)); return Val_unit; } - (void)awakeFromNib { /**** Initialize locals ****/ me = self; chooseProfileSize = [chooseProfileView frame].size; updatesSize = [updatesView frame].size; preferencesSize = [preferencesView frame].size; ConnectingSize = [ConnectingView frame].size; blankView = [[NSView alloc] init]; /* Double clicking in the profile list will open the profile */ [[profileController tableView] setTarget:self]; [[profileController tableView] setDoubleAction:@selector(openButton:)]; /* Set up the version string in the about box. We use a custom about box just because PRCS doesn't seem capable of getting the version into the InfoPlist.strings file; otherwise we'd use the standard about box. */ value *f = NULL; f = caml_named_value("unisonGetVersion"); [versionText setStringValue: [NSString stringWithCString: String_val(Callback_checkexn(*f, Val_unit))]]; /* Ocaml initialization */ // FIX: Does this occur before ProfileController awakeFromNib? caml_reconItems = preconn = Val_int(0); caml_register_global_root(&caml_reconItems); caml_register_global_root(&preconn); /* Command-line processing */ f = caml_named_value("unisonInit0"); value clprofile = Callback_checkexn(*f, Val_unit); /* Set up the first window the user will see */ if (Is_block(clprofile)) { /* A profile name was given on the command line */ value caml_profile = Field(clprofile,0); NSString *profile = [NSString stringWithCString:String_val(caml_profile)]; [updatesText setStringValue:[NSString stringWithFormat:@"Synchronizing profile '%@'", profile]]; /* If invoked from terminal we need to bring the app to the front */ [NSApp activateIgnoringOtherApps:YES]; /* Start the connection */ [self connect:caml_profile]; } else { /* If invoked from terminal we need to bring the app to the front */ [NSApp activateIgnoringOtherApps:YES]; /* Bring up the dialog to choose a profile */ [self chooseProfiles]; } } /* from http://developer.apple.com/documentation/Security/Conceptual/authorization_concepts/index.html */ #include #include - (IBAction)installCommandLineTool:(id)sender { /* Install the command-line tool in /usr/bin/unison. Requires root privilege, so we ask for it and pass the task off to /bin/sh. */ OSStatus myStatus; AuthorizationFlags myFlags = kAuthorizationFlagDefaults; AuthorizationRef myAuthorizationRef; myStatus = AuthorizationCreate(NULL, kAuthorizationEmptyEnvironment, myFlags, &myAuthorizationRef); if (myStatus != errAuthorizationSuccess) return; { AuthorizationItem myItems = {kAuthorizationRightExecute, 0, NULL, 0}; AuthorizationRights myRights = {1, &myItems}; myFlags = kAuthorizationFlagDefaults | kAuthorizationFlagInteractionAllowed | kAuthorizationFlagPreAuthorize | kAuthorizationFlagExtendRights; myStatus = AuthorizationCopyRights(myAuthorizationRef,&myRights,NULL,myFlags,NULL); } if (myStatus == errAuthorizationSuccess) { NSBundle *bundle = [NSBundle mainBundle]; NSString *bundle_path = [bundle bundlePath]; NSString *exec_path = [bundle_path stringByAppendingString:@"/Contents/MacOS/cltool"]; // Not sure why but this doesn't work: // [bundle pathForResource:@"cltool" ofType:nil]; if (exec_path == nil) return; char *args[] = { "-f", (char *)[exec_path cString], "/usr/bin/unison", NULL }; myFlags = kAuthorizationFlagDefaults; myStatus = AuthorizationExecuteWithPrivileges (myAuthorizationRef, "/bin/cp", myFlags, args, NULL); } AuthorizationFree (myAuthorizationRef, kAuthorizationFlagDefaults); /* if (myStatus == errAuthorizationCanceled) NSLog(@"The attempt was canceled\n"); else if (myStatus) NSLog(@"There was an authorization error: %ld\n", myStatus); */ } @end unison-2.40.102/uimac/ReconItem.m0000644006131600613160000000724211361646373016555 0ustar bcpiercebcpierce#import "ReconItem.h" #include #include extern value Callback_checkexn(value,value); @implementation ReconItem -(void)dealloc { ri = Val_unit; caml_remove_global_root(&ri); [super dealloc]; } - (void)setRi:(value)v { caml_register_global_root(&ri); // needed in case of ocaml garbage collection ri = v; } + (id)initWithRi:(value)v { ReconItem *r = [[ReconItem alloc] init]; [r setRi:v]; return r; } - (NSString *)path { if (path) return path; value *f = caml_named_value("unisonRiToPath"); [path release]; path = [NSString stringWithCString:String_val(Callback_checkexn(*f, ri))]; [path retain]; return path; } - (NSString *)left { if (left) return left; value *f = caml_named_value("unisonRiToLeft"); [left release]; left = [NSString stringWithCString:String_val(Callback_checkexn(*f, ri))]; [left retain]; return left; } - (NSString *)right { if (right) return right; value *f = caml_named_value("unisonRiToRight"); [right release]; right = [NSString stringWithCString:String_val(Callback_checkexn(*f, ri))]; [right retain]; return right; } - (NSString *)direction { if (direction) return direction; value *f = caml_named_value("unisonRiToDirection"); value v = Callback_checkexn(*f, ri); char *s = String_val(v); [direction release]; direction = [NSString stringWithCString:s]; [direction retain]; return direction; } - (void)setDirection:(char *)d { [direction release]; direction = nil; value *f = caml_named_value(d); Callback_checkexn(*f, ri); } - (void)doAction:(unichar)action { switch (action) { case '>': [self setDirection:"unisonRiSetRight"]; break; case '<': [self setDirection:"unisonRiSetLeft"]; break; case '/': [self setDirection:"unisonRiSetConflict"]; break; case '-': [self setDirection:"unisonRiForceOlder"]; break; case '+': [self setDirection:"unisonRiForceNewer"]; break; case 'm': [self setDirection:"unisonRiSetMerge"]; break; default: NSLog(@"ReconItem.doAction : unknown action"); break; } } - (void)doIgnore:(unichar)action { value *f; switch (action) { case 'I': f = caml_named_value("unisonIgnorePath"); Callback_checkexn(*f, ri); break; case 'E': f = caml_named_value("unisonIgnoreExt"); Callback_checkexn(*f, ri); break; case 'N': f = caml_named_value("unisonIgnoreName"); Callback_checkexn(*f, ri); break; default: NSLog(@"ReconItem.doIgnore : unknown ignore"); break; } } - (NSString *)progress { if (progress) return progress; value *f = caml_named_value("unisonRiToProgress"); progress = [NSString stringWithCString:String_val(Callback_checkexn(*f, ri))]; [progress retain]; return progress; } - (void)resetProgress { // Get rid of the memoized progress because we expect it to change [progress release]; progress = nil; } - (NSString *)details { if (details) return details; value *f = caml_named_value("unisonRiToDetails"); details = [NSString stringWithCString:String_val(Callback_checkexn(*f, ri))]; [details retain]; return details; } - (BOOL)isConflict { value *f = caml_named_value("unisonRiIsConflict"); if (Callback_checkexn(*f, ri) == Val_true) return YES; else return NO; } - (void)revertDirection { value *f = caml_named_value("unisonRiRevert"); Callback_checkexn(*f, ri); [direction release]; direction = nil; } @end unison-2.40.102/uimac/main.m0000644006131600613160000000573711361646373015623 0ustar bcpiercebcpierce// // main.m // uimac // // Created by Trevor Jim on Sun Aug 17 2003. // Copyright (c) 2003, see file COPYING for details. // #import #define CAML_NAME_SPACE #include void reportExn(value e) { value *f = caml_named_value("unisonExnInfo"); char *m = String_val(caml_callback(*f,Extract_exception(e))); NSString *s = [NSString stringWithFormat:@"Uncaught exception: %s", m]; NSLog(@"%@",s); NSRunAlertPanel(@"Fatal error",s,@"Exit",nil,nil); } value Callback_checkexn(value c,value v) { value e = caml_callback_exn(c,v); if (!Is_exception_result(e)) return e; reportExn(e); exit(1); } value Callback2_checkexn(value c,value v1,value v2) { value e = caml_callback2_exn(c,v1,v2); if (!Is_exception_result(e)) return e; reportExn(e); exit(1); } value Callback3_checkexn(value c,value v1,value v2,value v3) { value e = caml_callback3_exn(c,v1,v2,v3); if (!Is_exception_result(e)) return e; reportExn(e); exit(1); } int main(int argc, const char *argv[]) { int i; /* When you click-start or use the open command, the program is invoked with a command-line arg of the form -psn_XXXXXXXXX. The XXXXXXXX is a "process serial number" and it seems to be important for Carbon programs. We need to get rid of it if it's there so the ocaml code won't exit. Note, the extra arg is not added if the binary is invoked directly from the command line without using the open command. */ if (argc == 2 && strncmp(argv[1],"-psn_",5) == 0) { argc--; argv[1] = NULL; } /* Initialize ocaml gc, etc. */ caml_startup((char **)argv); // cast to avoid warning, caml_startup assumes non-const, // NSApplicationMain assumes const /* Check for invocations that don't start up the gui */ for (i=1; i #define CAML_NAME_SPACE #include #import "ProfileController.h" #import "PreferencesController.h" #import "ReconTableView.h" @interface MyController : NSObject { IBOutlet NSWindow *mainWindow; IBOutlet ProfileController *profileController; IBOutlet NSView *chooseProfileView; NSSize chooseProfileSize; IBOutlet PreferencesController *preferencesController; IBOutlet NSView *preferencesView; NSSize preferencesSize; IBOutlet NSView *updatesView; NSSize updatesSize; IBOutlet NSView *ConnectingView; NSSize ConnectingSize; IBOutlet ReconTableView *tableView; IBOutlet NSTextField *updatesText; IBOutlet NSWindow *passwordWindow; IBOutlet NSTextField *passwordText; IBOutlet NSTextView *detailsTextView; IBOutlet NSTextField *statusText; IBOutlet NSButton *passwordCancelButton; IBOutlet NSWindow *aboutWindow; IBOutlet NSTextField *versionText; NSView *blankView; value caml_reconItems; NSMutableArray *reconItems; value preconn; NSString *pName; } - (IBAction)createButton:(id)sender; - (IBAction)saveProfileButton:(id)sender; - (IBAction)cancelProfileButton:(id)sender; - (IBAction)openButton:(id)sender; - (IBAction)restartButton:(id)sender; - (IBAction)syncButton:(id)sender; - (IBAction)onlineHelp:(id)sender; - (int)numberOfRowsInTableView:(NSTableView *)aTableView; - (id)tableView:(NSTableView *)aTableView objectValueForTableColumn:(NSTableColumn *)aTableColumn row:(int)rowIndex; - (void)raisePasswordWindow:(NSString *)prompt; - (IBAction)raiseAboutWindow:(id)sender; - (void)controlTextDidEndEditing:(NSNotification *)notification; - (IBAction)endPasswordWindow:(id)sender; - (NSMutableArray *)reconItems; - (int)updateForIgnore:(int)i; - (void)displayDetails:(int)i; - (IBAction)installCommandLineTool:(id)sender; @end unison-2.40.102/fileutil.mli0000644006131600613160000000045011361646373015726 0ustar bcpiercebcpierce(* Unison file synchronizer: src/fileutil.mli *) (* Copyright 1999-2009, Benjamin C. Pierce (see COPYING for details) *) (* Convert backslashes in a string to forward slashes. Useful in Windows. *) val backslashes2forwardslashes : string -> string val removeTrailingSlashes : string -> string unison-2.40.102/uimacbridgenew.ml0000644006131600613160000006340111361646373016732 0ustar bcpiercebcpierce(* ML side of a bridge to C for the Mac GUI *) open Common;; open Lwt;; let debug = Trace.debug "startup" let unisonNonGuiStartup() = begin (* If there's no GUI, don't print progress in the GUI *) Uutil.setProgressPrinter (fun _ _ _ -> ()); Main.nonGuiStartup() (* If this returns the GUI should be started *) end;; Callback.register "unisonNonGuiStartup" unisonNonGuiStartup;; type stateItem = { mutable ri : reconItem; mutable bytesTransferred : Uutil.Filesize.t; mutable bytesToTransfer : Uutil.Filesize.t; mutable whatHappened : Util.confirmation option; mutable statusMessage : string option };; let theState = ref [| |];; let unisonDirectory() = System.fspathToString Os.unisonDir ;; Callback.register "unisonDirectory" unisonDirectory;; (* Global progress indicator, similar to uigtk2.m; *) external displayGlobalProgress : float -> unit = "displayGlobalProgress";; let totalBytesToTransfer = ref Uutil.Filesize.zero;; let totalBytesTransferred = ref Uutil.Filesize.zero;; let lastFrac = ref 0.;; let showGlobalProgress b = (* Concatenate the new message *) totalBytesTransferred := Uutil.Filesize.add !totalBytesTransferred b; let v = if !totalBytesToTransfer = Uutil.Filesize.dummy then 0. else if !totalBytesToTransfer = Uutil.Filesize.zero then 100. else (Uutil.Filesize.percentageOfTotalSize !totalBytesTransferred !totalBytesToTransfer) in if v = 0. || abs_float (v -. !lastFrac) > 1. then begin lastFrac := v; displayGlobalProgress v end;; let initGlobalProgress b = totalBytesToTransfer := b; totalBytesTransferred := Uutil.Filesize.zero; displayGlobalProgress 0.;; (* Defined in Bridge.m, used to redisplay the table when the status for a row changes *) external bridgeThreadWait : int -> unit = "bridgeThreadWait";; (* Defined in MyController.m, used to redisplay the table when the status for a row changes *) external displayStatus : string -> unit = "displayStatus";; let displayStatus s = displayStatus (Unicode.protect s);; (* Called to create callback threads which wait on the C side for callbacks. (We create three just for good measure...) FIXME: the thread created by Thread.create doesn't run even if we yield -- we have to join. At that point we actually do get a different pthread, but we've caused the calling thread to block (forever). As a result, this call never returns. *) let callbackThreadCreate() = let tCode () = bridgeThreadWait 1; in ignore (Thread.create tCode ()); ignore (Thread.create tCode ()); let tid = Thread.create tCode () in Thread.join tid; ;; Callback.register "callbackThreadCreate" callbackThreadCreate;; (* Defined in MyController.m; display the error message and exit *) external displayFatalError : string -> unit = "fatalError";; let fatalError message = Trace.log (message ^ "\n"); displayFatalError message let doInOtherThread f = Thread.create (fun () -> try f () with Util.Transient s | Util.Fatal s -> fatalError s | exn -> fatalError (Uicommon.exn2string exn)) () (* Defined in MyController.m, used to redisplay the table when the status for a row changes *) external reloadTable : int -> unit = "reloadTable";; (* from uigtk2 *) let showProgress i bytes dbg = (* Trace.status "showProgress"; *) let i = Uutil.File.toLine i in let item = !theState.(i) in item.bytesTransferred <- Uutil.Filesize.add item.bytesTransferred bytes; let b = item.bytesTransferred in let len = item.bytesToTransfer in let newstatus = if b = Uutil.Filesize.zero || len = Uutil.Filesize.zero then "start " else if len = Uutil.Filesize.zero then Printf.sprintf "%5s " (Uutil.Filesize.toString b) else Util.percent2string (Uutil.Filesize.percentageOfTotalSize b len) in let oldstatus = item.statusMessage in item.statusMessage <- Some newstatus; showGlobalProgress bytes; (* FIX: No status window in Mac version, see GTK version for how to do it *) if oldstatus <> Some newstatus then reloadTable i;; let unisonGetVersion() = Uutil.myVersion ;; Callback.register "unisonGetVersion" unisonGetVersion;; (* snippets from Uicommon, duplicated for now *) (* BCP: Duplicating this is a really bad idea!!! *) (* First initialization sequence *) (* Returns a string option: command line profile, if any *) let unisonInit0() = ignore (Gc.set {(Gc.get ()) with Gc.max_overhead = 150}); (* Install an appropriate function for finding preference files. (We put this in Util just because the Prefs module lives below the Os module in the dependency hierarchy, so Prefs can't call Os directly.) *) Util.supplyFileInUnisonDirFn (fun n -> Os.fileInUnisonDir(n)); (* Display status in GUI instead of on stderr *) let formatStatus major minor = (Util.padto 30 (major ^ " ")) ^ minor in Trace.messageDisplayer := displayStatus; Trace.statusFormatter := formatStatus; Trace.sendLogMsgsToStderr := false; (* Display progress in GUI *) Uutil.setProgressPrinter showProgress; (* Initialise global progress so progress bar is not updated *) initGlobalProgress Uutil.Filesize.dummy; (* Make sure we have a directory for archives and profiles *) Os.createUnisonDir(); (* Extract any command line profile or roots *) let clprofile = ref None in begin try let args = Prefs.scanCmdLine Uicommon.usageMsg in match Util.StringMap.find "rest" args with [] -> () | [profile] -> clprofile := Some profile | [root2;root1] -> Globals.setRawRoots [root1;root2] | [root2;root1;profile] -> Globals.setRawRoots [root1;root2]; clprofile := Some profile | _ -> (Printf.eprintf "%s was invoked incorrectly (too many roots)" Uutil.myName; exit 1) with Not_found -> () end; (* Print header for debugging output *) debug (fun() -> Printf.eprintf "%s, version %s\n\n" Uutil.myName Uutil.myVersion); debug (fun() -> Util.msg "initializing UI"); debug (fun () -> (match !clprofile with None -> Util.msg "No profile given on command line" | Some s -> Printf.eprintf "Profile '%s' given on command line" s); (match Globals.rawRoots() with [] -> Util.msg "No roots given on command line" | [root1;root2] -> Printf.eprintf "Roots '%s' and '%s' given on command line" root1 root2 | _ -> assert false)); begin match !clprofile with None -> () | Some n -> let f = Prefs.profilePathname n in if not(System.file_exists f) then (Printf.eprintf "Profile %s does not exist" (System.fspathToPrintString f); exit 1) end; !clprofile ;; Callback.register "unisonInit0" unisonInit0;; (* The first time we load preferences, we also read the command line arguments; if we re-load prefs (because the user selected a new profile) we ignore the command line *) let firstTime = ref(true) (* After figuring out the profile name *) let do_unisonInit1 profileName = (* Load the profile and command-line arguments *) (* Restore prefs to their default values, if necessary *) if not !firstTime then Prefs.resetToDefaults(); (* Tell the preferences module the name of the profile *) Prefs.profileName := Some(profileName); (* If the profile does not exist, create an empty one (this should only happen if the profile is 'default', since otherwise we will already have checked that the named one exists). *) if not(System.file_exists (Prefs.profilePathname profileName)) then Prefs.addComment "Unison preferences file"; (* Load the profile *) (Trace.debug "" (fun() -> Util.msg "about to load prefs"); Prefs.loadTheFile()); (* Parse the command line. This will temporarily override settings from the profile. *) if !firstTime then begin Trace.debug "" (fun() -> Util.msg "about to parse command line"); Prefs.parseCmdLine Uicommon.usageMsg; end; firstTime := false; (* Print the preference settings *) Trace.debug "" (fun() -> Prefs.dumpPrefsToStderr() ); (* FIX: if no roots, ask the user *) Recon.checkThatPreferredRootIsValid(); let localRoots,remoteRoots = Safelist.partition (function Clroot.ConnectLocal _ -> true | _ -> false) (Safelist.map Clroot.parseRoot (Globals.rawRoots())) in match remoteRoots with [r] -> (* FIX: tell the user the next step (contacting server) might take a while *) Remote.openConnectionStart r | _::_::_ -> raise(Util.Fatal "cannot synchronize more than one remote root"); | _ -> None ;; external unisonInit1Complete : Remote.preconnection option -> unit = "unisonInit1Complete";; (* Do this in another thread and return immedidately to free up main thread in cocoa *) let unisonInit1 profileName = doInOtherThread (fun () -> let r = do_unisonInit1 profileName in unisonInit1Complete r) ;; Callback.register "unisonInit1" unisonInit1;; Callback.register "openConnectionPrompt" Remote.openConnectionPrompt;; Callback.register "openConnectionReply" Remote.openConnectionReply;; Callback.register "openConnectionEnd" Remote.openConnectionEnd;; Callback.register "openConnectionCancel" Remote.openConnectionCancel;; let commitUpdates () = Trace.status "Updating synchronizer state"; let t = Trace.startTimer "Updating synchronizer state" in Update.commitUpdates(); Trace.showTimer t let do_unisonInit2 () = (* Canonize the names of the roots and install them in Globals. *) Globals.installRoots2(); (* If both roots are local, disable the xferhint table to save time *) begin match Globals.roots() with ((Local,_),(Local,_)) -> Prefs.set Xferhint.xferbycopying false | _ -> () end; (* If no paths were specified, then synchronize the whole replicas *) if Prefs.read Globals.paths = [] then Prefs.set Globals.paths [Path.empty]; (* Expand any "wildcard" paths [with final component *] *) Globals.expandWildcardPaths(); Update.storeRootsName (); Trace.debug "" (fun() -> Printf.eprintf "Roots: \n"; Safelist.iter (fun clr -> Printf.eprintf " %s\n" clr) (Globals.rawRoots ()); Printf.eprintf " i.e. \n"; Safelist.iter (fun clr -> Printf.eprintf " %s\n" (Clroot.clroot2string (Clroot.parseRoot clr))) (Globals.rawRoots ()); Printf.eprintf " i.e. (in canonical order)\n"; Safelist.iter (fun r -> Printf.eprintf " %s\n" (root2string r)) (Globals.rootsInCanonicalOrder()); Printf.eprintf "\n" ); Lwt_unix.run (Uicommon.validateAndFixupPrefs () >>= Globals.propagatePrefs); (* Initializes some backups stuff according to the preferences just loaded from the profile. Important to do it here, after prefs are propagated, because the function will also be run on the server, if any. Also, this should be done each time a profile is reloaded on this side, that's why it's here. *) Stasher.initBackups (); (* Turn on GC messages, if the '-debug gc' flag was provided *) if Trace.enabled "gc" then Gc.set {(Gc.get ()) with Gc.verbose = 0x3F}; (* BCPFIX: Should/can this be done earlier?? *) Files.processCommitLogs(); (* from Uigtk2 *) (* detect updates and reconcile *) let _ = Globals.roots () in let t = Trace.startTimer "Checking for updates" in let findUpdates () = Trace.status "Looking for changes"; let updates = Update.findUpdates () in Trace.showTimer t; updates in let reconcile updates = Recon.reconcileAll updates in let (reconItemList, thereAreEqualUpdates, dangerousPaths) = reconcile (findUpdates ()) in if not !Update.foundArchives then commitUpdates (); if reconItemList = [] then if thereAreEqualUpdates then begin if !Update.foundArchives then commitUpdates (); Trace.status "Replicas have been changed only in identical ways since last sync" end else Trace.status "Everything is up to date" else Trace.status "Check and/or adjust selected actions; then press Go"; Trace.status (Printf.sprintf "There are %d reconitems" (Safelist.length reconItemList)); let stateItemList = Safelist.map (fun ri -> { ri = ri; bytesTransferred = Uutil.Filesize.zero; bytesToTransfer = Uutil.Filesize.zero; whatHappened = None; statusMessage = None }) reconItemList in theState := Array.of_list stateItemList; if dangerousPaths <> [] then begin Prefs.set Globals.batch false; Util.warn (Uicommon.dangerousPathMsg dangerousPaths) end; !theState ;; external unisonInit2Complete : stateItem array -> unit = "unisonInit2Complete";; (* Do this in another thread and return immedidately to free up main thread in cocoa *) let unisonInit2 () = doInOtherThread (fun () -> let r = do_unisonInit2 () in unisonInit2Complete r) ;; Callback.register "unisonInit2" unisonInit2;; let unisonRiToDetails ri = Unicode.protect (match ri.whatHappened with Some (Util.Failed s) -> Path.toString ri.ri.path1 ^ "\n" ^ s | _ -> Path.toString ri.ri.path1 ^ "\n" ^ Uicommon.details2string ri.ri " ");; Callback.register "unisonRiToDetails" unisonRiToDetails;; let unisonRiToPath ri = Unicode.protect (Path.toString ri.ri.path1);; Callback.register "unisonRiToPath" unisonRiToPath;; let rcToString rc = match rc.status with `Deleted -> "Deleted" | `Modified -> "Modified" | `PropsChanged -> "PropsChanged" | `Created -> "Created" | `Unchanged -> "";; let unisonRiToLeft ri = match ri.ri.replicas with Problem _ -> "" | Different {rc1 = rc} -> rcToString rc;; Callback.register "unisonRiToLeft" unisonRiToLeft;; let unisonRiToRight ri = match ri.ri.replicas with Problem _ -> "" | Different {rc2 = rc} -> rcToString rc;; Callback.register "unisonRiToRight" unisonRiToRight;; let unisonRiToFileSize ri = Uutil.Filesize.toFloat (riLength ri.ri);; Callback.register "unisonRiToFileSize" unisonRiToFileSize;; let unisonRiToFileType ri = riFileType ri.ri;; Callback.register "unisonRiToFileType" unisonRiToFileType;; let direction2niceString = function (* from Uicommon where it's not exported *) Conflict -> "<-?->" | Replica1ToReplica2 -> "---->" | Replica2ToReplica1 -> "<----" | Merge -> "<-M->" let unisonRiToDirection ri = match ri.ri.replicas with Problem _ -> "XXXXX" | Different diff -> direction2niceString diff.direction;; Callback.register "unisonRiToDirection" unisonRiToDirection;; let unisonRiSetLeft ri = match ri.ri.replicas with Problem _ -> () | Different diff -> diff.direction <- Replica2ToReplica1;; Callback.register "unisonRiSetLeft" unisonRiSetLeft;; let unisonRiSetRight ri = match ri.ri.replicas with Problem _ -> () | Different diff -> diff.direction <- Replica1ToReplica2;; Callback.register "unisonRiSetRight" unisonRiSetRight;; let unisonRiSetConflict ri = match ri.ri.replicas with Problem _ -> () | Different diff -> diff.direction <- Conflict;; Callback.register "unisonRiSetConflict" unisonRiSetConflict;; let unisonRiSetMerge ri = match ri.ri.replicas with Problem _ -> () | Different diff -> diff.direction <- Merge;; Callback.register "unisonRiSetMerge" unisonRiSetMerge;; let unisonRiForceOlder ri = Recon.setDirection ri.ri `Older `Force;; Callback.register "unisonRiForceOlder" unisonRiForceOlder;; let unisonRiForceNewer ri = Recon.setDirection ri.ri `Newer `Force;; Callback.register "unisonRiForceNewer" unisonRiForceNewer;; let unisonRiToProgress ri = match (ri.statusMessage, ri.whatHappened,ri.ri.replicas) with (None,None,_) -> "" | (Some s,None,_) -> Unicode.protect s | (_,_,Different {direction = Conflict}) -> "" | (_,_,Problem _) -> "" | (_,Some Util.Succeeded,_) -> "done" | (_,Some (Util.Failed s),_) -> "FAILED";; Callback.register "unisonRiToProgress" unisonRiToProgress;; let unisonRiToBytesTransferred ri = Uutil.Filesize.toFloat ri.bytesTransferred;; Callback.register "unisonRiToBytesTransferred" unisonRiToBytesTransferred;; (* --------------------------------------------------- *) (* Defined in MyController.m, used to show diffs *) external displayDiff : string -> string -> unit = "displayDiff";; external displayDiffErr : string -> unit = "displayDiffErr";; let displayDiff title text = displayDiff (Unicode.protect title) (Unicode.protect text);; let displayDiffErr err = displayDiffErr (Unicode.protect err) (* If only properties have changed, we can't diff or merge. 'Can't diff' is produced (uicommon.ml) if diff is attemped when either side has PropsChanged *) let filesAreDifferent status1 status2 = match status1, status2 with `PropsChanged, `Unchanged -> false | `Unchanged, `PropsChanged -> false | `PropsChanged, `PropsChanged -> false | _, _ -> true;; (* check precondition for diff; used to disable diff button *) let canDiff ri = match ri.ri.replicas with Problem _ -> false | Different {rc1 = {typ = `FILE; status = status1}; rc2 = {typ = `FILE; status = status2}} -> filesAreDifferent status1 status2 | Different _ -> false;; Callback.register "canDiff" canDiff;; (* from Uicommon *) (* precondition: uc = File (Updates(_, ..) on both sides *) let showDiffs ri printer errprinter id = match ri.replicas with Problem _ -> errprinter "Can't diff files: there was a problem during update detection" | Different {rc1 = {typ = `FILE; status = status1; ui = ui1}; rc2 = {typ = `FILE; status = status2; ui = ui2}} -> if filesAreDifferent status1 status2 then (let (root1,root2) = Globals.roots() in begin try Files.diff root1 ri.path1 ui1 root2 ri.path2 ui2 printer id with Util.Transient e -> errprinter e end) | Different _ -> errprinter "Can't diff: path doesn't refer to a file in both replicas" let runShowDiffs ri i = let file = Uutil.File.ofLine i in showDiffs ri.ri displayDiff displayDiffErr file;; Callback.register "runShowDiffs" runShowDiffs;; (* --------------------------------------------------- *) let do_unisonSynchronize () = if Array.length !theState = 0 then Trace.status "Nothing to synchronize" else begin Trace.status "Propagating changes"; Transport.logStart (); let totalLength = Array.fold_left (fun l si -> si.bytesTransferred <- Uutil.Filesize.zero; let len = if si.whatHappened = None then Common.riLength si.ri else Uutil.Filesize.zero in si.bytesToTransfer <- len; Uutil.Filesize.add l len) Uutil.Filesize.zero !theState in initGlobalProgress totalLength; let t = Trace.startTimer "Propagating changes" in let im = Array.length !theState in let rec loop i actions pRiThisRound = if i < im then begin let theSI = !theState.(i) in let action = match theSI.whatHappened with None -> if not (pRiThisRound theSI.ri) then return () else catch (fun () -> Transport.transportItem theSI.ri (Uutil.File.ofLine i) (fun title text -> debug (fun () -> Util.msg "MERGE '%s': '%s'" title text); displayDiff title text; true) >>= (fun () -> return Util.Succeeded)) (fun e -> match e with Util.Transient s -> return (Util.Failed s) | _ -> fail e) >>= (fun res -> let rem = Uutil.Filesize.sub theSI.bytesToTransfer theSI.bytesTransferred in if rem <> Uutil.Filesize.zero then showProgress (Uutil.File.ofLine i) rem "done"; theSI.whatHappened <- Some res; return ()) | Some _ -> return () (* Already processed this one (e.g. merged it) *) in loop (i + 1) (action :: actions) pRiThisRound end else return actions in Lwt_unix.run (loop 0 [] (fun ri -> not (Common.isDeletion ri)) >>= (fun actions -> Lwt_util.join actions)); Lwt_unix.run (loop 0 [] Common.isDeletion >>= (fun actions -> Lwt_util.join actions)); Transport.logFinish (); Trace.showTimer t; commitUpdates (); let failures = let count = Array.fold_left (fun l si -> l + (match si.whatHappened with Some(Util.Failed(_)) -> 1 | _ -> 0)) 0 !theState in if count = 0 then [] else [Printf.sprintf "%d failure%s" count (if count=1 then "" else "s")] in let partials = let count = Array.fold_left (fun l si -> l + match si.whatHappened with Some Util.Succeeded when partiallyProblematic si.ri && not (problematic si.ri) -> 1 | _ -> 0) 0 !theState in if count = 0 then [] else [Printf.sprintf "%d partially transferred" count] in let skipped = let count = Array.fold_left (fun l si -> l + (if problematic si.ri then 1 else 0)) 0 !theState in if count = 0 then [] else [Printf.sprintf "%d skipped" count] in Trace.status (Printf.sprintf "Synchronization complete %s" (String.concat ", " (failures @ partials @ skipped))); initGlobalProgress Uutil.Filesize.dummy; end;; external syncComplete : unit -> unit = "syncComplete";; (* Do this in another thread and return immedidately to free up main thread in cocoa *) let unisonSynchronize () = doInOtherThread (fun () -> do_unisonSynchronize (); syncComplete ()) ;; Callback.register "unisonSynchronize" unisonSynchronize;; let unisonIgnorePath pathString = Uicommon.addIgnorePattern (Uicommon.ignorePath (Path.fromString pathString));; let unisonIgnoreExt pathString = Uicommon.addIgnorePattern (Uicommon.ignoreExt (Path.fromString pathString));; let unisonIgnoreName pathString = Uicommon.addIgnorePattern (Uicommon.ignoreName (Path.fromString pathString));; Callback.register "unisonIgnorePath" unisonIgnorePath;; Callback.register "unisonIgnoreExt" unisonIgnoreExt;; Callback.register "unisonIgnoreName" unisonIgnoreName;; (* Update the state to take into account ignore patterns. Return the new index of the first state item that is not ignored starting at old index i. *) let unisonUpdateForIgnore i = let l = ref [] in let num = ref(-1) in let newI = ref None in (* FIX: we should actually test whether any prefix is now ignored *) let keep s = not (Globals.shouldIgnore s.ri.path1) in for j = 0 to (Array.length !theState - 1) do let s = !theState.(j) in if keep s then begin l := s :: !l; num := !num + 1; if (j>=i && !newI=None) then newI := Some !num end done; theState := Array.of_list (Safelist.rev !l); match !newI with None -> (Array.length !theState - 1) | Some i' -> i';; Callback.register "unisonUpdateForIgnore" unisonUpdateForIgnore;; let unisonState () = !theState;; Callback.register "unisonState" unisonState;; (* from Uicommon *) let roots2niceStrings length = function (Local,fspath1), (Local,fspath2) -> let name1, name2 = Fspath.differentSuffix fspath1 fspath2 in (Util.truncateString name1 length, Util.truncateString name2 length) | (Local,fspath1), (Remote host, fspath2) -> (Util.truncateString "local" length, Util.truncateString host length) | (Remote host, fspath1), (Local,fspath2) -> (Util.truncateString host length, Util.truncateString "local" length) | _ -> assert false (* BOGUS? *);; let unisonFirstRootString() = let replica1, replica2 = roots2niceStrings 32 (Globals.roots()) in Unicode.protect replica1;; let unisonSecondRootString() = let replica1, replica2 = roots2niceStrings 32 (Globals.roots()) in Unicode.protect replica2;; Callback.register "unisonFirstRootString" unisonFirstRootString;; Callback.register "unisonSecondRootString" unisonSecondRootString;; (* Note, this returns whether the files conflict, NOT whether the current setting is Conflict *) let unisonRiIsConflict ri = match ri.ri.replicas with | Different {default_direction = Conflict} -> true | _ -> false;; Callback.register "unisonRiIsConflict" unisonRiIsConflict;; (* Test whether reconItem's current state is different from Unison's recommendation. Used to colour arrows in the reconItems table *) let changedFromDefault ri = match ri.ri.replicas with Different diff -> diff.direction <> diff.default_direction | _ -> false;; Callback.register "changedFromDefault" changedFromDefault;; let unisonRiRevert ri = match ri.ri.replicas with | Different diff -> diff.direction <- diff.default_direction | _ -> ();; Callback.register "unisonRiRevert" unisonRiRevert;; let unisonProfileInit (profileName:string) (r1:string) (r2:string) = Prefs.resetToDefaults(); Prefs.profileName := Some(profileName); Prefs.addComment "Unison preferences file"; (* Creates the file, assumes it doesn't exist *) ignore (Prefs.add "root" r1); ignore (Prefs.add "root" r2);; Callback.register "unisonProfileInit" unisonProfileInit;; Callback.register "unisonPasswordMsg" Terminal.password;; Callback.register "unisonPassphraseMsg" Terminal.passphrase;; Callback.register "unisonAuthenticityMsg" Terminal.authenticity;; let unisonExnInfo e = match e with Util.Fatal s -> Printf.sprintf "Fatal error: %s" s | Invalid_argument s -> Printf.sprintf "Invalid argument: %s" s | Unix.Unix_error(ue,s1,s2) -> Printf.sprintf "Unix error(%s,%s,%s)" (Unix.error_message ue) s1 s2 | _ -> Printexc.to_string e;; Callback.register "unisonExnInfo" (fun e -> Unicode.protect (unisonExnInfo e));; unison-2.40.102/transfer.ml0000644006131600613160000006702611361646373015600 0ustar bcpiercebcpierce(* Unison file synchronizer: src/transfer.ml *) (* Copyright 1999-2009, Benjamin C. Pierce This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . *) (* rsync compression algorithm To compress, we use a compression buffer with a size a lot greater than the size of a block, typically half a megabyte. This buffer is loaded with the file contents. Its valid part is represented by its limit 'length'. We scan the file contents by sliding a window with the size of a block over the compression buffer. This window is represented by its 'offset' and its size 'blockSize'. We transmit STRING tokens, containing the differences between the files, and BLOCK tokens, containing the number of a block from the old file found in the new one. The data not transmitted yet are pointed by 'toBeSent'. For each position of the window, we compute the checksum of the block it contains and try to find a matching entry in the hashed block information data. If there is a match, we compute the fingerprint of our block to match it with the candidates' fingerprints : - if there is a match, we've just hit, we can transmit the data not sent yet as a STRING token and emit a BLOCK token representing our match, then we slide the window one block ahead and try again; - in any other case, we've missed, we just slide the window one character ahead and try again. If the file size is greater than the compression buffer size, then we have to update the compression buffer when the window reaches its limit. We do so by sending any data not sent yet, then copying the end of the buffer at its beginning and filling it up with the file contents coming next. We now place our window at the beginning of the buffer and we continue the process. The compression is over when we reach the end of the file. We just have to send the data not sent yet together with the last characters that could not fill a block. *) let debug = Trace.debug "transfer" let debugV = Trace.debug "transfer+" let debugToken = Trace.debug "rsynctoken" let debugLog = Trace.debug "rsynclog" open Lwt type transfer_instruction = Bytearray.t * int * int type transmitter = transfer_instruction -> unit Lwt.t (*************************************************************************) (* BUFFERED DISK I/O *) (*************************************************************************) let reallyRead infd buffer pos length = let rec read pos length = let n = input infd buffer pos length in if n = length || n = 0 then pos + n else read (pos + n) (length - n) in read pos length - pos let rec reallyWrite outfd buffer pos length = output outfd buffer pos length (*************************************************************************) (* TOKEN QUEUE *) (*************************************************************************) (* There are two goals: 1) to merge consecutive compatible tokens (catenating STRING tokens and combining BLOCK tokens when the referenced blocks are consecutive) 2) to delay the transmission of the tokens across the network until their total size is greater than a limit, not to make a costly RPC for each token (therefore, the rsync module uses memory up to (2 * comprBufSize + tokenQueueLimit) bytes at a time) *) type token = | STRING of string * int * int | BLOCK of int | EOF (* Size of a block *) let minBlockSize = 700 (* This should at most 65535+3 bytes, as we are using this size to ensure that string token lengths will fit in 2 bytes. *) let queueSize = 65500 let queueSizeFS = Uutil.Filesize.ofInt queueSize type tokenQueue = { mutable data : Bytearray.t; (* the queued tokens *) mutable previous : [`Str of int | `Block of int | `None]; (* some informations about the previous token *) mutable pos : int; (* head of the queue *) mutable prog : int; (* the size of the data they represent *) mutable bSize : int } (* block size *) let encodeInt3 s pos i = assert (i >= 0 && i < 256 * 256 * 256); s.{pos + 0} <- Char.chr ((i lsr 0) land 0xff); s.{pos + 1} <- Char.chr ((i lsr 8) land 0xff); s.{pos + 2} <- Char.chr ((i lsr 16) land 0xff) let decodeInt3 s pos = (Char.code s.{pos + 0} lsl 0) lor (Char.code s.{pos + 1} lsl 8) lor (Char.code s.{pos + 2} lsl 16) let encodeInt2 s pos i = assert (i >= 0 && i < 65536); s.{pos + 0} <- Char.chr ((i lsr 0) land 0xff); s.{pos + 1} <- Char.chr ((i lsr 8) land 0xff) let decodeInt2 s pos = (Char.code s.{pos + 0} lsl 0) lor (Char.code s.{pos + 1} lsl 8) let encodeInt1 s pos i = assert (i >= 0 && i < 256); s.{pos + 0} <- Char.chr i let decodeInt1 s pos = Char.code s.{pos + 0} (* Transmit the contents of the tokenQueue *) let flushQueue q showProgress transmit cond = if cond && q.pos > 0 then begin debugToken (fun() -> Util.msg "flushing the token queue\n"); transmit (q.data, 0, q.pos) >>= (fun () -> showProgress q.prog; q.pos <- 0; q.prog <- 0; q.previous <- `None; return ()) end else return () let pushEOF q showProgress transmit = flushQueue q showProgress transmit (q.pos + 1 > queueSize) >>= (fun () -> q.data.{q.pos} <- 'E'; q.pos <- q.pos + 1; q.previous <- `None; return ()) let rec pushString q id transmit s pos len = flushQueue q id transmit (q.pos + len + 3 > queueSize) >>= fun () -> let l = min len (queueSize - q.pos - 3) in q.data.{q.pos} <- 'S'; encodeInt2 q.data (q.pos + 1) l; Bytearray.blit_from_string s pos q.data (q.pos + 3) l; q.pos <- q.pos + l + 3; q.prog <- q.prog + l; q.previous <- `Str l; if l < len then pushString q id transmit s (pos + l) (len - l) else return () let growString q id transmit len' s pos len = let l = min (queueSize - q.pos) len in Bytearray.blit_from_string s pos q.data q.pos l; assert (q.data.{q.pos - len' - 3} = 'S'); assert (decodeInt2 q.data (q.pos - len' - 2) = len'); let len'' = len' + l in encodeInt2 q.data (q.pos - len' - 2) len''; q.pos <- q.pos + l; q.prog <- q.prog + l; q.previous <- `Str len''; if l < len then pushString q id transmit s (pos + l) (len - l) else return () let pushBlock q id transmit pos = flushQueue q id transmit (q.pos + 5 > queueSize) >>= (fun () -> q.data.{q.pos} <- 'B'; encodeInt3 q.data (q.pos + 1) pos; encodeInt1 q.data (q.pos + 4) 1; q.pos <- q.pos + 5; q.prog <- q.prog + q.bSize; q.previous <- `Block (pos + 1); return ()) let growBlock q id transmit pos = let count = decodeInt1 q.data (q.pos - 1) in assert (q.data.{q.pos - 5} = 'B'); assert (decodeInt3 q.data (q.pos - 4) + count = pos); assert (count < 255); encodeInt1 q.data (q.pos - 1) (count + 1); q.prog <- q.prog + q.bSize; q.previous <- if count = 254 then `None else `Block (pos + 1); return () (* Queue a new token, possibly merging it with a previous compatible token and flushing the queue if its size becomes greater than the limit *) let queueToken q id transmit token = match token, q.previous with EOF, _ -> pushEOF q id transmit | STRING (s, pos, len), `Str len' -> growString q id transmit len' s pos len | STRING (s, pos, len), _ -> pushString q id transmit s pos len | BLOCK pos, `Block pos' when pos = pos' -> growBlock q id transmit pos | BLOCK pos, _ -> pushBlock q id transmit pos let makeQueue blockSize = { data = (* We need to make sure here that the size of the queue is not larger than 65538 (1 byte: header, 2 bytes: string size, 65535 bytes: string) *) Bytearray.create queueSize; pos = 0; previous = `None; prog = 0; bSize = blockSize } (*************************************************************************) (* GENERIC TRANSMISSION *) (*************************************************************************) let debug = Trace.debug "generic" (* Slice the file into STRING tokens that are transmitted incrementally *) let send infd length showProgress transmit = debug (fun() -> Util.msg "sending file\n"); let timer = Trace.startTimer "Sending file using generic transmission" in let bufSz = 8192 in let bufSzFS = Uutil.Filesize.ofInt 8192 in let buf = String.create bufSz in let q = makeQueue 0 in let rec sendSlice length = let count = reallyRead infd buf 0 (if length > bufSzFS then bufSz else Uutil.Filesize.toInt length) in queueToken q showProgress transmit (STRING (buf, 0, count)) >>= (fun () -> let length = Uutil.Filesize.sub length (Uutil.Filesize.ofInt count) in if count = bufSz && length > Uutil.Filesize.zero then sendSlice length else return ()) in sendSlice length >>= (fun () -> queueToken q showProgress transmit EOF >>= (fun () -> flushQueue q showProgress transmit true >>= (fun () -> Trace.showTimer timer; return ()))) let rec receiveRec outfd showProgress data pos maxPos = if pos = maxPos then false else match data.{pos} with 'S' -> let length = decodeInt2 data (pos + 1) in if Trace.enabled "generic" then debug (fun() -> Util.msg "receiving %d bytes\n" length); reallyWrite outfd (Bytearray.sub data (pos + 3) length) 0 length; showProgress length; receiveRec outfd showProgress data (pos + length + 3) maxPos | 'E' -> true | _ -> assert false let receive outfd showProgress (data, pos, len) = receiveRec outfd showProgress data pos (pos + len) (*************************************************************************) (* RSYNC TRANSMISSION *) (*************************************************************************) module Rsync = struct (* Debug messages *) let debug = Trace.debug "rsync" (**************************** DESTINATION HOST ***************************) (* It is impossible to use rsync when the file size is smaller than the size of a block *) let minBlockSizeFs = Uutil.Filesize.ofInt minBlockSize let aboveRsyncThreshold sz = sz > minBlockSizeFs (* The type of the info that will be sent to the source host *) type rsync_block_info = { blockSize : int; blockCount : int; checksumSize : int; weakChecksum : (int32, Bigarray.int32_elt, Bigarray.c_layout) Bigarray.Array1.t; strongChecksum : Bytearray.t } (*** PREPROCESS ***) (* Worst case probability of a failure *) let logProba = -27. (* One time in 100 millions *) (* Strength of the weak checksum (how many bit of the weak checksum we can rely on) *) let weakLen = 27. (* This is what rsync uses: let logProba = -10. let weakLen = 31. This would save almost 3 bytes per block, but one need to be able to recover from an rsync error. (We would have to take into account that our weak checksum is only 31 bits.) *) (* Block size *) let computeBlockSize l = truncate (max 700. (min (sqrt l) 131072.)) (* Size of each strong checksum *) let checksumSize bs sl dl = let bits = -. logProba -. weakLen +. log (sl *. dl /. float bs) /. log 2. in max 2 (min 16 (truncate ((bits +. 7.99) /. 8.))) let sizes srcLength dstLength = let blockSize = computeBlockSize (Uutil.Filesize.toFloat dstLength) in let blockCount = let count = Int64.div (Uutil.Filesize.toInt64 dstLength) (Int64.of_int blockSize) in Int64.to_int (min 16777216L count) in let csSize = checksumSize blockSize (Uutil.Filesize.toFloat srcLength)(Uutil.Filesize.toFloat dstLength) in (blockSize, blockCount, csSize) (* Incrementally build arg by executing f on successive blocks (of size 'blockSize') of the input stream (pointed by 'infd'). The procedure uses a buffer of size 'bufferSize' to load the input, and eventually handles the buffer update. *) let blockIter infd f blockSize maxCount = let bufferSize = 8192 + blockSize in let buffer = String.create bufferSize in let rec iter count offset length = if count = maxCount then count else begin let newOffset = offset + blockSize in if newOffset <= length then begin f count buffer offset; iter (count + 1) newOffset length end else if offset > 0 then begin let chunkSize = length - offset in String.blit buffer offset buffer 0 chunkSize; iter count 0 chunkSize end else begin let l = input infd buffer length (bufferSize - length) in if l = 0 then count else iter count 0 (length + l) end end in iter 0 0 0 (* Given a block size, get blocks from the old file and compute a checksum and a fingerprint for each one. *) let rsyncPreprocess infd srcLength dstLength = debug (fun() -> Util.msg "preprocessing\n"); let (blockSize, blockCount, csSize) = sizes srcLength dstLength in debugLog (fun() -> Util.msg "block size = %d bytes; block count = %d; \ strong checksum size = %d\n" blockSize blockCount csSize); let timer = Trace.startTimer "Preprocessing old file" in let weakCs = Bigarray.Array1.create Bigarray.int32 Bigarray.c_layout blockCount in let strongCs = Bytearray.create (blockCount * csSize) in let addBlock i buf offset = weakCs.{i} <- Int32.of_int (Checksum.substring buf offset blockSize); Bytearray.blit_from_string (Digest.substring buf offset blockSize) 0 strongCs (i * csSize) csSize in (* Make sure we are at the beginning of the file (important for AppleDouble files *) LargeFile.seek_in infd 0L; let count = (* Limit the number of blocks so that there is no overflow in encodeInt3 *) blockIter infd addBlock blockSize (min blockCount (256*256*256)) in debugLog (fun() -> Util.msg "%d blocks\n" count); Trace.showTimer timer; ({ blockSize = blockSize; blockCount = count; checksumSize = csSize; weakChecksum = weakCs; strongChecksum = strongCs }, blockSize) (* Expected size of the [rsync_block_info] datastructure (in KiB). *) let memoryFootprint srcLength dstLength = let (blockSize, blockCount, csSize) = sizes srcLength dstLength in blockCount * (csSize + 4) (*** DECOMPRESSION ***) (* Decompression buffer size *) let decomprBufSize = 8192 (* For each transfer instruction, either output a string or copy one or several blocks from the old file. *) let rsyncDecompress blockSize infd outfd showProgress (data, pos, len) = let decomprBuf = String.create decomprBufSize in let progress = ref 0 in let rec copy length = if length > decomprBufSize then begin let _ = reallyRead infd decomprBuf 0 decomprBufSize in reallyWrite outfd decomprBuf 0 decomprBufSize; copy (length - decomprBufSize) end else let _ = reallyRead infd decomprBuf 0 length in reallyWrite outfd decomprBuf 0 length in let copyBlocks n k = LargeFile.seek_in infd (Int64.mul n (Int64.of_int blockSize)); let length = k * blockSize in copy length; progress := !progress + length in let maxPos = pos + len in let rec decode pos = if pos = maxPos then false else match data.{pos} with 'S' -> let length = decodeInt2 data (pos + 1) in if Trace.enabled "rsynctoken" then debugToken (fun() -> Util.msg "decompressing string (%d bytes)\n" length); reallyWrite outfd (Bytearray.sub data (pos + 3) length) 0 length; progress := !progress + length; decode (pos + length + 3) | 'B' -> let n = decodeInt3 data (pos + 1) in let k = decodeInt1 data (pos + 4) in if Trace.enabled "rsynctoken" then debugToken (fun() -> Util.msg "decompressing %d block(s) (sequence %d->%d)\n" k n (n + k - 1)); copyBlocks (Int64.of_int n) k; decode (pos + 5) | 'E' -> true | _ -> assert false in let finished = decode pos in showProgress !progress; finished (***************************** SOURCE HOST *******************************) (*** CUSTOM HASH TABLE ***) (* Half the maximum number of entries in the hash table. MUST be a power of 2 ! Typical values are around an average 2 * fileSize / blockSize. *) let hashTableMaxLength = 1024 * 1024 let rec upperPowerOfTwo n n2 = if (n2 >= n) || (n2 = hashTableMaxLength) then n2 else upperPowerOfTwo n (2 * n2) let hash checksum = checksum (* Compute the hash table length as a function of the number of blocks *) let computeHashTableLength signatures = 2 * (upperPowerOfTwo signatures.blockCount 32) (* Hash the block signatures into the hash table *) let hashSig hashTableLength signatures = let hashTable = Array.make hashTableLength [] in for k = 0 to signatures.blockCount - 1 do let cs = Int32.to_int signatures.weakChecksum.{k} land 0x7fffffff in let h = (hash cs) land (hashTableLength - 1) in hashTable.(h) <- (k, cs) :: hashTable.(h) done; hashTable (* Given a key, retrieve the corresponding entry in the table *) let findEntry hashTable hashTableLength checksum : (int * Checksum.t) list = Array.unsafe_get hashTable ((hash checksum) land (hashTableLength - 1)) let sigFilter hashTableLength signatures = let len = hashTableLength lsl 2 in let filter = String.make len '\000' in for k = 0 to signatures.blockCount - 1 do let cs = Int32.to_int signatures.weakChecksum.{k} land 0x7fffffff in let h1 = cs lsr 28 in assert (h1 >= 0 && h1 < 8); let h2 = (cs lsr 5) land (len - 1) in let mask = 1 lsl h1 in filter.[h2] <- Char.chr (Char.code filter.[h2] lor mask) done; filter let filterMem filter hashTableLength checksum = let len = hashTableLength lsl 2 in let h2 = (checksum lsr 5) land (len - 1) in let h1 = checksum lsr 28 in let mask = 1 lsl h1 in Char.code (String.unsafe_get filter h2) land mask <> 0 (* Log the values of the parameters associated with the hash table *) let logHash hashTable hashTableLength = let rec probe empty collision i = if i = hashTableLength then (empty, collision) else begin let length = Safelist.length hashTable.(i) in let next = if length = 0 then probe (empty + 1) collision else if length > 1 then probe empty (collision + 1) else probe empty collision in next (i + 1) end in let (empty, collision) = probe 0 0 0 in debugLog (fun() -> Util.msg "%d hash table entries\n" hashTableLength); debugLog (fun() -> Util.msg "%d empty, %d used, %d collided\n" empty (hashTableLength - empty) collision) (*** MEASURES ***) type probes = { mutable hitHit : int; mutable hitMiss : int; mutable missMiss : int; mutable nbBlock : int; mutable nbString : int; mutable stringSize : int } let logMeasures pb = debugLog (fun() -> Util.msg "hit-hit = %d, hit-miss = %d, miss-miss = %d, hit rate = %d%%\n" pb.hitHit pb.hitMiss pb.missMiss (if pb.hitHit <> 0 then pb.hitHit * 100 / (pb.hitHit + pb.hitMiss) else 0)) (* debugLog (fun() -> Util.msg "%d strings (%d bytes), %d blocks\n" pb.nbString pb.stringSize pb.nbBlock); let generic = pb.stringSize + pb.nbBlock * blockSize in debugLog (fun() -> Util.msg "file size = %d bytes\n" generic); debug (fun() -> Util.msg "compression rate = %d%%\n" ((pb.stringSize * 100) / generic)) *) (*** COMPRESSION ***) (* Compression buffer size *) (* MUST be >= 2 * blockSize *) let minComprBufSize = 8192 type compressorState = { (* Rolling checksum data *) mutable checksum : int; mutable cksumOutgoing : char; (* Buffering *) mutable offset : int; mutable toBeSent : int; mutable length : int; (* Position in file *) mutable absolutePos : Uutil.Filesize.t } (* Compress the file using the algorithm described in the header *) let rsyncCompress sigs infd srcLength showProgress transmit = debug (fun() -> Util.msg "compressing\n"); let blockSize = sigs.blockSize in let comprBufSize = (2 * blockSize + 8191) land (-8192) in let comprBufSizeFS = Uutil.Filesize.ofInt comprBufSize in debugLog (fun() -> Util.msg "compression buffer size = %d bytes\n" comprBufSize); debugLog (fun() -> Util.msg "block size = %d bytes\n" blockSize); assert (comprBufSize >= 2 * blockSize); let timer = Trace.startTimer "Compressing the new file" in (* Measures *) let pb = { hitHit = 0; hitMiss = 0; missMiss = 0; nbBlock = 0; nbString = 0; stringSize = 0 } in (* let transmit tokenList = Safelist.iter (fun token -> match token with | STRING s -> let length = String.length s in if Trace.enabled "rsynctoken" then debugToken (fun() -> Util.msg "transmitting string (%d bytes)\n" length); pb.nbString <- pb.nbString + 1; pb.stringSize <- pb.stringSize + length | BLOCK n -> if Trace.enabled "rsynctoken" then debugToken (fun() -> Util.msg "transmitting %d block(s) (sequence %d->%d)\n" 1 n (n)); pb.nbBlock <- pb.nbBlock + k) tokenList; transmit tokenList in *) (* Enable token buffering *) let tokenQueue = makeQueue blockSize in let flushTokenQueue () = flushQueue tokenQueue showProgress transmit true in let transmit token = queueToken tokenQueue showProgress transmit token in (* Set up the hash table for fast checksum look-up *) let hashTableLength = computeHashTableLength sigs in let blockTable = hashSig hashTableLength sigs in logHash blockTable hashTableLength; let filter = sigFilter hashTableLength sigs in let rec fingerprintMatchRec checksums pos fp i = let i = i - 1 in i < 0 || (String.unsafe_get fp i = checksums.{pos + i} && fingerprintMatchRec checksums pos fp i) in let fingerprintMatch k fp = fingerprintMatchRec sigs.strongChecksum (k * sigs.checksumSize) fp sigs.checksumSize in (* Create the compression buffer *) let comprBuf = String.create comprBufSize in (* If there is data waiting to be sent, transmit it as a STRING token *) let transmitString toBeSent offset = if offset > toBeSent then transmit (STRING (comprBuf, toBeSent, offset - toBeSent)) else return () in (* Set up the rolling checksum data *) let cksumTable = Checksum.init blockSize in let initialState = { checksum = 0; cksumOutgoing = ' '; offset = comprBufSize; toBeSent = comprBufSize; length = comprBufSize; absolutePos = Uutil.Filesize.zero } in (* Check the new window position and update the compression buffer if its end has been reached *) let rec slideWindow st miss : unit Lwt.t = if st.offset + blockSize <= st.length then computeChecksum st miss else if st.length = comprBufSize then begin transmitString st.toBeSent st.offset >>= (fun () -> let chunkSize = st.length - st.offset in if chunkSize > 0 then begin assert(comprBufSize >= blockSize); String.blit comprBuf st.offset comprBuf 0 chunkSize end; let rem = Uutil.Filesize.sub srcLength st.absolutePos in let avail = comprBufSize - chunkSize in let l = reallyRead infd comprBuf chunkSize (if rem > comprBufSizeFS then avail else min (Uutil.Filesize.toInt rem) avail) in st.absolutePos <- Uutil.Filesize.add st.absolutePos (Uutil.Filesize.ofInt l); st.offset <- 0; st.toBeSent <- 0; st.length <- chunkSize + l; debugToken (fun() -> Util.msg "updating the compression buffer\n"); debugToken (fun() -> Util.msg "new length = %d bytes\n" st.length); slideWindow st miss) end else transmitString st.toBeSent st.length >>= (fun () -> transmit EOF) (* Compute the window contents checksum, in a rolling fashion if there was a miss *) and computeChecksum st miss = if miss then rollChecksum st else begin let cksum = Checksum.substring comprBuf st.offset blockSize in st.checksum <- cksum; st.cksumOutgoing <- String.unsafe_get comprBuf st.offset; processBlock st end and rollChecksum st = let ingoingChar = String.unsafe_get comprBuf (st.offset + blockSize - 1) in let cksum = Checksum.roll cksumTable st.checksum st.cksumOutgoing ingoingChar in st.checksum <- cksum; st.cksumOutgoing <- String.unsafe_get comprBuf st.offset; if filterMem filter hashTableLength cksum then processBlock st else miss st (* Try to match the current block with one existing in the old file *) and processBlock st = let checksum = st.checksum in match findEntry blockTable hashTableLength checksum with | [] -> pb.missMiss <- pb.missMiss + 1; miss st | entry -> let blockNum = findBlock st checksum entry None in if blockNum = -1 then begin pb.hitMiss <- pb.hitMiss + 1; miss st end else begin pb.hitHit <- pb.hitHit + 1; hit st blockNum end (* In the hash table entry, find nodes with the right checksum and match fingerprints *) and findBlock st checksum entry fingerprint = match entry, fingerprint with | [], _ -> -1 | (k, cs) :: tl, None when cs = checksum -> let fingerprint = Digest.substring comprBuf st.offset blockSize in findBlock st checksum entry (Some fingerprint) | (k, cs) :: tl, Some fingerprint when cs = checksum && fingerprintMatch k fingerprint -> k | _ :: tl, _ -> findBlock st checksum tl fingerprint (* Miss : slide the window one character ahead *) and miss st = st.offset <- st.offset + 1; if st.offset + blockSize <= st.length then rollChecksum st else slideWindow st true (* Hit : send the data waiting and a BLOCK token, then slide the window one block ahead *) and hit st blockNum = transmitString st.toBeSent st.offset >>= (fun () -> let sent = st.offset in st.toBeSent <- sent + blockSize; transmit (BLOCK blockNum) >>= (fun () -> st.offset <- st.offset + blockSize; slideWindow st false)) in (* Initialization and termination *) slideWindow initialState false >>= (fun () -> flushTokenQueue () >>= (fun () -> logMeasures pb; Trace.showTimer timer; return ())) end unison-2.40.102/terminal.mli0000644006131600613160000000147111361646373015730 0ustar bcpiercebcpierce(* Like Unix.create_process except that we also try to set up a controlling terminal for the new process. If successful, a file descriptor for the master end of the controlling terminal is returned. *) val create_session : string -> string array -> Unix.file_descr -> Unix.file_descr -> Unix.file_descr -> Lwt_unix.file_descr option * int (* termInput fdTerm fdInput Wait until there is input on at least one file descriptor. If there is terminal input s, return Some s. Otherwise, return None. *) val termInput : Lwt_unix.file_descr -> Lwt_unix.file_descr -> string option val handlePasswordRequests : Lwt_unix.file_descr -> (string -> string) -> unit (* For recognizing messages from OpenSSH *) val password : string -> bool val passphrase : string -> bool val authenticity : string -> bool unison-2.40.102/case.mli0000644006131600613160000000273211361646373015031 0ustar bcpiercebcpierce(* Unison file synchronizer: src/case.mli *) (* Copyright 1999-2009, Benjamin C. Pierce (see COPYING for details) *) val caseInsensitiveMode : [`True|`False|`Default] Prefs.t val unicodeEncoding : bool Prefs.t val useUnicodeAPI : unit -> bool type mode = Sensitive | Insensitive | UnicodeSensitive | UnicodeInsensitive val ops : unit -> < mode : mode; modeDesc : string; (* Current mode *) compare : string -> string -> int; (* Comparison function *) hash : string -> int; (* Hash function compatible with the comparison function *) normalizePattern : string -> string; (* Normalize a pattern *) caseInsensitiveMatch : bool; (* Whether pattern matching should be done in a case insensitive way *) normalizeMatchedString : string -> string; (* Put the string in some form suitable for pattern matching *) normalizeFilename : string -> string; (* Convert a filename into its preferred form (NFC for Unicode). *) badEncoding : string -> bool > (* Test whether the string uses the correct encoding *) val init : bool -> bool -> unit val caseSensitiveModeDesc : string unison-2.40.102/system.ml0000644006131600613160000000140611361646373015266 0ustar bcpiercebcpierce(* Unison file synchronizer: src/system.ml *) (* Copyright 1999-2009, Benjamin C. Pierce This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . *) include System_impl.System unison-2.40.102/unison.hgr0000644006131600613160000000057711361646373015435 0ustar bcpiercebcpierce# Hungarian convention for the unison project # The convention applies to a bunch of types in the module Common ui.* : Common.updateItem ui.* : updateItem uc.* : Common.updateContent uc.* : updateContent rc.* : Common.replicaContent rc.* : replicaContent rplc.* : Common.replicas rplc.* : replicas ri.* : Common.reconItem ri.* : reconItem <> : Prop.t # The end unison-2.40.102/globals.ml0000644006131600613160000002755111361646373015376 0ustar bcpiercebcpierce(* Unison file synchronizer: src/globals.ml *) (* Copyright 1999-2009, Benjamin C. Pierce This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . *) open Common let debug = Trace.debug "globals" (*****************************************************************************) (* ROOTS and PATHS *) (*****************************************************************************) let rawroots = Prefs.createStringList "root" "root of a replica (should be used exactly twice)" ("Each use of this preference names the root of one of the replicas " ^ "for Unison to synchronize. Exactly two roots are needed, so normal " ^ "modes of usage are either to give two values for \\verb|root| in the " ^ "profile, or to give no values in the profile and provide two " ^ "on the command line. " ^ "Details of the syntax of roots can be found in " ^ "\\sectionref{roots}{Roots}.\n\n" ^ "The two roots can be given in either order; Unison will sort them " ^ "into a canonical order before doing anything else. It also tries to " ^ "`canonize' the machine names and paths that appear in the roots, so " ^ "that, if Unison is invoked later with a slightly different name " ^ "for the same root, it will be able to locate the correct archives.") let setRawRoots l = Prefs.set rawroots (Safelist.rev l) let rawRoots () = Safelist.rev (Prefs.read rawroots) let rawRootPair () = match rawRoots () with [r1; r2] -> (r1, r2) | _ -> assert false let theroots = ref [] open Lwt let installRoots termInteract = let roots = rawRoots () in if Safelist.length roots <> 2 then raise (Util.Fatal (Printf.sprintf "Wrong number of roots: 2 expected, but %d provided (%s)\n(Maybe you specified roots both on the command line and in the profile?)" (Safelist.length roots) (String.concat ", " roots) )); Safelist.fold_right (fun r cont -> Remote.canonizeRoot r (Clroot.parseRoot r) termInteract >>= (fun r' -> cont >>= (fun l -> return (r' :: l)))) roots (return []) >>= (fun roots' -> theroots := roots'; return ()) (* Alternate interface, should replace old interface eventually *) let installRoots2 () = debug (fun () -> Util.msg "Installing roots..."); let roots = rawRoots () in theroots := Safelist.map Remote.canonize ((Safelist.map Clroot.parseRoot) roots); theroots := !theroots let roots () = match !theroots with [root1;root2] -> (root1,root2) | _ -> assert false let rootsList() = !theroots let rootsInCanonicalOrder() = Common.sortRoots (!theroots) let localRoot () = List.hd (rootsInCanonicalOrder ()) let reorderCanonicalListToUsersOrder l = if rootsList() = rootsInCanonicalOrder() then l else Safelist.rev l let rec nice_rec i : unit Lwt.t = if i <= 0 then Lwt.return () else Lwt_unix.yield() >>= (fun () -> nice_rec (i - 1)) (* [nice r] yields 5 times on local roots [r] to give processes corresponding to remote roots a chance to run *) let nice r = if List.exists (fun r -> fst r <> Local) (rootsList ()) && fst r = Local then nice_rec 5 else Lwt.return () let allRootsIter f = Lwt_util.iter (fun r -> nice r >>= (fun () -> f r)) (rootsInCanonicalOrder ()) let allRootsIter2 f l = let l = Safelist.combine (rootsList ()) l in Lwt_util.iter (fun (r, v) -> nice r >>= (fun () -> f r v)) (Safelist.sort (fun (r, _) (r', _) -> Common.compareRoots r r') l) let allRootsMap f = Lwt_util.map (fun r -> nice r >>= (fun () -> f r >>= (fun v -> return (r, v)))) (rootsInCanonicalOrder ()) >>= (fun l -> return (Safelist.map snd (reorderCanonicalListToUsersOrder l))) let allRootsMapWithWaitingAction f wa = Lwt_util.map_with_waiting_action (fun r -> nice r >>= (fun () -> f r >>= (fun v -> return (r, v)))) (fun r -> wa r) (rootsInCanonicalOrder ()) >>= (fun l -> return (Safelist.map snd (reorderCanonicalListToUsersOrder l))) let replicaHostnames () = Safelist.map (function (Local, _) -> "" | (Remote h,_) -> h) (rootsList()) let allHostsIter f = let rec iter l = match l with [] -> return () | root :: rem -> f root >>= (fun () -> iter rem) in iter (replicaHostnames ()) let allHostsMap f = Safelist.map f (replicaHostnames()) let paths = Prefs.create "path" [] "path to synchronize" ("When no \\verb|path| preference is given, Unison will simply synchronize " ^ "the two entire replicas, beginning from the given pair of roots. " ^ "If one or more \\verb|path| preferences are given, then Unison will " ^ "synchronize only these paths and their children. (This is useful " ^ "for doing a fast sync of just one directory, for example.) " ^ "Note that {\\tt path} preferences are intepreted literally---they " ^ "are not regular expressions.") (fun oldpaths string -> Safelist.append oldpaths [Path.fromString string]) (fun l -> Safelist.map Path.toString l) (* FIX: this does weird things in case-insensitive mode... *) let globPath lr p = let p = Path.forceLocal p in debug (fun() -> Util.msg "Checking path '%s' for expansions\n" (Path.toDebugString p) ); match Path.deconstructRev p with Some(n,parent) when (Name.toString n = "*") -> begin debug (fun() -> Util.msg "Expanding path %s\n" (Path.toString p)); match lr with None -> raise (Util.Fatal (Printf.sprintf "Path %s ends with *, %s" (Path.toString p) "but first root (after canonizing) is non-local")) | Some lrfspath -> Safelist.map (fun c -> Path.makeGlobal (Path.child parent c)) (Os.childrenOf lrfspath parent) end | _ -> [Path.makeGlobal p] let expandWildcardPaths() = let lr = match rootsInCanonicalOrder() with [(Local, fspath); _] -> Some fspath | _ -> None in Prefs.set paths (Safelist.flatten_map (globPath lr) (Prefs.read paths)) (*****************************************************************************) (* PROPAGATION OF PREFERENCES *) (*****************************************************************************) let propagatePrefsTo = Remote.registerHostCmd "installPrefs" (fun prefs -> return (Prefs.load prefs)) let propagatePrefs () = let prefs = Prefs.dump() in let toHost root = match root with (Local, _) -> return () | (Remote host,_) -> propagatePrefsTo host prefs in allRootsIter toHost (*****************************************************************************) (* PREFERENCES AND PREDICATES *) (*****************************************************************************) let batch = Prefs.createBool "batch" false "batch mode: ask no questions at all" ("When this is set to {\\tt true}, the user " ^ "interface will ask no questions at all. Non-conflicting changes " ^ "will be propagated; conflicts will be skipped.") let confirmBigDeletes = Prefs.createBool "confirmbigdel" true "!ask about whole-replica (or path) deletes" ("When this is set to {\\tt true}, Unison will request an extra confirmation if it appears " ^ "that the entire replica has been deleted, before propagating the change. If the {\\tt batch} " ^ "flag is also set, synchronization will be aborted. When the {\\tt path} preference is used, " ^ "the same confirmation will be requested for top-level paths. (At the moment, this flag only " ^ "affects the text user interface.) See also the {\\tt mountpoint} preference.") let () = Prefs.alias confirmBigDeletes "confirmbigdeletes" let ignorePred = Pred.create "ignore" ("Including the preference \\texttt{-ignore \\ARG{pathspec}} causes Unison to " ^ "completely ignore paths that match \\ARG{pathspec} (as well as their " ^ "children). This is useful for avoiding synchronizing temporary " ^ "files, object files, etc. The syntax of \\ARG{pathspec} is " ^ "described in \\sectionref{pathspec}{Path Specification}, and further " ^ "details on ignoring paths is found in" ^ " \\sectionref{ignore}{Ignoring Paths}.") let ignorenotPred = Pred.create "ignorenot" ("This preference overrides the preference \\texttt{ignore}. It gives a list of patterns (in the same format as \\verb|ignore|) for paths that should definitely {\\em not} be ignored, whether or not they happen to match one of the \\verb|ignore| patterns. \\par Note that the semantics of {\\tt ignore} and {\\tt ignorenot} is a little counter-intuitive. When detecting updates, Unison examines paths in depth-first order, starting from the roots of the replicas and working downwards. Before examining each path, it checks whether it matches {\\tt ignore} and does not match {\\tt ignorenot}; in this case it skips this path {\\em and all its descendants}. This means that, if some parent of a given path matches an {\\tt ignore} pattern, then it will be skipped even if the path itself matches an {\\tt ignorenot} pattern. In particular, putting {\\tt ignore = Path *} in your profile and then using {\\tt ignorenot} to select particular paths to be synchronized will not work. Instead, you should use the {\\tt path} preference to choose particular paths to synchronize.") let shouldIgnore p = let p = Path.toString p in (Pred.test ignorePred p) && not (Pred.test ignorenotPred p) let addRegexpToIgnore re = let oldRE = Pred.extern ignorePred in let newRE = re::oldRE in Pred.intern ignorePred newRE let merge = Pred.create "merge" ~advanced:true ("This preference can be used to run a merge program which will create " ^ "a new version for each of the files and the backup, " ^ "with the last backup and the both replicas. Setting the {\\tt merge} " ^ "preference for a path will also cause this path to be backed up, " ^ "just like {\tt backup}. " ^ "The syntax of \\ARG{pathspec>cmd} is " ^ "described in \\sectionref{pathspec}{Path Specification}, and further " ^ "details on Merging functions are present in " ^ "\\sectionref{merge}{Merging files}.") let shouldMerge p = Pred.test merge (Path.toString p) let mergeCmdForPath p = Pred.assoc merge (Path.toString p) let someHostIsRunningWindows = Prefs.createBool "someHostIsRunningWindows" false "*" "" let allHostsAreRunningWindows = Prefs.createBool "allHostsAreRunningWindows" false "*" "" let fatFilesystem = Prefs.createBool "fat" ~local:true false "use appropriate options for FAT filesystems" ("When this is set to {\\tt true}, Unison will use appropriate options \ to synchronize efficiently and without error a replica located on a \ FAT filesystem on a non-Windows machine: \ do not synchronize permissions ({\\tt perms = 0}); \ never use chmod ({\tt dontchmod = true}); \ treat filenames as case insensitive ({\\tt ignorecase = true}); \ do not attempt to synchronize symbolic links ({\\tt links = false}); \ ignore inode number changes when detecting updates \ ({\\tt ignoreinodenumbers = true}). \ Any of these change can be overridden by explicitely setting \ the corresponding preference in the profile.") unison-2.40.102/sortri.ml0000644006131600613160000001163311361646373015267 0ustar bcpiercebcpierce(* Unison file synchronizer: src/sortri.ml *) (* Copyright 1999-2009, Benjamin C. Pierce This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . *) open Common let dbgsort = Util.debug "sort" (* Preferences *) let bysize = Prefs.createBool "sortbysize" false "!list changed files by size, not name" ("When this flag is set, the user interface will list changed files " ^ "by size (smallest first) rather than by name. This is useful, for " ^ "example, for synchronizing over slow links, since it puts very " ^ "large files at the end of the list where they will not prevent " ^ "smaller files from being transferred quickly.\n\n" ^ "This preference (as well as the other sorting flags, but not the " ^ "sorting preferences that require patterns as arguments) can be " ^ "set interactively and temporarily using the 'Sort' menu in the " ^ "graphical user interface.") let newfirst = Prefs.createBool "sortnewfirst" false "!list new before changed files" ("When this flag is set, the user interface will list newly created " ^ "files before all others. This is useful, for example, for checking " ^ "that newly created files are not `junk', i.e., ones that should be " ^ "ignored or deleted rather than synchronized.") let sortfirst = Pred.create "sortfirst" ~advanced:true ("Each argument to \\texttt{sortfirst} is a pattern \\ARG{pathspec}, " ^ "which describes a set of paths. " ^ "Files matching any of these patterns will be listed first in the " ^ "user interface. " ^ "The syntax of \\ARG{pathspec} is " ^ "described in \\sectionref{pathspec}{Path Specification}.") let sortlast = Pred.create "sortlast" ~advanced:true ("Similar to \\verb|sortfirst|, except that files matching one of these " ^ "patterns will be listed at the very end.") type savedPrefs = {nf:bool; bs:bool; sf:string list; sl:string list} let savedPrefs = ref(None) let saveSortingPrefs () = if !savedPrefs = None then savedPrefs := Some { sf = Pred.extern sortfirst; sl = Pred.extern sortlast; bs = Prefs.read bysize; nf = Prefs.read newfirst } let restoreDefaultSettings () = match !savedPrefs with None -> () | Some {nf=nf; bs=bs; sf=sf; sl=sl} -> Prefs.set newfirst nf; Prefs.set bysize bs; Pred.intern sortfirst sf; Pred.intern sortlast sl let zeroSortingPrefs () = Prefs.set newfirst false; Prefs.set bysize false; Pred.intern sortfirst []; Pred.intern sortlast [] (* ------------------- *) let sortByName () = saveSortingPrefs(); zeroSortingPrefs() let sortBySize () = saveSortingPrefs(); zeroSortingPrefs(); Prefs.set bysize true let sortNewFirst () = saveSortingPrefs(); Prefs.set newfirst (not (Prefs.read newfirst)) (* ---------------------------------------------------------------------- *) (* Main sorting functions *) let shouldSortFirst ri = Pred.test sortfirst (Path.toString ri.path1) let shouldSortLast ri = Pred.test sortlast (Path.toString ri.path1) let newItem ri = let newItem1 ri = match ri.replicas with Different diff -> diff.rc1.status = `Created | _ -> false in let newItem2 ri = match ri.replicas with Different diff -> diff.rc2.status = `Created | _ -> false in newItem1 ri || newItem2 ri (* Should these go somewhere else? *) let rec combineCmp = function [] -> 0 | c::cs -> if c<>0 then c else combineCmp cs let invertCmp c = c * -1 let compareReconItems () = let newfirst = Prefs.read newfirst in fun ri1 ri2 -> let pred p = let b1 = p ri1 in let b2 = p ri2 in if b1 && b2 then 0 else if b1 then -1 else if b2 then 1 else 0 in let cmp = combineCmp [ pred problematic; pred partiallyProblematic; pred shouldSortFirst; invertCmp (pred shouldSortLast); if newfirst then pred newItem else 0; (if Prefs.read bysize then let l1 = Common.riLength ri1 in let l2 = Common.riLength ri2 in if l1 Util.msg "%s <= %s --> %d\n" (Path.toString ri1.path1) (Path.toString ri2.path1) cmp); cmp let sortReconItems items = Safelist.stable_sort (compareReconItems()) items unison-2.40.102/uitext.ml0000644006131600613160000007420011361646373015266 0ustar bcpiercebcpierce(* Unison file synchronizer: src/uitext.ml *) (* Copyright 1999-2009, Benjamin C. Pierce This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . *) open Common open Lwt module Body : Uicommon.UI = struct let debug = Trace.debug "ui" let dumbtty = Prefs.createBool "dumbtty" (try System.getenv "EMACS" <> "" with Not_found -> false) "!do not change terminal settings in text UI" ("When set to \\verb|true|, this flag makes the text mode user " ^ "interface avoid trying to change any of the terminal settings. " ^ "(Normally, Unison puts the terminal in `raw mode', so that it can " ^ "do things like overwriting the current line.) This is useful, for " ^ "example, when Unison runs in a shell inside of Emacs. " ^ "\n\n" ^ "When \\verb|dumbtty| is set, commands to the user interface need to " ^ "be followed by a carriage return before Unison will execute them. " ^ "(When it is off, Unison " ^ "recognizes keystrokes as soon as they are typed.)\n\n" ^ "This preference has no effect on the graphical user " ^ "interface.") let silent = Prefs.createBool "silent" false "print nothing except error messages" ("When this preference is set to {\\tt true}, the textual user " ^ "interface will print nothing at all, except in the case of errors. " ^ "Setting \\texttt{silent} to true automatically sets the " ^ "\\texttt{batch} preference to {\\tt true}.") let cbreakMode = ref None (* FIX: this may also work with Cygwin, but someone needs to try it... *) let supportSignals = Util.osType = `Unix (*|| Util.isCygwin*) let rawTerminal () = match !cbreakMode with None -> () | Some funs -> funs.System.rawTerminal () let defaultTerminal () = match !cbreakMode with None -> () | Some funs -> funs.System.defaultTerminal () let restoreTerminal() = if supportSignals && not (Prefs.read dumbtty) then Sys.set_signal Sys.sigcont Sys.Signal_default; defaultTerminal (); cbreakMode := None let setupTerminal() = if not (Prefs.read dumbtty) then try cbreakMode := Some (System.terminalStateFunctions ()); let suspend _ = defaultTerminal (); Sys.set_signal Sys.sigtstp Sys.Signal_default; Unix.kill (Unix.getpid ()) Sys.sigtstp in let resume _ = if supportSignals then Sys.set_signal Sys.sigtstp (Sys.Signal_handle suspend); rawTerminal () in if supportSignals then Sys.set_signal Sys.sigcont (Sys.Signal_handle resume); resume () with Unix.Unix_error _ -> restoreTerminal () let alwaysDisplay message = print_string message; flush stdout let alwaysDisplayAndLog message = (* alwaysDisplay message;*) Trace.log (message ^ "\n") let display message = if not (Prefs.read silent) then alwaysDisplay message let displayWhenInteractive message = if not (Prefs.read Globals.batch) then alwaysDisplay message let getInput () = match !cbreakMode with None -> let l = input_line stdin in if l="" then "" else String.sub l 0 1 | Some funs -> let input_char () = (* We cannot used buffered I/Os under Windows, as character '\r' is not passed through (probably due to the code that turns \r\n into \n) *) let s = String.create 1 in let n = Unix.read Unix.stdin s 0 1 in if n = 0 then raise End_of_file; if s.[0] = '\003' then raise Sys.Break; s.[0] in funs.System.startReading (); let c = input_char () in funs.System.stopReading (); let c = if c='\n' || c = '\r' then "" else String.make 1 c in display c; c let newLine () = if !cbreakMode <> None then display "\n" let overwrite () = if !cbreakMode <> None then display "\r" let rec selectAction batch actions tryagain = let formatname = function "" -> "" | " " -> "" | n -> n in let summarizeChoices() = display "["; Safelist.iter (fun (names,doc,action) -> if (Safelist.nth names 0) = "" then display (formatname (Safelist.nth names 1))) actions; display "] " in let tryagainOrLoop() = tryagain (); selectAction batch actions tryagain in let rec find n = function [] -> raise Not_found | (names,doc,action)::rest -> if Safelist.mem n names then action else find n rest in let doAction a = if a="?" then (newLine (); display "Commands:\n"; Safelist.iter (fun (names,doc,action) -> let n = Util.concatmap " or " formatname names in let space = String.make (max 2 (22 - String.length n)) ' ' in display (" " ^ n ^ space ^ doc ^ "\n")) actions; tryagainOrLoop()) else let action = try Some (find a actions) with Not_found -> None in match action with Some action -> action () | None -> newLine (); if a="" then display ("No default command [type '?' for help]\n") else display ("Unrecognized command '" ^ String.escaped a ^ "': try again [type '?' for help]\n"); tryagainOrLoop() in doAction (match batch with None -> summarizeChoices(); getInput () | Some i -> i) let alwaysDisplayErrors prefix l = List.iter (fun err -> alwaysDisplay (Format.sprintf "%s%s\n" prefix err)) l let alwaysDisplayDetails ri = alwaysDisplay ((Uicommon.details2string ri " ") ^ "\n"); match ri.replicas with Problem _ -> () | Different diff -> alwaysDisplayErrors "[root 1]: " diff.errors1; alwaysDisplayErrors "[root 2]: " diff.errors2 let displayDetails ri = if not (Prefs.read silent) then alwaysDisplayDetails ri let displayri ri = let (r1, action, r2, path) = Uicommon.reconItem2stringList Path.empty ri in let forced = match ri.replicas with Different diff -> diff.direction <> diff.default_direction | Problem _ -> false in let (defaultAction, forcedAction) = match action with Uicommon.AError -> ("error", "error") | Uicommon.ASkip _ -> ("<-?->", "<=?=>") | Uicommon.ALtoR false -> ("---->", "====>") | Uicommon.ALtoR true -> ("--?->", "==?=>") | Uicommon.ARtoL false -> ("<----", "<====") | Uicommon.ARtoL true -> ("<-?--", "<=?==") | Uicommon.AMerge -> ("<-M->", "<=M=>") in let action = if forced then forcedAction else defaultAction in let s = Format.sprintf "%s %s %s %s " r1 action r2 path in match ri.replicas with Problem _ -> alwaysDisplay s | Different {direction = d} when d=Conflict -> alwaysDisplay s | _ -> display s type proceed = ConfirmBeforeProceeding | ProceedImmediately let interact rilist = let (r1,r2) = Globals.roots() in let (host1, host2) = root2hostname r1, root2hostname r2 in if not (Prefs.read Globals.batch) then display ("\n" ^ Uicommon.roots2string() ^ "\n"); let rec loop prev = function [] -> (ConfirmBeforeProceeding, Safelist.rev prev) | ri::rest as ril -> let next() = loop (ri::prev) rest in let repeat() = loop prev ril in let ignore pat rest what = if !cbreakMode <> None then display "\n"; display " "; Uicommon.addIgnorePattern pat; display (" Permanently ignoring " ^ what ^ "\n"); begin match !Prefs.profileName with None -> assert false | Some(n) -> display (" To un-ignore, edit " ^ System.fspathToPrintString (Prefs.profilePathname n) ^ " and restart " ^ Uutil.myName ^ "\n") end; let nukeIgnoredRis = Safelist.filter (fun ri -> not (Globals.shouldIgnore ri.path1)) in loop (nukeIgnoredRis (ri::prev)) (nukeIgnoredRis ril) in (* This should work on most terminals: *) let redisplayri() = overwrite (); displayri ri; display "\n" in displayri ri; match ri.replicas with Problem s -> display "\n"; display s; display "\n"; next() | Different ({rc1 = rc1; rc2 = rc2; direction = dir} as diff) -> if Prefs.read Uicommon.auto && dir<>Conflict then begin display "\n"; next() end else let (descr, descl) = if host1 = host2 then "left to right", "right to left" else "from "^host1^" to "^host2, "from "^host2^" to "^host1 in if Prefs.read Globals.batch then begin display "\n"; if not (Prefs.read Trace.terse) then displayDetails ri end; selectAction (if Prefs.read Globals.batch then Some " " else None) [((if dir=Conflict && not (Prefs.read Globals.batch) then ["f"] (* Offer no default behavior if we've got a conflict and we're in interactive mode *) else ["";"f";" "]), ("follow " ^ Uutil.myName ^ "'s recommendation (if any)"), fun ()-> newLine (); if dir = Conflict && not (Prefs.read Globals.batch) then begin display "No default action [type '?' for help]\n"; repeat() end else next()); (["I"], ("ignore this path permanently"), (fun () -> ignore (Uicommon.ignorePath ri.path1) rest "this path")); (["E"], ("permanently ignore files with this extension"), (fun () -> ignore (Uicommon.ignoreExt ri.path1) rest "files with this extension")); (["N"], ("permanently ignore paths ending with this name"), (fun () -> ignore (Uicommon.ignoreName ri.path1) rest "files with this name")); (["m"], ("merge the versions"), (fun () -> diff.direction <- Merge; redisplayri(); next())); (["d"], ("show differences"), (fun () -> newLine (); Uicommon.showDiffs ri (fun title text -> try let pager = System.getenv "PAGER" in restoreTerminal (); let out = System.open_process_out pager in Printf.fprintf out "\n%s\n\n%s\n\n" title text; let _ = System.close_process_out out in setupTerminal () with Not_found -> Printf.printf "\n%s\n\n%s\n\n" title text) (fun s -> Printf.printf "%s\n" s) Uutil.File.dummy; repeat())); (["x"], ("show details"), (fun () -> display "\n"; displayDetails ri; repeat())); (["L"], ("list all suggested changes tersely"), (fun () -> display "\n"; Safelist.iter (fun ri -> displayri ri; display "\n ") ril; display "\n"; repeat())); (["l"], ("list all suggested changes with details"), (fun () -> display "\n"; Safelist.iter (fun ri -> displayri ri; display "\n "; alwaysDisplayDetails ri) ril; display "\n"; repeat())); (["p";"b"], ("go back to previous item"), (fun () -> newLine(); match prev with [] -> repeat() | prevri::prevprev -> loop prevprev (prevri :: ril))); (["g"], ("proceed immediately to propagating changes"), (fun() -> (ProceedImmediately, Safelist.rev_append prev ril))); (["q"], ("exit " ^ Uutil.myName ^ " without propagating any changes"), fun () -> raise Sys.Break); (["/"], ("skip"), (fun () -> diff.direction <- Conflict; redisplayri(); next())); ([">";"."], ("propagate from " ^ descr), (fun () -> diff.direction <- Replica1ToReplica2; redisplayri(); next())); (["<";","], ("propagate from " ^ descl), (fun () -> diff.direction <- Replica2ToReplica1; redisplayri(); next())) ] (fun () -> displayri ri) in loop [] rilist let verifyMerge title text = Printf.printf "%s\n" text; if Prefs.read Globals.batch then true else begin if Prefs.read Uicommon.confirmmerge then begin display "Commit results of merge? "; selectAction None (* Maybe better: (Some "n") *) [(["y";"g"], "Yes: commit", (fun() -> true)); (["n"], "No: leave this file unchanged", (fun () -> false)); ] (fun () -> display "Commit results of merge? ") end else true end type stateItem = { mutable ri : reconItem; mutable bytesTransferred : Uutil.Filesize.t; mutable bytesToTransfer : Uutil.Filesize.t } let doTransport reconItemList = let items = Array.map (fun ri -> {ri = ri; bytesTransferred = Uutil.Filesize.zero; bytesToTransfer = Common.riLength ri}) (Array.of_list reconItemList) in let totalBytesTransferred = ref Uutil.Filesize.zero in let totalBytesToTransfer = ref (Array.fold_left (fun s item -> Uutil.Filesize.add item.bytesToTransfer s) Uutil.Filesize.zero items) in let t0 = Unix.gettimeofday () in let showProgress i bytes dbg = let i = Uutil.File.toLine i in let item = items.(i) in item.bytesTransferred <- Uutil.Filesize.add item.bytesTransferred bytes; totalBytesTransferred := Uutil.Filesize.add !totalBytesTransferred bytes; let v = (Uutil.Filesize.percentageOfTotalSize !totalBytesTransferred !totalBytesToTransfer) in let t1 = Unix.gettimeofday () in let remTime = if v <= 0. then "--:--" else if v >= 100. then "00:00" else let t = truncate ((t1 -. t0) *. (100. -. v) /. v +. 0.5) in Format.sprintf "%02d:%02d" (t / 60) (t mod 60) in Util.set_infos (Format.sprintf "%s %s ETA" (Util.percent2string v) remTime) in if not (Prefs.read Trace.terse) && (Prefs.read Trace.debugmods = []) then Uutil.setProgressPrinter showProgress; Transport.logStart (); let fFailedPaths = ref [] in let fPartialPaths = ref [] in let uiWrapper i item f = Lwt.try_bind f (fun () -> if partiallyProblematic item.ri && not (problematic item.ri) then fPartialPaths := item.ri.path1 :: !fPartialPaths; Lwt.return ()) (fun e -> match e with Util.Transient s -> let rem = Uutil.Filesize.sub item.bytesToTransfer item.bytesTransferred in if rem <> Uutil.Filesize.zero then showProgress (Uutil.File.ofLine i) rem "done"; let m = "[" ^ (Path.toString item.ri.path1) ^ "]: " ^ s in alwaysDisplay ("Failed " ^ m ^ "\n"); fFailedPaths := item.ri.path1 :: !fFailedPaths; return () | _ -> fail e) in let im = Array.length items in let rec loop i actions pRiThisRound = if i < im then begin let item = items.(i) in let actions = if pRiThisRound item.ri then uiWrapper i item (fun () -> Transport.transportItem item.ri (Uutil.File.ofLine i) verifyMerge) :: actions else actions in loop (i + 1) actions pRiThisRound end else actions in Lwt_unix.run (let actions = loop 0 [] (fun ri -> not (Common.isDeletion ri)) in Lwt_util.join actions); Lwt_unix.run (let actions = loop 0 [] Common.isDeletion in Lwt_util.join actions); Transport.logFinish (); Uutil.setProgressPrinter (fun _ _ _ -> ()); Util.set_infos ""; (Safelist.rev !fFailedPaths, Safelist.rev !fPartialPaths) let setWarnPrinterForInitialization()= Util.warnPrinter := Some(fun s -> alwaysDisplay "Error: "; alwaysDisplay s; alwaysDisplay "\n"; exit Uicommon.fatalExit) let setWarnPrinter() = Util.warnPrinter := Some(fun s -> alwaysDisplay "Warning: "; alwaysDisplay s; if not (Prefs.read Globals.batch) then begin display "Press return to continue."; selectAction None [(["";" ";"y"], ("Continue"), fun()->()); (["n";"q";"x"], ("Exit"), fun()-> alwaysDisplay "\n"; restoreTerminal (); Lwt_unix.run (Update.unlockArchives ()); exit Uicommon.fatalExit)] (fun()-> display "Press return to continue.") end) let lastMajor = ref "" let formatStatus major minor = let s = if major = !lastMajor then " " ^ minor else major ^ (if minor="" then "" else "\n " ^ minor) in lastMajor := major; s let rec interactAndPropagateChanges reconItemList : bool * bool * bool * (Path.t list) (* anySkipped?, anyPartial?, anyFailures?, failingPaths *) = let (proceed,newReconItemList) = interact reconItemList in let (updatesToDo, skipped) = Safelist.fold_left (fun (howmany, skipped) ri -> if problematic ri then (howmany, skipped + 1) else (howmany + 1, skipped)) (0, 0) newReconItemList in let doit() = if not (Prefs.read Globals.batch || Prefs.read Trace.terse) then newLine(); if not (Prefs.read Trace.terse) then Trace.status "Propagating updates"; let timer = Trace.startTimer "Transmitting all files" in let (failedPaths, partialPaths) = doTransport newReconItemList in let failures = Safelist.length failedPaths in let partials = Safelist.length partialPaths in Trace.showTimer timer; if not (Prefs.read Trace.terse) then Trace.status "Saving synchronizer state"; Update.commitUpdates (); let trans = updatesToDo - failures in let summary = Printf.sprintf "Synchronization %s at %s (%d item%s transferred, %s%d skipped, %d failed)" (if failures=0 then "complete" else "incomplete") (let tm = Util.localtime (Util.time()) in Printf.sprintf "%02d:%02d:%02d" tm.Unix.tm_hour tm.Unix.tm_min tm.Unix.tm_sec) trans (if trans=1 then "" else "s") (if partials <> 0 then Format.sprintf "%d partially transferred, " partials else "") skipped failures in Trace.log (summary ^ "\n"); if skipped>0 then Safelist.iter (fun ri -> if problematic ri then alwaysDisplayAndLog (" skipped: " ^ (Path.toString ri.path1))) newReconItemList; if partials>0 then Safelist.iter (fun p -> alwaysDisplayAndLog (" partially transferred: " ^ Path.toString p)) partialPaths; if failures>0 then Safelist.iter (fun p -> alwaysDisplayAndLog (" failed: " ^ (Path.toString p))) failedPaths; (skipped > 0, partials > 0, failures > 0, failedPaths) in if not !Update.foundArchives then Update.commitUpdates (); if updatesToDo = 0 then begin (* BCP (3/09): We need to commit the archives even if there are no updates to propagate because some files (in fact, if we've just switched to DST on windows, a LOT of files) might have new modtimes in the archive. *) (* JV (5/09): Don't save the archive in repeat mode as it has some costs and its unlikely there is much change to the archives in this mode. *) if !Update.foundArchives && Prefs.read Uicommon.repeat = "" then Update.commitUpdates (); display "No updates to propagate\n"; (skipped > 0, false, false, []) end else if proceed=ProceedImmediately then begin doit() end else begin displayWhenInteractive "\nProceed with propagating updates? "; selectAction (* BCP: I find it counterintuitive that every other prompt except this one would expect as a default. But I got talked out of offering a default here, because of safety considerations (too easy to press one time too many). *) (if Prefs.read Globals.batch then Some "y" else None) [(["y";"g"], "Yes: proceed with updates as selected above", doit); (["n"], "No: go through selections again", (fun () -> Prefs.set Uicommon.auto false; newLine(); interactAndPropagateChanges reconItemList)); (["q"], ("exit " ^ Uutil.myName ^ " without propagating any changes"), fun () -> raise Sys.Break) ] (fun () -> display "Proceed with propagating updates? ") end let checkForDangerousPath dangerousPaths = if Prefs.read Globals.confirmBigDeletes then begin if dangerousPaths <> [] then begin alwaysDisplayAndLog (Uicommon.dangerousPathMsg dangerousPaths); if Prefs.read Globals.batch then begin alwaysDisplay "Aborting...\n"; restoreTerminal (); exit Uicommon.fatalExit end else begin displayWhenInteractive "Do you really want to proceed? "; selectAction None [(["y"], "Continue", (fun() -> ())); (["n"; "q"; "x"; ""], "Exit", (fun () -> alwaysDisplay "\n"; restoreTerminal (); exit Uicommon.fatalExit))] (fun () -> display "Do you really want to proceed? ") end end end let synchronizeOnce() = let showStatus path = if path = "" then Util.set_infos "" else let max_len = 70 in let mid = (max_len - 3) / 2 in let path = let l = String.length path in if l <= max_len then path else String.sub path 0 (max_len - mid - 3) ^ "..." ^ String.sub path (l - mid) mid in let c = "-\\|/".[truncate (mod_float (4. *. Unix.gettimeofday ()) 4.)] in Util.set_infos (Format.sprintf "%c %s" c path) in Trace.status "Looking for changes"; if not (Prefs.read Trace.terse) && (Prefs.read Trace.debugmods = []) then Uutil.setUpdateStatusPrinter (Some showStatus); let updates = Update.findUpdates() in Uutil.setUpdateStatusPrinter None; Util.set_infos ""; let (reconItemList, anyEqualUpdates, dangerousPaths) = Recon.reconcileAll ~allowPartial:true updates in if reconItemList = [] then begin (if anyEqualUpdates then Trace.status ("Nothing to do: replicas have been changed only " ^ "in identical ways since last sync.") else Trace.status "Nothing to do: replicas have not changed since last sync."); (Uicommon.perfectExit, []) end else begin checkForDangerousPath dangerousPaths; let (anySkipped, anyPartial, anyFailures, failedPaths) = interactAndPropagateChanges reconItemList in let exitStatus = Uicommon.exitCode(anySkipped || anyPartial,anyFailures) in (exitStatus, failedPaths) end let watchinterval = 10 (* FIX; Using string concatenation to accumulate characters is pretty inefficient! *) let charsRead = ref "" let linesRead = ref [] let watcherchan = ref None let suckOnWatcherFileLocal n = Util.convertUnixErrorsToFatal ("Reading changes from watcher process in file " ^ System.fspathToPrintString n) (fun () -> (* The main loop, invoked from two places below *) let rec loop ch = match try Some(input_char ch) with End_of_file -> None with None -> let res = !linesRead in linesRead := []; res | Some(c) -> if c = '\n' then begin linesRead := !charsRead :: !linesRead; charsRead := ""; loop ch end else begin charsRead := (!charsRead) ^ (String.make 1 c); loop ch end in (* Make sure there's a file to watch, then read from it *) match !watcherchan with None -> if System.file_exists n then begin let ch = System.open_in_bin n in watcherchan := Some(ch); loop ch end else [] | Some(ch) -> loop ch ) let suckOnWatcherFileRoot: Common.root -> System.fspath -> (string list) Lwt.t = Remote.registerRootCmd "suckOnWatcherFile" (fun (fspath, n) -> Lwt.return (suckOnWatcherFileLocal n)) let suckOnWatcherFiles n = Safelist.concat (Lwt_unix.run ( Globals.allRootsMap (fun r -> suckOnWatcherFileRoot r n))) let synchronizePathsFromFilesystemWatcher () = let watcherfilename = System.fspathFromString "" in (* STOPPED HERE -- need to find the program using watcherosx preference and invoke it (on both hosts, if there are two!) using a redirect to get the output into a temp file... *) let rec loop failedPaths = let newpaths = suckOnWatcherFiles watcherfilename in if newpaths <> [] then display (Printf.sprintf "Changed paths:\n %s\n" (String.concat "\n " newpaths)); let p = failedPaths @ (Safelist.map Path.fromString newpaths) in if p <> [] then begin Prefs.set Globals.paths p; let (exitStatus,newFailedPaths) = synchronizeOnce() in debug (fun() -> Util.msg "Sleeping for %d seconds...\n" watchinterval); Unix.sleep watchinterval; loop newFailedPaths end else begin debug (fun() -> Util.msg "Nothing changed: sleeping for %d seconds...\n" watchinterval); Unix.sleep watchinterval; loop [] end in loop [] let synchronizeUntilNoFailures () = let initValueOfPathsPreference = Prefs.read Globals.paths in let rec loop triesLeft = let (exitStatus,failedPaths) = synchronizeOnce() in if failedPaths <> [] && triesLeft <> 0 then begin loop (triesLeft - 1) end else begin Prefs.set Globals.paths initValueOfPathsPreference; exitStatus end in loop (Prefs.read Uicommon.retry) let rec synchronizeUntilDone () = let repeatinterval = if Prefs.read Uicommon.repeat = "" then -1 else try int_of_string (Prefs.read Uicommon.repeat) with Failure "int_of_string" -> (* If the 'repeat' pref is not a number, switch modes... *) if Prefs.read Uicommon.repeat = "watch" then synchronizePathsFromFilesystemWatcher() else raise (Util.Fatal ("Value of 'repeat' preference (" ^Prefs.read Uicommon.repeat ^") should be either a number or 'watch'\n")) in let exitStatus = synchronizeUntilNoFailures() in if repeatinterval < 0 then exitStatus else begin (* Do it again *) Trace.status (Printf.sprintf "\nSleeping for %d seconds...\n" repeatinterval); Unix.sleep repeatinterval; synchronizeUntilDone () end let start interface = if interface <> Uicommon.Text then Util.msg "This Unison binary only provides the text GUI...\n"; begin try (* Just to make sure something is there... *) setWarnPrinterForInitialization(); Uicommon.uiInit (fun s -> Util.msg "%s\n%s\n" Uicommon.shortUsageMsg s; exit 1) (fun s -> Util.msg "%s" Uicommon.shortUsageMsg; exit 1) (fun () -> setWarnPrinter(); if Prefs.read silent then Prefs.set Trace.terse true; if not (Prefs.read silent) then Util.msg "%s\n" (Uicommon.contactingServerMsg())) (fun () -> Some "default") (fun () -> Util.msg "%s" Uicommon.shortUsageMsg; exit 1) (fun () -> Util.msg "%s" Uicommon.shortUsageMsg; exit 1) None; (* Some preference settings imply others... *) if Prefs.read silent then begin Prefs.set Globals.batch true; Prefs.set Trace.terse true; Prefs.set dumbtty true; Trace.sendLogMsgsToStderr := false; end; if Prefs.read Uicommon.repeat <> "" then begin Prefs.set Globals.batch true; end; (* Tell OCaml that we want to catch Control-C ourselves, so that we get a chance to reset the terminal before exiting *) Sys.catch_break true; (* Put the terminal in cbreak mode if possible *) if not (Prefs.read Globals.batch) then setupTerminal(); setWarnPrinter(); Trace.statusFormatter := formatStatus; let exitStatus = synchronizeUntilDone() in (* Put the terminal back in "sane" mode, if necessary, and quit. *) restoreTerminal(); exit exitStatus with e -> restoreTerminal(); let msg = Uicommon.exn2string e in Trace.log (msg ^ "\n"); if not !Trace.sendLogMsgsToStderr then begin alwaysDisplay "\n"; alwaysDisplay msg; alwaysDisplay "\n"; end; exit Uicommon.fatalExit end let defaultUi = Uicommon.Text end unison-2.40.102/osxsupport.c0000644006131600613160000000727411361646373016033 0ustar bcpiercebcpierce/* Unison file synchronizer: src/osxsupport.c */ /* Copyright 1999-2008 (see COPYING for details) */ #include #include #include #ifdef __APPLE__ #include #include #include #include #include #include #include #endif #include extern void unix_error (int errcode, char * cmdname, value arg) Noreturn; extern void uerror (char * cmdname, value arg) Noreturn; CAMLprim value isMacOSX (value nothing) { #ifdef __APPLE__ return Val_true; #else return Val_false; #endif } CAMLprim value getFileInfos (value path, value need_size) { #ifdef __APPLE__ CAMLparam1(path); CAMLlocal3(res, fInfo, length); int retcode; struct attrlist attrList; unsigned long options = FSOPT_REPORT_FULLSIZE; struct { u_int32_t length; char finderInfo [32]; off_t rsrcLength; } __attribute__ ((packed)) attrBuf; attrList.bitmapcount = ATTR_BIT_MAP_COUNT; attrList.reserved = 0; attrList.commonattr = ATTR_CMN_FNDRINFO; attrList.volattr = 0; /* volume attribute group */ attrList.dirattr = 0; /* directory attribute group */ if (Bool_val (need_size)) attrList.fileattr = ATTR_FILE_RSRCLENGTH; /* file attribute group */ else attrList.fileattr = 0; attrList.forkattr = 0; /* fork attribute group */ retcode = getattrlist(String_val (path), &attrList, &attrBuf, sizeof attrBuf, options); if (retcode == -1) uerror("getattrlist", path); if (Bool_val (need_size)) { if (attrBuf.length != sizeof attrBuf) unix_error (EINVAL, "getattrlist", path); } else { if (attrBuf.length != sizeof (u_int32_t) + 32) unix_error (EINVAL, "getattrlist", path); } fInfo = alloc_string (32); memcpy (String_val (fInfo), attrBuf.finderInfo, 32); if (Bool_val (need_size)) length = copy_int64 (attrBuf.rsrcLength); else length = copy_int64 (0); res = alloc_small (2, 0); Field (res, 0) = fInfo; Field (res, 1) = length; CAMLreturn (res); #else unix_error (ENOSYS, "getattrlist", path); #endif } CAMLprim value setFileInfos (value path, value fInfo) { #ifdef __APPLE__ CAMLparam2(path, fInfo); int retcode; struct attrlist attrList; unsigned long options = 0; struct { u_int32_t length; char finderInfo [32]; } __attribute__ ((packed)) attrBuf; attrList.bitmapcount = ATTR_BIT_MAP_COUNT; attrList.reserved = 0; attrList.commonattr = ATTR_CMN_FNDRINFO; attrList.volattr = 0; /* volume attribute group */ attrList.dirattr = 0; /* directory attribute group */ attrList.fileattr = 0; /* file attribute group */ attrList.forkattr = 0; /* fork attribute group */ memcpy (attrBuf.finderInfo, String_val (fInfo), 32); retcode = setattrlist(String_val (path), &attrList, attrBuf.finderInfo, sizeof attrBuf.finderInfo, options); if (retcode == -1 && errno == EACCES) { /* Unlike with normal Unix attributes, we cannot set OS X attributes if file is read-only. Try making it writable temporarily. */ struct stat st; int r = stat(String_val(path), &st); if (r == -1) uerror("setattrlist", path); r = chmod(String_val(path), st.st_mode | S_IWUSR); if (r == -1) uerror("setattrlist", path); /* Try again */ retcode = setattrlist(String_val (path), &attrList, attrBuf.finderInfo, sizeof attrBuf.finderInfo, options); /* Whether or not that worked, we should try to set the mode back. */ chmod(String_val(path), st.st_mode); } if (retcode == -1) uerror("setattrlist", path); CAMLreturn (Val_unit); #else unix_error (ENOSYS, "setattrlist", path); #endif } unison-2.40.102/name.ml0000644006131600613160000000376511361646373014674 0ustar bcpiercebcpierce(* Unison file synchronizer: src/name.ml *) (* Copyright 1999-2009, Benjamin C. Pierce This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . *) (* NOTE: IF YOU CHANGE TYPE "NAME", THE ARCHIVE FORMAT CHANGES; INCREMENT "UPDATE.ARCHIVEFORMAT" *) type t = string let compare n1 n2 = (Case.ops())#compare n1 n2 let eq a b = (0 = (compare a b)) let toString n = n let fromString s = if String.length s = 0 then raise(Invalid_argument "Name.fromString(empty string)"); (* Make sure there are no slashes in the s *) begin try ignore(String.index s '/'); raise (Util.Transient (Printf.sprintf "Filename '%s' contains a '/'" s)) with Not_found -> () end; (* We ought to consider further checks, e.g., in Windows, no colons *) s let hash n = (Case.ops())#hash n let normalize n = (Case.ops())#normalizeFilename n (****) let badEncoding s = (Case.ops())#badEncoding s (* Windows file naming conventions are descripted here: *) let badWindowsFilenameRx = Rx.case_insensitive (Rx.rx "(.*[\000-\031<>:\"/\\|?*].*)|\ ((con|prn|aux|nul|com[1-9]|lpt[1-9])(\\..*)?)|\ (.*[. ])") let badWindowsFilenameRelaxedRx = Rx.case_insensitive (Rx.rx "(con|prn|aux|nul|com[1-9]|lpt[1-9])(\\..*)?") (* FIX: should also check for a max filename length, not sure how much *) let badFile s = Rx.match_string badWindowsFilenameRx s unison-2.40.102/abort.mli0000644006131600613160000000072611361646373015226 0ustar bcpiercebcpierce (* Clear the list of aborted item. *) val reset : unit -> unit (* Abort transfer for either one particular item or all items. *) (* These functions should only be called on the client. *) val file : Uutil.File.t -> unit val all : unit -> unit (* Check whether an item is being aborted. A transient exception is raised if this is the case. *) val check : Uutil.File.t -> unit (* Test whether the exeption is an abort exception. *) val testException : exn -> bool unison-2.40.102/win32rc/0000755006131600613160000000000012050210657014662 5ustar bcpiercebcpierceunison-2.40.102/win32rc/unison.rc0000644006131600613160000000006411361646373016537 0ustar bcpiercebcpierce#include UNISON_ICON ICON "U.ico" unison-2.40.102/win32rc/U.ico0000644006131600613160000010600011361646373015573 0ustar bcpiercebcpierce v ^ ; 00 %G  hm ~ h( @ ????( @ʦ """)))UUUMMMBBB999|PP3f3333f333ff3fffff3f3f̙f3333f3333333333f3333333f3f33ff3f3f3f3333f3333333f3̙33333f333ff3ffffff3f33f3ff3f3f3ffff3fffffffff3fffffff3f̙ffff3ff333f3ff33fff33f3ff̙3f3f3333f333ff3fffff̙̙3̙f̙̙̙3f̙3f3f3333f333ff3fffff3f3f̙3ffffffffff!___www ,,, ,,, ,,,, ,,,, ,,,,, ,,,,, ,,,,, ,,,,, ,,,,, ,,,,, ,2,2, ,2,2, 2,2,2 2,2,2 22222 22222 22222 22222 22222 22222 22222 22222 28282 28282 82828 82828 28282 28282 88888 88888 88888 88888 88888 88888 888 888 88 88 88 88 ????PNG  IHDR\rf;IDATx]DI ( ]9tTPQbA;鈠Jޛyɦ&If7Kf^fg'y{ +@ ] )HiD#Rڕ`!҉+'2#"'rv8(DJ9C!+2%HUڟDZLrT|"UUi"v@f!  x={";.#ҝv9|G"IDI3iڕ?w~hݦ;24?( $rƃ27Y6ǥYDZB^" ߏD*Uy !G$X4k<_]|I?axP@VX1P6'9rԝ ;'&zx'D%%h9sڔpK ԭ mz֛ ǎ]^&2vB<@" Od\!wGn'%q`#sx $'ji#-<X/^pzڕJwH$199 L^6+d3aĻۤDj9HKp > a/t2!`w%yۈG)=tZ* >mLuH#"G<@3 ȣÇU1hЭ S\%=ʹ7ˈW ΟOGH8X`Z.Nz?)wxr Dy,"RO:u) cUU(0!8pkq(g$gw-6Hc"h9(LdxҤ50zvHǏˣ8/,Phi,U={4W\]cO 907oFqA~%9lbahFPbnDžՙ{=/%$/+IKs?~:?(_w\ދҖfbи<8}Zvy_6p8<}mUuaC/-qh;/؃>,cAnb+Q?f,+W_"* SH2<5g(0.@c<.p^P 6 d{N OCP GqGnޏ䃐q(0~.Erx,ЃKf`Ѐ 0vDPp. CQ{9C3 Ը8 5Y ;e%|Tj k ;/4ZZ÷Qີ(0z=GA8q<ȕY t*}̛{DJg w$p]'?G_~ȧ&gၛ@Vqe{p3RwDDrer {%Fq]DnL \k@Y?4j^ݻA:sf""ƱU]0n.xYIH ,Я͝EUfм&#D>Hfe@FэK^3J ҙ3:X @ ];ムmF1H \s,Г°Ql@"9/[L軍KoїRy\l% n}B?﨔{` If,z,w?Ԅ,Y?ʘ_H@2f~8/px0c4pe!°jx,jU[JMgHm !th&N̬1` ,@Lh@gxi+΀0Σ0 \͵=!L|L 3ΚUtF;vYCrf6𨉡S!Ls` "l`pul8,iE@ S&ˣQÌϥ]p0 4cVW?r% fuYhh:KDrx>= 32h+@I6,_qn%ᢣкbu 3mg &iuY83֩GwA YoUg[MI?.]WÌw*X MGW @ Ю21x\GG0J_.0~@t ^ 9Dq +7Wo\%w-.4a8$1pS*0abm,nE%ZfcwKi{jhpݶN"o8dϞ(^yI3qp;G'}Iֵ[>?f{.SW9$9zoa;zZ ?%nHEhf^x `;+jRޅ!p>%E[FBBa괺%ɹ׋Җ)f{&8NC;oS\k-<逛__ƜqÌA vk-[,Sֵl;QzB6Uc]D``R!Lu1XX˯ TSLa-CaZ՜B51֊y?#0gJ~q+ni9x 61v15H.Om"4Ak]Yғwov%t )dC c- LY$)d(uסH g p5:Fzp n t2B>7'@A] sm JYi=9x V5mV"]Z}bЫ,2P`e#} C$ƪe7+/!NC!zkzڋ3d@MV!0'Haf]sp kegTN^B& ){nYC |^e c(0 #ܪ᳁nVVB!/mwyA9x fM.; '5|% \gmT 9lC!?( 0S"[88Dän5v+K @'8x K͊ 1Gh=P`Vm} L NN!@E7+K lC!kd$t~a|\J>JY< c({4. 7K*'P.o ߜEE:#B4)gxSP7Ѯ'e+c)5|\)h9x r$¾W+PρguNNG̵zb*`7;PZ zs~&[]rn 'Z6N[TW DCо?'Z5  NN!@c 3eS}4׎`3sp &~xKd.c><b^FRN ~aWd@&|0[5 h,'U}t798B#oi1>)b*k&NB!5TWkN.tS(~4aV^p(0FdV' |&HP{0p3s LᛁL'GPJ[<?h7;P`}7+NN~ L[8dk>rA98H*Dm8x-Xy .I^!5WXG7*kfNB!_`qb488BF! ,h8x ~Vpwpp䅉T0UcQ}~2$ױ݇`GJA#/o-ѫ-|w=N @ͼ0A0|up tx)hR. ~6MNC!{EibBQ{88HUE2 sG"MÒ``R&khfn [(Dt ܬqp ^-]EXX8TO2:0uwF;1DH5! I=?  0pXp:8l'o% ܬ&Hpk@hfzs | so؏`4qp ^\/(:df |)O_q\CY=? !ȮF;P`Dwӣ[gJ^{bxPLz~N^VN|& %$7)GR$8xv%T[nI'z4_"TF(-خWYwwq gs4'P2>8xĄ (@٢q  G^{ !D+DuBHپB#q"3YY0L0Y)P/H ^'Q"E_7}IP-øƟ &+jxJB#ws  Ƨp#ϵc=XsFd`R&gKksX *K 5pHV VT\QA0UN4N^B!,Dbtp<36 =T VԣD )~{5C/?|/LQfdqRB[`1R`֖sx,vU8HpL3E7 Bm |C$&{[nE/ڎ;9ːvUHקWS <2f/llmEyϫ&kCB荁GK vUIJ%S`@`>Bq% yAp4,; 63CM}su(wX _Wkh7X%D\< ЊOOn}_- cVR"JK^ <\vǸt@݀z`&rs`k8,n=cN9[ke&RLdXޯdE7b0tH1ͧV /" +uCJ|1O&DZT(_8+,_q%UW8,Bj9 /> %h6X%D*־iX037'sK FJW8JC׽Ԧk#{M ;x wnU͗ H\4p]ؼL8 ){?~6X&Qųc^GW"@A ]J /' 6G].^tF̒ Vn2 =HR)0[!h%7 =MGK9`" Lm \?}6p37 Y96nƥSCN \Oρ~ZwAv AX*$"oD)~5pmZ/LjNY{7Э.GRv9 \u`W_eQgCQk!qB ժH*L'*gJN \q<]&DVPhx%1;nX9T'@T݀z`&+[ra-'.e?8:M&Dk>S]ٯMAVs|VN*|G=Y7et_QN+Seh@&;K-F -ׅ>;. 5H#ڍV c"!exfѺx“8rQ+Z`hӭGeW64"WJCJN:iuF/=N:"{ѡzܚ6Jaɯsf@O?iG *@M}i6`4LwUNs{CQ`<]t1[M< A| `br7@@/`Q\P& 2L-wRvأɫpby ڤd6/ i>^*K@;@h ;c`\; aVW'u)YG A ʕ͗;]㲁NbW=~8_܃ hjXs[NwFo++Fy @+"3h7X' <5)*kі.r[M= PB;,u.U xeN9we㲔.Q.l^d<㥁Gi?< \! ΁a _Hބ? ^&M.7_]Nq!`@"`=zhu׌u#5&t1bLsaUY;%4 )!jtN0pZ} V6y@୺g0z~H@k40(Cd+,- %—bۺF<#TM /ԣی:ڗK ra3ppXZ@3R6hO#2t=O y"))X'|$wo>1Ůۼ&2X'[.5O8!fcTX?m${aF&n{a؞t)o>Ne<*/T&ILq+XNf 3Ԇk .1"4ȗ~rc5'::ÔcW\< # ?o=nL^_nk_{ 7/pèa kY#+T 癁k,vu J d2 @ WA2`DhBHxԲ?9,bۉ\ ezOe]OG7@xr%tvq(\(S">]q{ӓZB`9gp'%>' x8+I~) j {$Vj}~Dq!h1HO[Bbw\z \0k@ϵaIG pHfpBBSe%c"Ϯzc5p9?WGxSq B۳ +]3K}ߩ;)[ =|:`x `@? 5r_. %x(95 ܬ.w$r_DWp$@: \TKuXCs蕁kҢ?H^A. $Ui$tm| .9ZKgTyȶg7Fl@MI 0BeX,;Ϛ`2tNc3pk ?+.̀7v\5F8TӅiz 덛{ʡ1C"Y$1p3|~ܠi7Y 4@Ϫe‹7fu^{]D*[x*!+F bΎxжn#z'9ȟK7h^[m%]-T@ hF9H/`ETȗewЉsxa#Wat}!B{ bVHFߖH "j9` P1ե{ $eONv4@;=q}2<_6ZF 'YBljox]뉡'q u=, N;7Ɠ7$AbfM?x ̽?h)L\U]9ϩ ų%xg\\V_Se=n_pFwT(E`< R0- /F)JImx\ ~.ߑ at r7L1 hJ1 .A|&> {HM`2  'zPT "&_>ʠM.ӮG@`9\R;5?e9.m %0trlA ̈~@^we5?{S|) z!jpwa VHS {17#z k[ C#]@!|}<ChgxEf  ATM(*82=?0L Njd@`?\'y޹\1p _p%DD~q.W@Qm826^\#bW7{39b?= 0fc'vDf$ y#NzeFw`'/O1qGYGGh)%`DW TI]57?xVfGx-3%2; p3AܼRH//Tn9e^#V]*"l]?}pg\+XA8}$4?g߿L ϐ}y* v{ \~g}[1I@|iW#ȻU]h %8D}!4>E^:xAQ>F@,1_OEl[4+|9$pkAt!cnqG O]̅tҵqF4%Ed$2 .0'{@D2(Ψ]6ĥť:*]<.aA=kN΀\5 +gb83؅UykTE%q8'v*B @ a}.ƭ6mP'`7;) !;K" 8$b7Z;^  Q0f 28ppdb2SdsIENDB`(0`  <)|- 2 : B H B ; 1,P . Gb')+++++++)"qN 3  2m(++++++++++++++++)y 9 #$P^(++++++++++++++++++++*j)`+z++++++++++++++++++++++++ 3#T0.-,++++++++++++++++++++++'UY:98754321/.-+&$)++++++++++++Z3 B C BA@?=<;:,U; / (w#h , 2 A,++++++++( 0 !` N M L J I H G F @G $a / 1+4310/.-+N NEWVUTSQP J? ,4<;:8765#30[a`_]\[Z$_Y E D C BA?>0Q;ljihgfd]50L N L K J I H < %l &LutsqponL5(yNWVUTRQ J, 0Y ~ }|{zxwK( aQa_^]\[X/6]$###""!J HRjihfedc8<`(''&&%%G{6Rsrqpnml@?d**)))))Cm&O }{zyxwu $IFk,++++**?dJ##""!!  +P Px----,,,?aJy''&&%%$ 2WTz///....AbMz*))))((7[W{1100000CbOz++++***:\Y{3222221EbRz---,,,,;\[{4444433GbTz//....-=\^{6666555IbV{10000//?\`|8887777JbY{2222111A\b|::99998Lc[{4443333B\e|;;;;;::Nc]{6655555D] g|====<<<Pc_|8777776F] i}???>>>>Rcb|9999988H]!l}AA@@@@?Tdd|;;;;:::J]"n}CBBBBAAVdg|==<<<<<K^#p}DDDDCCCWd i}??>>>>=M^$s~FFFEEEEYd!k}@@@@@??O^%u~HHGGGGG[d"n}BBBBAAAQ^&w~JIIIIIH]d#p}DDDCCCCR^'yKKKKJJJ_d$r}FFEEEEDT^'|MMMMLLLae%t~HGGGGFFV^(OONNNNNbd&w~IIIIHHHV]JI))AQPPPPPO;(~(}HIKN'z'y?JOONNNNNMMG:; IHPRRRRRRRPIH LKOPPPPOOOMEF ZYRRRRRRRZY `^RRRRQQQWW  5%trRRRRR%tr 5 "";({yRRRRR$pn 1,+U/RRR/,+U-,\2RRR.+*O10x9R910x21;R7//q3223254232 r r????( @  3^\mt|{n[ As!=P(++++++++&X 7K{*+++++++++++++ ?WDf%,+++++++++++++++% ?[ #<:8643.!&++++++L I J H F D A!v?f  7Hp.1/-+)Ks 5ZXVTR#cY?=;97~AhfdbH   8 K I G F(Pvtrp< 5YWVT 2b""! B}<gedb ?k(''&GyAutrp L u++**IuF}""! ~ Xz.---JqM|('&&`~000/MqP|+***j3322QrS|---, p5554TrW}00// w8877Wr[}3222;:::Zs^}5554 @==<]sb~8877 @@??ase~;:::"CBBBdt h~===9!EEED gt!l@@?<'HHGG!ku#pCBBB KJJJ"mu$sEEED MMML$qu%wHHGG32)}%rqPPOO.'{}ABAD&w}0KJJJ!go$s{-1 -RRRRRRQ?JJUJK\>NMMMLLL(}76/5RRRRRFQPsRRzFPPOOO101(DCJ=RRRLVUXWMRRR:BADMLhDRP`_ cbPRBKJaTRI$om %trHQP~@? A@???(0 :*Xht{cr D/p$++++++++%t " ++++++++++++ p><974(  )++++k  AQO L ANq A`0742$ 6Badb^ ,n$n H G E= *7 (M_ywta,9VZXT>S==`v|'}GFF22AA@dv|)JJI45EDD iw|*NNM78HHG!ir )(&'ywERQQK:HHEG8HLKK<"lr !!YWACRRRR)~(~~POON?RS<!fdZHRR11RRG dcV%rqtL876768L$qos#mkPO*PO*#mkAAAAA~A~A~A~AAAAAAAAAA<A<A<A~AAA(  e/ "" h.l&++++++'jf)=@<-&#$++'RBy`\D5 C?&o[|xHgBw_\ <p))S]Ok{xS$~/.WW[e))k(43^Wce/.!w,99eW le43&0?>!mW#te99*5DC$tW&|e?>-8II'{W*eDC1%rrW=NN-ae6_e6.IH6!hrW+LLRRDVUTTANNG(L0gOH&vu'&vu'HO0g2~-@-@2~AAAAìAìAìAìAìAìAìAìAAAìAAunison-2.40.102/win32rc/unison.res.lib0000755006131600613160000010715611361646373017506 0ustar bcpiercebcpierceLX.rsrc̍<@0|J |Jh|J X|J h|J x|J |J |J |J |J@(|J  UNISON_ICONh ;$I%nt hdh( @ ????( @ʦ """)))UUUMMMBBB999|PP3f3333f333ff3fffff3f3f̙f3333f3333333333f3333333f3f33ff3f3f3f3333f3333333f3̙33333f333ff3ffffff3f33f3ff3f3f3ffff3fffffffff3fffffff3f̙ffff3ff333f3ff33fff33f3ff̙3f3f3333f333ff3fffff̙̙3̙f̙̙̙3f̙3f3f3333f333ff3fffff3f3f̙3ffffffffff!___www ,,, ,,, ,,,, ,,,, ,,,,, ,,,,, ,,,,, ,,,,, ,,,,, ,,,,, ,2,2, ,2,2, 2,2,2 2,2,2 22222 22222 22222 22222 22222 22222 22222 22222 28282 28282 82828 82828 28282 28282 88888 88888 88888 88888 88888 88888 888 888 88 88 88 88 ????PNG  IHDR\rf;IDATx]DI ( ]9tTPQbA;鈠Jޛyɦ&If7Kf^fg'y{ +@ ] )HiD#Rڕ`!҉+'2#"'rv8(DJ9C!+2%HUڟDZLrT|"UUi"v@f!  x={";.#ҝv9|G"IDI3iڕ?w~hݦ;24?( $rƃ27Y6ǥYDZB^" ߏD*Uy !G$X4k<_]|I?axP@VX1P6'9rԝ ;'&zx'D%%h9sڔpK ԭ mz֛ ǎ]^&2vB<@" Od\!wGn'%q`#sx $'ji#-<X/^pzڕJwH$199 L^6+d3aĻۤDj9HKp > a/t2!`w%yۈG)=tZ* >mLuH#"G<@3 ȣÇU1hЭ S\%=ʹ7ˈW ΟOGH8X`Z.Nz?)wxr Dy,"RO:u) cUU(0!8pkq(g$gw-6Hc"h9(LdxҤ50zvHǏˣ8/,Phi,U={4W\]cO 907oFqA~%9lbahFPbnDžՙ{=/%$/+IKs?~:?(_w\ދҖfbи<8}Zvy_6p8<}mUuaC/-qh;/؃>,cAnb+Q?f,+W_"* SH2<5g(0.@c<.p^P 6 d{N OCP GqGnޏ䃐q(0~.Erx,ЃKf`Ѐ 0vDPp. CQ{9C3 Ը8 5Y ;e%|Tj k ;/4ZZ÷Qີ(0z=GA8q<ȕY t*}̛{DJg w$p]'?G_~ȧ&gၛ@Vqe{p3RwDDrer {%Fq]DnL \k@Y?4j^ݻA:sf""ƱU]0n.xYIH ,Я͝EUfм&#D>Hfe@FэK^3J ҙ3:X @ ];ムmF1H \s,Г°Ql@"9/[L軍KoїRy\l% n}B?﨔{` If,z,w?Ԅ,Y?ʘ_H@2f~8/px0c4pe!°jx,jU[JMgHm !th&N̬1` ,@Lh@gxi+΀0Σ0 \͵=!L|L 3ΚUtF;vYCrf6𨉡S!Ls` "l`pul8,iE@ S&ˣQÌϥ]p0 4cVW?r% fuYhh:KDrx>= 32h+@I6,_qn%ᢣкbu 3mg &iuY83֩GwA YoUg[MI?.]WÌw*X MGW @ Ю21x\GG0J_.0~@t ^ 9Dq +7Wo\%w-.4a8$1pS*0abm,nE%ZfcwKi{jhpݶN"o8dϞ(^yI3qp;G'}Iֵ[>?f{.SW9$9zoa;zZ ?%nHEhf^x `;+jRޅ!p>%E[FBBa괺%ɹ׋Җ)f{&8NC;oS\k-<逛__ƜqÌA vk-[,Sֵl;QzB6Uc]D``R!Lu1XX˯ TSLa-CaZ՜B51֊y?#0gJ~q+ni9x 61v15H.Om"4Ak]Yғwov%t )dC c- LY$)d(uסH g p5:Fzp n t2B>7'@A] sm JYi=9x V5mV"]Z}bЫ,2P`e#} C$ƪe7+/!NC!zkzڋ3d@MV!0'Haf]sp kegTN^B& ){nYC |^e c(0 #ܪ᳁nVVB!/mwyA9x fM.; '5|% \gmT 9lC!?( 0S"[88Dän5v+K @'8x K͊ 1Gh=P`Vm} L NN!@E7+K lC!kd$t~a|\J>JY< c({4. 7K*'P.o ߜEE:#B4)gxSP7Ѯ'e+c)5|\)h9x r$¾W+PρguNNG̵zb*`7;PZ zs~&[]rn 'Z6N[TW DCо?'Z5  NN!@c 3eS}4׎`3sp &~xKd.c><b^FRN ~aWd@&|0[5 h,'U}t798B#oi1>)b*k&NB!5TWkN.tS(~4aV^p(0FdV' |&HP{0p3s LᛁL'GPJ[<?h7;P`}7+NN~ L[8dk>rA98H*Dm8x-Xy .I^!5WXG7*kfNB!_`qb488BF! ,h8x ~Vpwpp䅉T0UcQ}~2$ױ݇`GJA#/o-ѫ-|w=N @ͼ0A0|up tx)hR. ~6MNC!{EibBQ{88HUE2 sG"MÒ``R&khfn [(Dt ܬqp ^-]EXX8TO2:0uwF;1DH5! I=?  0pXp:8l'o% ܬ&Hpk@hfzs | so؏`4qp ^\/(:df |)O_q\CY=? !ȮF;P`Dwӣ[gJ^{bxPLz~N^VN|& %$7)GR$8xv%T[nI'z4_"TF(-خWYwwq gs4'P2>8xĄ (@٢q  G^{ !D+DuBHپB#q"3YY0L0Y)P/H ^'Q"E_7}IP-øƟ &+jxJB#ws  Ƨp#ϵc=XsFd`R&gKksX *K 5pHV VT\QA0UN4N^B!,Dbtp<36 =T VԣD )~{5C/?|/LQfdqRB[`1R`֖sx,vU8HpL3E7 Bm |C$&{[nE/ڎ;9ːvUHקWS <2f/llmEyϫ&kCB荁GK vUIJ%S`@`>Bq% yAp4,; 63CM}su(wX _Wkh7X%D\< ЊOOn}_- cVR"JK^ <\vǸt@݀z`&rs`k8,n=cN9[ke&RLdXޯdE7b0tH1ͧV /" +uCJ|1O&DZT(_8+,_q%UW8,Bj9 /> %h6X%D*־iX037'sK FJW8JC׽Ԧk#{M ;x wnU͗ H\4p]ؼL8 ){?~6X&Qųc^GW"@A ]J /' 6G].^tF̒ Vn2 =HR)0[!h%7 =MGK9`" Lm \?}6p37 Y96nƥSCN \Oρ~ZwAv AX*$"oD)~5pmZ/LjNY{7Э.GRv9 \u`W_eQgCQk!qB ժH*L'*gJN \q<]&DVPhx%1;nX9T'@T݀z`&+[ra-'.e?8:M&Dk>S]ٯMAVs|VN*|G=Y7et_QN+Seh@&;K-F -ׅ>;. 5H#ڍV c"!exfѺx“8rQ+Z`hӭGeW64"WJCJN:iuF/=N:"{ѡzܚ6Jaɯsf@O?iG *@M}i6`4LwUNs{CQ`<]t1[M< A| `br7@@/`Q\P& 2L-wRvأɫpby ڤd6/ i>^*K@;@h ;c`\; aVW'u)YG A ʕ͗;]㲁NbW=~8_܃ hjXs[NwFo++Fy @+"3h7X' <5)*kі.r[M= PB;,u.U xeN9we㲔.Q.l^d<㥁Gi?< \! ΁a _Hބ? ^&M.7_]Nq!`@"`=zhu׌u#5&t1bLsaUY;%4 )!jtN0pZ} V6y@୺g0z~H@k40(Cd+,- %—bۺF<#TM /ԣی:ڗK ra3ppXZ@3R6hO#2t=O y"))X'|$wo>1Ůۼ&2X'[.5O8!fcTX?m${aF&n{a؞t)o>Ne<*/T&ILq+XNf 3Ԇk .1"4ȗ~rc5'::ÔcW\< # ?o=nL^_nk_{ 7/pèa kY#+T 癁k,vu J d2 @ WA2`DhBHxԲ?9,bۉ\ ezOe]OG7@xr%tvq(\(S">]q{ӓZB`9gp'%>' x8+I~) j {$Vj}~Dq!h1HO[Bbw\z \0k@ϵaIG pHfpBBSe%c"Ϯzc5p9?WGxSq B۳ +]3K}ߩ;)[ =|:`x `@? 5r_. %x(95 ܬ.w$r_DWp$@: \TKuXCs蕁kҢ?H^A. $Ui$tm| .9ZKgTyȶg7Fl@MI 0BeX,;Ϛ`2tNc3pk ?+.̀7v\5F8TӅiz 덛{ʡ1C"Y$1p3|~ܠi7Y 4@Ϫe‹7fu^{]D*[x*!+F bΎxжn#z'9ȟK7h^[m%]-T@ hF9H/`ETȗewЉsxa#Wat}!B{ bVHFߖH "j9` P1ե{ $eONv4@;=q}2<_6ZF 'YBljox]뉡'q u=, N;7Ɠ7$AbfM?x ̽?h)L\U]9ϩ ų%xg\\V_Se=n_pFwT(E`< R0- /F)JImx\ ~.ߑ at r7L1 hJ1 .A|&> {HM`2  'zPT "&_>ʠM.ӮG@`9\R;5?e9.m %0trlA ̈~@^we5?{S|) z!jpwa VHS {17#z k[ C#]@!|}<ChgxEf  ATM(*82=?0L Njd@`?\'y޹\1p _p%DD~q.W@Qm826^\#bW7{39b?= 0fc'vDf$ y#NzeFw`'/O1qGYGGh)%`DW TI]57?xVfGx-3%2; p3AܼRH//Tn9e^#V]*"l]?}pg\+XA8}$4?g߿L ϐ}y* v{ \~g}[1I@|iW#ȻU]h %8D}!4>E^:xAQ>F@,1_OEl[4+|9$pkAt!cnqG O]̅tҵqF4%Ed$2 .0'{@D2(Ψ]6ĥť:*]<.aA=kN΀\5 +gb83؅UykTE%q8'v*B @ a}.ƭ6mP'`7;) !;K" 8$b7Z;^  Q0f 28ppdb2SdsIENDB`(0`  <)|- 2 : B H B ; 1,P . Gb')+++++++)"qN 3  2m(++++++++++++++++)y 9 #$P^(++++++++++++++++++++*j)`+z++++++++++++++++++++++++ 3#T0.-,++++++++++++++++++++++'UY:98754321/.-+&$)++++++++++++Z3 B C BA@?=<;:,U; / (w#h , 2 A,++++++++( 0 !` N M L J I H G F @G $a / 1+4310/.-+N NEWVUTSQP J? ,4<;:8765#30[a`_]\[Z$_Y E D C BA?>0Q;ljihgfd]50L N L K J I H < %l &LutsqponL5(yNWVUTRQ J, 0Y ~ }|{zxwK( aQa_^]\[X/6]$###""!J HRjihfedc8<`(''&&%%G{6Rsrqpnml@?d**)))))Cm&O }{zyxwu $IFk,++++**?dJ##""!!  +P Px----,,,?aJy''&&%%$ 2WTz///....AbMz*))))((7[W{1100000CbOz++++***:\Y{3222221EbRz---,,,,;\[{4444433GbTz//....-=\^{6666555IbV{10000//?\`|8887777JbY{2222111A\b|::99998Lc[{4443333B\e|;;;;;::Nc]{6655555D] g|====<<<Pc_|8777776F] i}???>>>>Rcb|9999988H]!l}AA@@@@?Tdd|;;;;:::J]"n}CBBBBAAVdg|==<<<<<K^#p}DDDDCCCWd i}??>>>>=M^$s~FFFEEEEYd!k}@@@@@??O^%u~HHGGGGG[d"n}BBBBAAAQ^&w~JIIIIIH]d#p}DDDCCCCR^'yKKKKJJJ_d$r}FFEEEEDT^'|MMMMLLLae%t~HGGGGFFV^(OONNNNNbd&w~IIIIHHHV]JI))AQPPPPPO;(~(}HIKN'z'y?JOONNNNNMMG:; IHPRRRRRRRPIH LKOPPPPOOOMEF ZYRRRRRRRZY `^RRRRQQQWW  5%trRRRRR%tr 5 "";({yRRRRR$pn 1,+U/RRR/,+U-,\2RRR.+*O10x9R910x21;R7//q3223254232 r r????( @  3^\mt|{n[ As!=P(++++++++&X 7K{*+++++++++++++ ?WDf%,+++++++++++++++% ?[ #<:8643.!&++++++L I J H F D A!v?f  7Hp.1/-+)Ks 5ZXVTR#cY?=;97~AhfdbH   8 K I G F(Pvtrp< 5YWVT 2b""! B}<gedb ?k(''&GyAutrp L u++**IuF}""! ~ Xz.---JqM|('&&`~000/MqP|+***j3322QrS|---, p5554TrW}00// w8877Wr[}3222;:::Zs^}5554 @==<]sb~8877 @@??ase~;:::"CBBBdt h~===9!EEED gt!l@@?<'HHGG!ku#pCBBB KJJJ"mu$sEEED MMML$qu%wHHGG32)}%rqPPOO.'{}ABAD&w}0KJJJ!go$s{-1 -RRRRRRQ?JJUJK\>NMMMLLL(}76/5RRRRRFQPsRRzFPPOOO101(DCJ=RRRLVUXWMRRR:BADMLhDRP`_ cbPRBKJaTRI$om %trHQP~@? A@???(0 :*Xht{cr D/p$++++++++%t " ++++++++++++ p><974(  )++++k  AQO L ANq A`0742$ 6Badb^ ,n$n H G E= *7 (M_ywta,9VZXT>S==`v|'}GFF22AA@dv|)JJI45EDD iw|*NNM78HHG!ir )(&'ywERQQK:HHEG8HLKK<"lr !!YWACRRRR)~(~~POON?RS<!fdZHRR11RRG dcV%rqtL876768L$qos#mkPO*PO*#mkAAAAA~A~A~A~AAAAAAAAAA<A<A<A~AAA(  e/ "" h.l&++++++'jf)=@<-&#$++'RBy`\D5 C?&o[|xHgBw_\ <p))S]Ok{xS$~/.WW[e))k(43^Wce/.!w,99eW le43&0?>!mW#te99*5DC$tW&|e?>-8II'{W*eDC1%rrW=NN-ae6_e6.IH6!hrW+LLRRDVUTTANNG(L0gOH&vu'&vu'HO0g2~-@-@2~AAAAìAìAìAìAìAìAìAìAAAìAA   ;00 %    hXhx.rsrcunison-2.40.102/win32rc/unison.res0000644006131600613160000010645011361646373016732 0ustar bcpiercebcpierce   ( @ ????  ( @ʦ """)))UUUMMMBBB999|PP3f3333f333ff3fffff3f3f̙f3333f3333333333f3333333f3f33ff3f3f3f3333f3333333f3̙33333f333ff3ffffff3f33f3ff3f3f3ffff3fffffffff3fffffff3f̙ffff3ff333f3ff33fff33f3ff̙3f3f3333f333ff3fffff̙̙3̙f̙̙̙3f̙3f3f3333f333ff3fffff3f3f̙3ffffffffff!___www ,,, ,,, ,,,, ,,,, ,,,,, ,,,,, ,,,,, ,,,,, ,,,,, ,,,,, ,2,2, ,2,2, 2,2,2 2,2,2 22222 22222 22222 22222 22222 22222 22222 22222 28282 28282 82828 82828 28282 28282 88888 88888 88888 88888 88888 88888 888 888 88 88 88 88 ????;  PNG  IHDR\rf;IDATx]DI ( ]9tTPQbA;鈠Jޛyɦ&If7Kf^fg'y{ +@ ] )HiD#Rڕ`!҉+'2#"'rv8(DJ9C!+2%HUڟDZLrT|"UUi"v@f!  x={";.#ҝv9|G"IDI3iڕ?w~hݦ;24?( $rƃ27Y6ǥYDZB^" ߏD*Uy !G$X4k<_]|I?axP@VX1P6'9rԝ ;'&zx'D%%h9sڔpK ԭ mz֛ ǎ]^&2vB<@" Od\!wGn'%q`#sx $'ji#-<X/^pzڕJwH$199 L^6+d3aĻۤDj9HKp > a/t2!`w%yۈG)=tZ* >mLuH#"G<@3 ȣÇU1hЭ S\%=ʹ7ˈW ΟOGH8X`Z.Nz?)wxr Dy,"RO:u) cUU(0!8pkq(g$gw-6Hc"h9(LdxҤ50zvHǏˣ8/,Phi,U={4W\]cO 907oFqA~%9lbahFPbnDžՙ{=/%$/+IKs?~:?(_w\ދҖfbи<8}Zvy_6p8<}mUuaC/-qh;/؃>,cAnb+Q?f,+W_"* SH2<5g(0.@c<.p^P 6 d{N OCP GqGnޏ䃐q(0~.Erx,ЃKf`Ѐ 0vDPp. CQ{9C3 Ը8 5Y ;e%|Tj k ;/4ZZ÷Qີ(0z=GA8q<ȕY t*}̛{DJg w$p]'?G_~ȧ&gၛ@Vqe{p3RwDDrer {%Fq]DnL \k@Y?4j^ݻA:sf""ƱU]0n.xYIH ,Я͝EUfм&#D>Hfe@FэK^3J ҙ3:X @ ];ムmF1H \s,Г°Ql@"9/[L軍KoїRy\l% n}B?﨔{` If,z,w?Ԅ,Y?ʘ_H@2f~8/px0c4pe!°jx,jU[JMgHm !th&N̬1` ,@Lh@gxi+΀0Σ0 \͵=!L|L 3ΚUtF;vYCrf6𨉡S!Ls` "l`pul8,iE@ S&ˣQÌϥ]p0 4cVW?r% fuYhh:KDrx>= 32h+@I6,_qn%ᢣкbu 3mg &iuY83֩GwA YoUg[MI?.]WÌw*X MGW @ Ю21x\GG0J_.0~@t ^ 9Dq +7Wo\%w-.4a8$1pS*0abm,nE%ZfcwKi{jhpݶN"o8dϞ(^yI3qp;G'}Iֵ[>?f{.SW9$9zoa;zZ ?%nHEhf^x `;+jRޅ!p>%E[FBBa괺%ɹ׋Җ)f{&8NC;oS\k-<逛__ƜqÌA vk-[,Sֵl;QzB6Uc]D``R!Lu1XX˯ TSLa-CaZ՜B51֊y?#0gJ~q+ni9x 61v15H.Om"4Ak]Yғwov%t )dC c- LY$)d(uסH g p5:Fzp n t2B>7'@A] sm JYi=9x V5mV"]Z}bЫ,2P`e#} C$ƪe7+/!NC!zkzڋ3d@MV!0'Haf]sp kegTN^B& ){nYC |^e c(0 #ܪ᳁nVVB!/mwyA9x fM.; '5|% \gmT 9lC!?( 0S"[88Dän5v+K @'8x K͊ 1Gh=P`Vm} L NN!@E7+K lC!kd$t~a|\J>JY< c({4. 7K*'P.o ߜEE:#B4)gxSP7Ѯ'e+c)5|\)h9x r$¾W+PρguNNG̵zb*`7;PZ zs~&[]rn 'Z6N[TW DCо?'Z5  NN!@c 3eS}4׎`3sp &~xKd.c><b^FRN ~aWd@&|0[5 h,'U}t798B#oi1>)b*k&NB!5TWkN.tS(~4aV^p(0FdV' |&HP{0p3s LᛁL'GPJ[<?h7;P`}7+NN~ L[8dk>rA98H*Dm8x-Xy .I^!5WXG7*kfNB!_`qb488BF! ,h8x ~Vpwpp䅉T0UcQ}~2$ױ݇`GJA#/o-ѫ-|w=N @ͼ0A0|up tx)hR. ~6MNC!{EibBQ{88HUE2 sG"MÒ``R&khfn [(Dt ܬqp ^-]EXX8TO2:0uwF;1DH5! I=?  0pXp:8l'o% ܬ&Hpk@hfzs | so؏`4qp ^\/(:df |)O_q\CY=? !ȮF;P`Dwӣ[gJ^{bxPLz~N^VN|& %$7)GR$8xv%T[nI'z4_"TF(-خWYwwq gs4'P2>8xĄ (@٢q  G^{ !D+DuBHپB#q"3YY0L0Y)P/H ^'Q"E_7}IP-øƟ &+jxJB#ws  Ƨp#ϵc=XsFd`R&gKksX *K 5pHV VT\QA0UN4N^B!,Dbtp<36 =T VԣD )~{5C/?|/LQfdqRB[`1R`֖sx,vU8HpL3E7 Bm |C$&{[nE/ڎ;9ːvUHקWS <2f/llmEyϫ&kCB荁GK vUIJ%S`@`>Bq% yAp4,; 63CM}su(wX _Wkh7X%D\< ЊOOn}_- cVR"JK^ <\vǸt@݀z`&rs`k8,n=cN9[ke&RLdXޯdE7b0tH1ͧV /" +uCJ|1O&DZT(_8+,_q%UW8,Bj9 /> %h6X%D*־iX037'sK FJW8JC׽Ԧk#{M ;x wnU͗ H\4p]ؼL8 ){?~6X&Qųc^GW"@A ]J /' 6G].^tF̒ Vn2 =HR)0[!h%7 =MGK9`" Lm \?}6p37 Y96nƥSCN \Oρ~ZwAv AX*$"oD)~5pmZ/LjNY{7Э.GRv9 \u`W_eQgCQk!qB ժH*L'*gJN \q<]&DVPhx%1;nX9T'@T݀z`&+[ra-'.e?8:M&Dk>S]ٯMAVs|VN*|G=Y7et_QN+Seh@&;K-F -ׅ>;. 5H#ڍV c"!exfѺx“8rQ+Z`hӭGeW64"WJCJN:iuF/=N:"{ѡzܚ6Jaɯsf@O?iG *@M}i6`4LwUNs{CQ`<]t1[M< A| `br7@@/`Q\P& 2L-wRvأɫpby ڤd6/ i>^*K@;@h ;c`\; aVW'u)YG A ʕ͗;]㲁NbW=~8_܃ hjXs[NwFo++Fy @+"3h7X' <5)*kі.r[M= PB;,u.U xeN9we㲔.Q.l^d<㥁Gi?< \! ΁a _Hބ? ^&M.7_]Nq!`@"`=zhu׌u#5&t1bLsaUY;%4 )!jtN0pZ} V6y@୺g0z~H@k40(Cd+,- %—bۺF<#TM /ԣی:ڗK ra3ppXZ@3R6hO#2t=O y"))X'|$wo>1Ůۼ&2X'[.5O8!fcTX?m${aF&n{a؞t)o>Ne<*/T&ILq+XNf 3Ԇk .1"4ȗ~rc5'::ÔcW\< # ?o=nL^_nk_{ 7/pèa kY#+T 癁k,vu J d2 @ WA2`DhBHxԲ?9,bۉ\ ezOe]OG7@xr%tvq(\(S">]q{ӓZB`9gp'%>' x8+I~) j {$Vj}~Dq!h1HO[Bbw\z \0k@ϵaIG pHfpBBSe%c"Ϯzc5p9?WGxSq B۳ +]3K}ߩ;)[ =|:`x `@? 5r_. %x(95 ܬ.w$r_DWp$@: \TKuXCs蕁kҢ?H^A. $Ui$tm| .9ZKgTyȶg7Fl@MI 0BeX,;Ϛ`2tNc3pk ?+.̀7v\5F8TӅiz 덛{ʡ1C"Y$1p3|~ܠi7Y 4@Ϫe‹7fu^{]D*[x*!+F bΎxжn#z'9ȟK7h^[m%]-T@ hF9H/`ETȗewЉsxa#Wat}!B{ bVHFߖH "j9` P1ե{ $eONv4@;=q}2<_6ZF 'YBljox]뉡'q u=, N;7Ɠ7$AbfM?x ̽?h)L\U]9ϩ ų%xg\\V_Se=n_pFwT(E`< R0- /F)JImx\ ~.ߑ at r7L1 hJ1 .A|&> {HM`2  'zPT "&_>ʠM.ӮG@`9\R;5?e9.m %0trlA ̈~@^we5?{S|) z!jpwa VHS {17#z k[ C#]@!|}<ChgxEf  ATM(*82=?0L Njd@`?\'y޹\1p _p%DD~q.W@Qm826^\#bW7{39b?= 0fc'vDf$ y#NzeFw`'/O1qGYGGh)%`DW TI]57?xVfGx-3%2; p3AܼRH//Tn9e^#V]*"l]?}pg\+XA8}$4?g߿L ϐ}y* v{ \~g}[1I@|iW#ȻU]h %8D}!4>E^:xAQ>F@,1_OEl[4+|9$pkAt!cnqG O]̅tҵqF4%Ed$2 .0'{@D2(Ψ]6ĥť:*]<.aA=kN΀\5 +gb83؅UykTE%q8'v*B @ a}.ƭ6mP'`7;) !;K" 8$b7Z;^  Q0f 28ppdb2SdsIENDB`%  (0`  <)|- 2 : B H B ; 1,P . Gb')+++++++)"qN 3  2m(++++++++++++++++)y 9 #$P^(++++++++++++++++++++*j)`+z++++++++++++++++++++++++ 3#T0.-,++++++++++++++++++++++'UY:98754321/.-+&$)++++++++++++Z3 B C BA@?=<;:,U; / (w#h , 2 A,++++++++( 0 !` N M L J I H G F @G $a / 1+4310/.-+N NEWVUTSQP J? ,4<;:8765#30[a`_]\[Z$_Y E D C BA?>0Q;ljihgfd]50L N L K J I H < %l &LutsqponL5(yNWVUTRQ J, 0Y ~ }|{zxwK( aQa_^]\[X/6]$###""!J HRjihfedc8<`(''&&%%G{6Rsrqpnml@?d**)))))Cm&O }{zyxwu $IFk,++++**?dJ##""!!  +P Px----,,,?aJy''&&%%$ 2WTz///....AbMz*))))((7[W{1100000CbOz++++***:\Y{3222221EbRz---,,,,;\[{4444433GbTz//....-=\^{6666555IbV{10000//?\`|8887777JbY{2222111A\b|::99998Lc[{4443333B\e|;;;;;::Nc]{6655555D] g|====<<<Pc_|8777776F] i}???>>>>Rcb|9999988H]!l}AA@@@@?Tdd|;;;;:::J]"n}CBBBBAAVdg|==<<<<<K^#p}DDDDCCCWd i}??>>>>=M^$s~FFFEEEEYd!k}@@@@@??O^%u~HHGGGGG[d"n}BBBBAAAQ^&w~JIIIIIH]d#p}DDDCCCCR^'yKKKKJJJ_d$r}FFEEEEDT^'|MMMMLLLae%t~HGGGGFFV^(OONNNNNbd&w~IIIIHHHV]JI))AQPPPPPO;(~(}HIKN'z'y?JOONNNNNMMG:; IHPRRRRRRRPIH LKOPPPPOOOMEF ZYRRRRRRRZY `^RRRRQQQWW  5%trRRRRR%tr 5 "";({yRRRRR$pn 1,+U/RRR/,+U-,\2RRR.+*O10x9R910x21;R7//q3223254232 r r????  ( @  3^\mt|{n[ As!=P(++++++++&X 7K{*+++++++++++++ ?WDf%,+++++++++++++++% ?[ #<:8643.!&++++++L I J H F D A!v?f  7Hp.1/-+)Ks 5ZXVTR#cY?=;97~AhfdbH   8 K I G F(Pvtrp< 5YWVT 2b""! B}<gedb ?k(''&GyAutrp L u++**IuF}""! ~ Xz.---JqM|('&&`~000/MqP|+***j3322QrS|---, p5554TrW}00// w8877Wr[}3222;:::Zs^}5554 @==<]sb~8877 @@??ase~;:::"CBBBdt h~===9!EEED gt!l@@?<'HHGG!ku#pCBBB KJJJ"mu$sEEED MMML$qu%wHHGG32)}%rqPPOO.'{}ABAD&w}0KJJJ!go$s{-1 -RRRRRRQ?JJUJK\>NMMMLLL(}76/5RRRRRFQPsRRzFPPOOO101(DCJ=RRRLVUXWMRRR:BADMLhDRP`_ cbPRBKJaTRI$om %trHQP~@? A@???  (0 :*Xht{cr D/p$++++++++%t " ++++++++++++ p><974(  )++++k  AQO L ANq A`0742$ 6Badb^ ,n$n H G E= *7 (M_ywta,9VZXT>S==`v|'}GFF22AA@dv|)JJI45EDD iw|*NNM78HHG!ir )(&'ywERQQK:HHEG8HLKK<"lr !!YWACRRRR)~(~~POON?RS<!fdZHRR11RRG dcV%rqtL876768L$qos#mkPO*PO*#mkAAAAA~A~A~A~AAAAAAAAAA<A<A<A~AAAh  (  e/ "" h.l&++++++'jf)=@<-&#$++'RBy`\D5 C?&o[|xHgBw_\ <p))S]Ok{xS$~/.WW[e))k(43^Wce/.!w,99eW le43&0?>!mW#te99*5DC$tW&|e?>-8II'{W*eDC1%rrW=NN-ae6_e6.IH6!hrW+LLRRDVUTTANNG(L0gOH&vu'&vu'HO0g2~-@-@2~AAAAìAìAìAìAìAìAìAìAAAìAAh4UNISON_ICON    ;00 %    hunison-2.40.102/fileutil.ml0000644006131600613160000000247511361646373015566 0ustar bcpiercebcpierce(* Unison file synchronizer: src/fileutil.ml *) (* Copyright 1999-2009, Benjamin C. Pierce This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . *) (* Convert backslashes in a string to forward slashes. Useful in Windows. *) let backslashes2forwardslashes s0 = try ignore(String.index s0 '\\'); (* avoid alloc if possible *) let n = String.length s0 in let s = String.create n in for i = 0 to n-1 do let c = String.get s0 i in if c = '\\' then String.set s i '/' else String.set s i c done; s with Not_found -> s0 let rec removeTrailingSlashes s = let len = String.length s in if len>0 && String.get s (len-1) = '/' then removeTrailingSlashes (String.sub s 0 (len-1)) else s unison-2.40.102/system/0000755006131600613160000000000012050210656014716 5ustar bcpiercebcpierceunison-2.40.102/system/win/0000755006131600613160000000000012050210657015514 5ustar bcpiercebcpierceunison-2.40.102/system/win/system_impl.ml0000644006131600613160000000470711361646373020437 0ustar bcpiercebcpierce(* Unison file synchronizer: src/system/win/system_impl.ml *) (* Copyright 1999-2009, Benjamin C. Pierce This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . *) module System = System_win.M (struct let useLongUNCPaths = false end) module Fs = struct let unicode = ref false let setUnicodeEncoding u = unicode := u let c1 f1 f2 v1 = if !unicode then f1 v1 else f2 v1 let c2 f1 f2 v1 v2 = if !unicode then f1 v1 v2 else f2 v1 v2 let c3 f1 f2 v1 v2 v3 = if !unicode then f1 v1 v2 v3 else f2 v1 v2 v3 module G = System_generic module W = System_win.M (struct let useLongUNCPaths = true end) type fspath = string let fspathConcat v1 v2 = c2 W.fspathConcat G.fspathConcat v1 v2 let fspathDirname v = c1 W.fspathDirname G.fspathDirname v type dir_handle = G.dir_handle = { readdir : unit -> string; closedir : unit -> unit } let symlink v1 v2 = c2 W.symlink G.symlink v1 v2 let readlink v = c1 W.readlink G.readlink v let chown v1 v2 v3 = c3 W.chown G.chown v1 v2 v3 let chmod v1 v2 = c2 W.chmod G.chmod v1 v2 let utimes v1 v2 v3 = c3 W.utimes G.utimes v1 v2 v3 let unlink v = c1 W.unlink G.unlink v let rmdir v = c1 W.rmdir G.rmdir v let mkdir v1 v2 = c2 W.mkdir G.mkdir v1 v2 let rename v1 v2 = c2 W.rename G.rename v1 v2 let stat v = c1 W.stat G.stat v let lstat v = c1 W.lstat G.lstat v let opendir v = c1 W.opendir G.opendir v let openfile v1 v2 v3 = c3 W.openfile G.openfile v1 v2 v3 let open_in_gen v1 v2 v3 = c3 W.open_in_gen G.open_in_gen v1 v2 v3 let open_out_gen v1 v2 v3 = c3 W.open_out_gen G.open_out_gen v1 v2 v3 let getcwd v = c1 W.getcwd G.getcwd v let chdir v = c1 W.chdir G.chdir v let readlink v = c1 W.readlink G.readlink v let fingerprint v = c1 W.fingerprint G.fingerprint v let canSetTime v = c1 W.canSetTime G.canSetTime v let hasInodeNumbers v = c1 W.hasInodeNumbers G.hasInodeNumbers v end unison-2.40.102/system/generic/0000755006131600613160000000000012050210656016332 5ustar bcpiercebcpierceunison-2.40.102/system/generic/system_impl.ml0000644006131600613160000000155711361646373021256 0ustar bcpiercebcpierce(* Unison file synchronizer: src/system/generic/system_impl.ml *) (* Copyright 1999-2009, Benjamin C. Pierce This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . *) module System = System_generic module Fs = struct include System_generic let setUnicodeEncoding _ = () end unison-2.40.102/system/system_intf.ml0000644006131600613160000000563411361646373017641 0ustar bcpiercebcpierce(* Unison file synchronizer: src/system/system_intf.ml *) (* Copyright 1999-2009, Benjamin C. Pierce This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . *) module type Core = sig type fspath type dir_handle = { readdir : unit -> string; closedir : unit -> unit } val symlink : string -> fspath -> unit val readlink : fspath -> string val chown : fspath -> int -> int -> unit val chmod : fspath -> int -> unit val utimes : fspath -> float -> float -> unit val unlink : fspath -> unit val rmdir : fspath -> unit val mkdir : fspath -> Unix.file_perm -> unit val rename : fspath -> fspath -> unit val stat : fspath -> Unix.LargeFile.stats val lstat : fspath -> Unix.LargeFile.stats val opendir : fspath -> dir_handle val openfile : fspath -> Unix.open_flag list -> Unix.file_perm -> Unix.file_descr (****) val open_out_gen : open_flag list -> int -> fspath -> out_channel val open_in_bin : fspath -> in_channel val file_exists : fspath -> bool val fingerprint : fspath -> Digest.t (****) val canSetTime : fspath -> bool val hasInodeNumbers : unit -> bool end module type Full = sig include Core val putenv : string -> string -> unit val getenv : string -> string val argv : unit -> string array val fspathFromString : string -> fspath val fspathToPrintString : fspath -> string val fspathToDebugString : fspath -> string val fspathToString : fspath -> string val fspathConcat : fspath -> string -> fspath val fspathDirname : fspath -> fspath val fspathAddSuffixToFinalName : fspath -> string -> fspath val open_in_gen : open_flag list -> int -> fspath -> in_channel val link : fspath -> fspath -> unit val chdir : fspath -> unit val getcwd : unit -> fspath val create_process : string -> string array -> Unix.file_descr -> Unix.file_descr -> Unix.file_descr -> int val open_process_in : string -> in_channel val open_process_out : string -> out_channel val open_process_full : string -> in_channel * out_channel * in_channel val close_process_in : in_channel -> Unix.process_status val close_process_out : out_channel -> Unix.process_status val close_process_full : in_channel * out_channel * in_channel -> Unix.process_status type terminalStateFunctions = { defaultTerminal : unit -> unit; rawTerminal : unit -> unit; startReading : unit -> unit; stopReading : unit -> unit } val terminalStateFunctions : unit -> terminalStateFunctions end unison-2.40.102/system/system_win.ml0000755006131600613160000002617211361646373017501 0ustar bcpiercebcpierce(* Unison file synchronizer: src/system/system_win.ml *) (* Copyright 1999-2009, Benjamin C. Pierce This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . *) (*XXXX - Use SetConsoleOutputCP/SetConsoleCP in text mode ??? http://www.codeproject.com/KB/cpp/unicode_console_output.aspx?display=Print *) module M (P : sig val useLongUNCPaths : bool end) = struct type fspath = string let fspathFromString f = f let fspathToPrintString f = f let fspathToString f = f let fspathToDebugString f = String.escaped f let fspathConcat = Filename.concat let fspathDirname = Filename.dirname let fspathAddSuffixToFinalName f suffix = f ^ suffix (****) let fixPath f = for i = 0 to String.length f - 1 do if f.[i] = '/' then f.[i] <- '\\' done; f let winRootRx = Rx.rx "[a-zA-Z]:[/\\].*" let winUncRx = Rx.rx "[/\\][/\\][^/\\]+[/\\][^/\\]+[/\\].*" let extendedPath f = if not P.useLongUNCPaths then f else if Rx.match_string winRootRx f then fixPath ("\\\\?\\" ^ f) else if Rx.match_string winUncRx f then fixPath ("\\\\?\\UNC" ^ String.sub f 1 (String.length f - 1)) else f let encodingError p = raise (Sys_error (Format.sprintf "The file path '%s' is not encoded in Unicode." p)) let utf8 = Unicode.from_utf_16 let utf16 s = try Unicode.to_utf_16 s with Unicode.Invalid -> raise (Sys_error (Format.sprintf "The text '%s' is not encoded in Unicode" s)) let path8 = Unicode.from_utf_16(*_filename*) let path16 f = try Unicode.to_utf_16(*_filename*) f with Unicode.Invalid -> encodingError f let epath f = try Unicode.to_utf_16(*_filename*) (extendedPath f) with Unicode.Invalid -> encodingError f let sys_error e = match e with Unix.Unix_error (err, _, "") -> raise (Sys_error (Unix.error_message err)) | Unix.Unix_error (err, _, s) -> raise (Sys_error (Format.sprintf "%s: %s" s (Unix.error_message err))) | _ -> raise e (****) external getenv_impl : string -> string = "win_getenv" external putenv_impl : string -> string -> string -> unit = "win_putenv" external argv_impl : unit -> string array = "win_argv" let getenv nm = utf8 (getenv_impl (utf16 nm)) let putenv nm v = putenv_impl nm (utf16 nm) (utf16 v) let argv () = Array.map utf8 (argv_impl ()) (****) type dir_entry = Dir_empty | Dir_read of string | Dir_toread type dir_handle = System_generic.dir_handle = { readdir : unit -> string; closedir : unit -> unit } external stat_impl : string -> string -> Unix.LargeFile.stats = "win_stat" external rmdir_impl : string -> string -> unit = "win_rmdir" external mkdir_impl : string -> string -> unit = "win_mkdir" external unlink_impl : string -> string -> unit = "win_unlink" external rename_impl : string -> string -> string -> unit = "win_rename" external link_impl : string -> string -> string -> unit = "win_link" external chmod_impl : string -> string -> int -> unit = "win_chmod" external utimes_impl : string -> string -> float -> float -> unit = "win_utimes" external open_impl : string -> string -> Unix.open_flag list -> Unix.file_perm -> Unix.file_descr = "win_open" external chdir_impl : string -> string -> unit = "win_chdir" external getcwd_impl : unit -> string = "win_getcwd" external findfirst : string -> string * int = "win_findfirstw" external findnext : int -> string = "win_findnextw" external findclose : int -> unit = "win_findclosew" let stat f = stat_impl f (epath f) let lstat = stat let rmdir f = rmdir_impl f (epath f) let mkdir f perms = mkdir_impl f (epath f) let unlink f = unlink_impl f (epath f) let rename f1 f2 = rename_impl f1 (epath f1) (epath f2) let chmod f perm = chmod_impl f (epath f) perm let chown _ _ _ = raise (Unix.Unix_error (Unix.ENOSYS, "chown", "")) let utimes f t1 t2 = utimes_impl f (epath f) t1 t2 let link f1 f2 = link_impl f1 (epath f1) (epath f2) let openfile f flags perm = open_impl f (epath f) flags perm let readlink _ = raise (Unix.Unix_error (Unix.ENOSYS, "readlink", "")) let symlink _ _ = raise (Unix.Unix_error (Unix.ENOSYS, "symlink", "")) let chdir f = try chdir_impl f (path16 f) (* Better not to use [epath] here *) with e -> sys_error e let getcwd () = try path8 (getcwd_impl ()) with e -> sys_error e let badFileRx = Rx.rx ".*[?*].*" let opendir d = if Rx.match_string badFileRx d then raise (Unix.Unix_error (Unix.ENOENT, "opendir", d)); let (handle, entry_read) = try let (first_entry, handle) = findfirst (epath (fspathConcat d "*")) in (handle, ref (Dir_read first_entry)) with End_of_file -> (0, ref Dir_empty) in { readdir = (fun () -> match !entry_read with Dir_empty -> raise End_of_file | Dir_read name -> entry_read := Dir_toread; path8 name | Dir_toread -> path8 (findnext handle)); closedir = (fun () -> match !entry_read with Dir_empty -> () | _ -> findclose handle) } let rec conv_flags fl = match fl with Open_rdonly :: rem -> Unix.O_RDONLY :: conv_flags rem | Open_wronly :: rem -> Unix.O_WRONLY :: conv_flags rem | Open_append :: rem -> Unix.O_APPEND :: conv_flags rem | Open_creat :: rem -> Unix.O_CREAT :: conv_flags rem | Open_trunc :: rem -> Unix.O_TRUNC :: conv_flags rem | Open_excl :: rem -> Unix.O_EXCL :: conv_flags rem | Open_binary :: rem -> conv_flags rem | Open_text :: rem -> conv_flags rem | Open_nonblock :: rem -> Unix.O_NONBLOCK :: conv_flags rem | [] -> [] let open_in_gen flags perms f = try Unix.in_channel_of_descr (openfile f (conv_flags flags) perms) with e -> sys_error e let open_out_gen flags perms f = try Unix.out_channel_of_descr (openfile f (conv_flags flags) perms) with e -> sys_error e (****) let file_exists f = try ignore (stat f); true with Unix.Unix_error ((Unix.ENOENT | Unix.ENOTDIR), _, _) -> false | e -> sys_error e let open_in_bin f = open_in_gen [Open_rdonly; Open_binary] 0 f (****) external win_create_process : string -> string -> string -> Unix.file_descr -> Unix.file_descr -> Unix.file_descr -> int = "w_create_process" "w_create_process_native" let make_cmdline args = let maybe_quote f = if String.contains f ' ' || String.contains f '\"' then Filename.quote f else f in String.concat " " (List.map maybe_quote (Array.to_list args)) let create_process prog args fd1 fd2 fd3 = win_create_process prog (utf16 prog) (utf16 (make_cmdline args)) fd1 fd2 fd3 (****) (* The following is by Xavier Leroy and Pascal Cuoq, projet Cristal, INRIA Rocquencourt. Taken from the Objective Caml win32unix library. *) type popen_process = Process of in_channel * out_channel | Process_in of in_channel | Process_out of out_channel | Process_full of in_channel * out_channel * in_channel let popen_processes = (Hashtbl.create 7 : (popen_process, int) Hashtbl.t) let open_proc cmd proc input output error = let shell = try getenv "COMSPEC" with Not_found -> raise(Unix.Unix_error(Unix.ENOEXEC, "open_proc", cmd)) in let pid = win_create_process shell (utf16 shell) (utf16 (shell ^ " /c " ^ cmd)) input output error in Hashtbl.add popen_processes proc pid let open_process_in cmd = let (in_read, in_write) = Unix.pipe() in Unix.set_close_on_exec in_read; let inchan = Unix.in_channel_of_descr in_read in open_proc cmd (Process_in inchan) Unix.stdin in_write Unix.stderr; Unix.close in_write; inchan let open_process_out cmd = let (out_read, out_write) = Unix.pipe() in Unix.set_close_on_exec out_write; let outchan = Unix.out_channel_of_descr out_write in open_proc cmd (Process_out outchan) out_read Unix.stdout Unix.stderr; Unix.close out_read; outchan let open_process_full cmd = let (in_read, in_write) = Unix.pipe() in let (out_read, out_write) = Unix.pipe() in let (err_read, err_write) = Unix.pipe() in Unix.set_close_on_exec in_read; Unix.set_close_on_exec out_write; Unix.set_close_on_exec err_read; let inchan = Unix.in_channel_of_descr in_read in let outchan = Unix.out_channel_of_descr out_write in let errchan = Unix.in_channel_of_descr err_read in open_proc cmd (Process_full(inchan, outchan, errchan)) out_read in_write err_write; Unix.close out_read; Unix.close in_write; Unix.close err_write; (inchan, outchan, errchan) let find_proc_id fun_name proc = try let pid = Hashtbl.find popen_processes proc in Hashtbl.remove popen_processes proc; pid with Not_found -> raise(Unix.Unix_error(Unix.EBADF, fun_name, "")) let close_process_in inchan = let pid = find_proc_id "close_process_in" (Process_in inchan) in close_in inchan; snd(Unix.waitpid [] pid) let close_process_out outchan = let pid = find_proc_id "close_process_out" (Process_out outchan) in close_out outchan; snd(Unix.waitpid [] pid) let close_process_full (inchan, outchan, errchan) = let pid = find_proc_id "close_process_full" (Process_full(inchan, outchan, errchan)) in close_in inchan; close_out outchan; close_in errchan; snd(Unix.waitpid [] pid) (****) (* The new implementation of utimes does not have the limitation of the standard one *) let canSetTime f = true (* We provide some kind of inode numbers *) (* However, these inode numbers are not usable on FAT filesystems, as renaming a file "b" over a file "a" does not change the inode number of "a". *) let hasInodeNumbers () = true (****) external getConsoleMode : unit -> int = "win_get_console_mode" external setConsoleMode : int -> unit = "win_set_console_mode" external getConsoleOutputCP : unit -> int = "win_get_console_output_cp" external setConsoleOutputCP : int -> unit = "win_set_console_output_cp" type terminalStateFunctions = { defaultTerminal : unit -> unit; rawTerminal : unit -> unit; startReading : unit -> unit; stopReading : unit -> unit } let terminalStateFunctions () = let oldstate = getConsoleMode () in let oldcp = getConsoleOutputCP () in (* Ctrl-C does not interrupt a call to ReadFile when ENABLE_LINE_INPUT is not set, so we handle Ctr-C as a character when reading from the console. We still want Ctrl-C to generate an exception when not reading from the console in order to be able to interrupt Unison at any time. *) { defaultTerminal = (fun () -> setConsoleMode oldstate; setConsoleOutputCP oldcp); rawTerminal = (fun () -> setConsoleMode 0x19; setConsoleOutputCP 65001); startReading = (fun () -> setConsoleMode 0x18); stopReading = (fun () -> setConsoleMode 0x19) } (****) let fingerprint f = let ic = open_in_bin f in let d = Digest.channel ic (-1) in close_in ic; d end unison-2.40.102/system/system_generic.ml0000755006131600613160000000644411361646373020320 0ustar bcpiercebcpierce(* Unison file synchronizer: src/system/system_generic.ml *) (* Copyright 1999-2009, Benjamin C. Pierce This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . *) type fspath = string let fspathFromString f = f let fspathToPrintString f = f let fspathToString f = f let fspathToDebugString f = String.escaped f let fspathConcat = Filename.concat let fspathDirname = Filename.dirname let fspathAddSuffixToFinalName f suffix = f ^ suffix (****) let getenv = Sys.getenv let putenv = Unix.putenv let argv () = Sys.argv (****) type dir_handle = { readdir : unit -> string; closedir : unit -> unit } let stat = Unix.LargeFile.stat let lstat = Unix.LargeFile.lstat let rmdir = Unix.rmdir let mkdir = Unix.mkdir let unlink = Unix.unlink let rename = Unix.rename let open_in_gen = open_in_gen let open_out_gen = open_out_gen let chmod = Unix.chmod let chown = Unix.chown let utimes = Unix.utimes let link = Unix.link let openfile = Unix.openfile let opendir f = let h = Unix.opendir f in { readdir = (fun () -> Unix.readdir h); closedir = (fun () -> Unix.closedir h) } let readdir = Unix.readdir let closedir = Unix.closedir let readlink = Unix.readlink let symlink = Unix.symlink let chdir = Sys.chdir let getcwd = Sys.getcwd (****) let file_exists = Sys.file_exists let open_in_bin = open_in_bin (****) let create_process = Unix.create_process let open_process_in = Unix.open_process_in let open_process_out = Unix.open_process_out let open_process_full cmd = Unix.open_process_full cmd (Unix.environment ()) let close_process_in = Unix.close_process_in let close_process_out = Unix.close_process_out let close_process_full = Unix.close_process_full (****) let isNotWindows = Sys.os_type <> "Win32" let canSetTime f = isNotWindows || try Unix.access f [Unix.W_OK]; true with Unix.Unix_error _ -> false (* Note that Cygwin provides some kind of inode numbers, but we only have access to the lower 32 bits on 32bit systems... *) let hasInodeNumbers () = isNotWindows (****) type terminalStateFunctions = { defaultTerminal : unit -> unit; rawTerminal : unit -> unit; startReading : unit -> unit; stopReading : unit -> unit } let terminalStateFunctions () = let oldState = Unix.tcgetattr Unix.stdin in { defaultTerminal = (fun () -> Unix.tcsetattr Unix.stdin Unix.TCSANOW oldState); rawTerminal = (fun () -> let newState = { oldState with Unix.c_icanon = false; Unix.c_echo = false; Unix.c_vmin = 1 } in Unix.tcsetattr Unix.stdin Unix.TCSANOW newState); startReading = (fun () -> ()); stopReading = (fun () -> ()) } (****) let fingerprint f = let ic = open_in_bin f in let d = Digest.channel ic (-1) in close_in ic; d unison-2.40.102/system/system_win_stubs.c0000755006131600613160000003451311453636173020530 0ustar bcpiercebcpierce#include #include #include #include #define WINVER 0x0500 #include #include #include #define NT_MAX_PATH 32768 #define Nothing ((value) 0) struct filedescr { union { HANDLE handle; SOCKET socket; } fd; enum { KIND_HANDLE, KIND_SOCKET } kind; int crt_fd; }; #define Handle_val(v) (((struct filedescr *) Data_custom_val(v))->fd.handle) static value copy_wstring(LPCWSTR s) { int len; value res; len = 2 * wcslen(s) + 2; /* NULL character included */ res = caml_alloc_string(len); memmove(String_val(res), s, len); return res; } extern void win32_maperr (DWORD errcode); extern void uerror (char * cmdname, value arg); extern value win_alloc_handle (HANDLE h); extern value cst_to_constr (int n, int * tbl, int size, int deflt); static int open_access_flags[12] = { GENERIC_READ, GENERIC_WRITE, GENERIC_READ|GENERIC_WRITE, 0, 0, 0, 0, 0, 0, 0, 0, 0 }; static int open_create_flags[12] = { 0, 0, 0, 0, O_APPEND, O_CREAT, O_TRUNC, O_EXCL, 0, 0, 0, 0 }; /****/ CAMLprim value win_rmdir(value path, value wpath) { CAMLparam2(path, wpath); if (!RemoveDirectoryW((LPWSTR)String_val(wpath))) { win32_maperr (GetLastError ()); uerror("rmdir", path); } CAMLreturn (Val_unit); } CAMLprim value win_mkdir(value path, value wpath) { CAMLparam2(path, wpath); if (!CreateDirectoryW((LPWSTR)String_val(wpath), NULL)) { win32_maperr (GetLastError ()); uerror("mkdir", path); } CAMLreturn (Val_unit); } CAMLprim value win_unlink(value path, value wpath) { CAMLparam2(path, wpath); if (!DeleteFileW((LPWSTR)String_val(wpath))) { win32_maperr (GetLastError ()); uerror("unlink", path); } CAMLreturn (Val_unit); } CAMLprim value win_rename(value path1, value wpath1, value wpath2) { int err, t; CAMLparam3(path1, wpath1, wpath2); t = 10; retry: if (!MoveFileExW((LPWSTR)String_val(wpath1), (LPWSTR)String_val(wpath2), MOVEFILE_REPLACE_EXISTING)) { err = GetLastError (); if ((err == ERROR_SHARING_VIOLATION || err == ERROR_ACCESS_DENIED) && t < 1000) { /* The renaming may fail due to an indexer or an anti-virus. We retry after a short time in the hope that this other program is done with the file. */ Sleep (t); t *= 2; goto retry; } win32_maperr (err); uerror("rename", path1); } CAMLreturn (Val_unit); } CAMLprim value win_link(value path1, value wpath1, value wpath2) { CAMLparam3(path1, wpath1, wpath2); if (!CreateHardLinkW((LPWSTR)String_val(wpath2), (LPWSTR)String_val(wpath1), NULL)) { win32_maperr (GetLastError ()); uerror("rename", path1); } CAMLreturn (Val_unit); } CAMLprim value win_chmod (value path, value wpath, value perm) { DWORD attr; CAMLparam3(path, wpath, perm); attr = GetFileAttributesW ((LPCWSTR)String_val (wpath)); if (attr == INVALID_FILE_ATTRIBUTES) { win32_maperr (GetLastError ()); uerror("chmod", path); } if (Int_val(perm) & _S_IWRITE) attr &= ~FILE_ATTRIBUTE_READONLY; else attr |= FILE_ATTRIBUTE_READONLY; if (!SetFileAttributesW ((LPCWSTR)String_val (wpath), attr)) { win32_maperr (GetLastError ()); uerror("chmod", path); } CAMLreturn (Val_unit); } CAMLprim value win_utimes (value path, value wpath, value atime, value mtime) { HANDLE h; BOOL res; ULARGE_INTEGER iatime, imtime; FILETIME fatime, fmtime; CAMLparam4(path, wpath, atime, mtime); iatime.QuadPart = Double_val(atime); imtime.QuadPart = Double_val(mtime); /* http://www.filewatcher.com/p/Win32-UTCFileTime-1.44.tar.gz.93147/Win32-UTCFileTime-1.44/UTCFileTime.xs.html */ /* http://savannah.nongnu.org/bugs/?22781#comment0 */ if (iatime.QuadPart || imtime.QuadPart) { iatime.QuadPart += 11644473600ull; iatime.QuadPart *= 10000000ull; fatime.dwLowDateTime = iatime.LowPart; fatime.dwHighDateTime = iatime.HighPart; imtime.QuadPart += 11644473600ull; imtime.QuadPart *= 10000000ull; fmtime.dwLowDateTime = imtime.LowPart; fmtime.dwHighDateTime = imtime.HighPart; } else { GetSystemTimeAsFileTime (&fatime); fmtime = fatime; } h = CreateFileW ((LPWSTR) wpath, FILE_WRITE_ATTRIBUTES, FILE_SHARE_READ | FILE_SHARE_WRITE, NULL, OPEN_EXISTING, 0, NULL); if (h == INVALID_HANDLE_VALUE) { win32_maperr (GetLastError ()); uerror("utimes", path); } res = SetFileTime (h, NULL, &fatime, &fmtime); if (res == 0) { win32_maperr (GetLastError ()); (void)CloseHandle (h); uerror("utimes", path); } res = CloseHandle (h); if (res == 0) { win32_maperr (GetLastError ()); uerror("utimes", path); } CAMLreturn (Val_unit); } CAMLprim value win_open (value path, value wpath, value flags, value perm) { int fileaccess, createflags, fileattrib, filecreate; SECURITY_ATTRIBUTES attr; HANDLE h; CAMLparam4 (path, wpath, flags, perm); fileaccess = convert_flag_list(flags, open_access_flags); createflags = convert_flag_list(flags, open_create_flags); if ((createflags & (O_CREAT | O_EXCL)) == (O_CREAT | O_EXCL)) filecreate = CREATE_NEW; else if ((createflags & (O_CREAT | O_TRUNC)) == (O_CREAT | O_TRUNC)) filecreate = CREATE_ALWAYS; else if (createflags & O_TRUNC) filecreate = TRUNCATE_EXISTING; else if (createflags & O_CREAT) filecreate = OPEN_ALWAYS; else filecreate = OPEN_EXISTING; if ((createflags & O_CREAT) && (Int_val(perm) & 0200) == 0) fileattrib = FILE_ATTRIBUTE_READONLY; else fileattrib = FILE_ATTRIBUTE_NORMAL; attr.nLength = sizeof(attr); attr.lpSecurityDescriptor = NULL; attr.bInheritHandle = TRUE; h = CreateFileW((LPCWSTR) String_val(wpath), fileaccess, FILE_SHARE_READ | FILE_SHARE_WRITE, &attr, filecreate, fileattrib, NULL); if (h == INVALID_HANDLE_VALUE) { win32_maperr (GetLastError ()); uerror("open", path); } if (createflags & O_APPEND) SetFilePointer (h, 0, NULL, FILE_END); CAMLreturn(win_alloc_handle(h)); } #define MAKEDWORDLONG(a,b) ((DWORDLONG)(((DWORD)(a))|(((DWORDLONG)((DWORD)(b)))<<32))) #define FILETIME_TO_TIME(ft) (((((ULONGLONG) ft.dwHighDateTime) << 32) + ft.dwLowDateTime) / 10000000ull - 11644473600ull) CAMLprim value win_stat(value path, value wpath) { int res, mode; HANDLE h; BY_HANDLE_FILE_INFORMATION info; CAMLparam2(path,wpath); CAMLlocal1 (v); h = CreateFileW ((LPCWSTR) String_val (wpath), 0, 0, NULL, OPEN_EXISTING, FILE_FLAG_BACKUP_SEMANTICS | FILE_ATTRIBUTE_READONLY, NULL); if (h == INVALID_HANDLE_VALUE) { win32_maperr (GetLastError ()); uerror("stat", path); } res = GetFileInformationByHandle (h, &info); if (res == 0) { win32_maperr (GetLastError ()); (void) CloseHandle (h); uerror("stat", path); } res = CloseHandle (h); if (res == 0) { win32_maperr (GetLastError ()); uerror("stat", path); } v = caml_alloc (12, 0); Store_field (v, 0, Val_int (info.dwVolumeSerialNumber)); // Apparently, we cannot trust the inode number to be stable when // nFileIndexHigh is 0. if (info.nFileIndexHigh == 0) info.nFileIndexLow = 0; /* The ocaml code truncates inode numbers to 31 bits. We hash the low and high parts in order to lose as little information as possible. */ Store_field (v, 1, Val_int (MAKEDWORDLONG(info.nFileIndexLow,info.nFileIndexHigh)+155825701*((DWORDLONG)info.nFileIndexHigh))); Store_field (v, 2, Val_int (info.dwFileAttributes & FILE_ATTRIBUTE_DIRECTORY ? 1: 0)); mode = 0000444; if (info.dwFileAttributes & FILE_ATTRIBUTE_DIRECTORY) mode |= 0000111; if (!(info.dwFileAttributes & FILE_ATTRIBUTE_READONLY)) mode |= 0000222; Store_field (v, 3, Val_int(mode)); Store_field (v, 4, Val_int (info.nNumberOfLinks)); Store_field (v, 5, Val_int (0)); Store_field (v, 6, Val_int (0)); Store_field (v, 7, Val_int (0)); Store_field (v, 8, copy_int64(MAKEDWORDLONG(info.nFileSizeLow,info.nFileSizeHigh))); Store_field (v, 9, copy_double((double) FILETIME_TO_TIME(info.ftLastAccessTime))); Store_field (v, 10, copy_double((double) FILETIME_TO_TIME(info.ftLastWriteTime))); Store_field (v, 11, copy_double((double) FILETIME_TO_TIME(info.ftCreationTime))); CAMLreturn (v); } CAMLprim value win_chdir (value path, value wpath) { CAMLparam2(path,wpath); if (!SetCurrentDirectoryW ((LPWSTR)wpath)) { win32_maperr(GetLastError()); uerror("chdir", path); } CAMLreturn (Val_unit); } CAMLprim value win_getcwd (value unit) { int res; wchar_t s[NT_MAX_PATH]; CAMLparam0(); CAMLlocal1 (path); res = GetCurrentDirectoryW (NT_MAX_PATH, s); if (res == 0) { win32_maperr(GetLastError()); uerror("getcwd", Nothing); } /* Normalize the path */ res = GetLongPathNameW (s, s, NT_MAX_PATH); if (res == 0) { win32_maperr(GetLastError()); uerror("getcwd", Nothing); } /* Convert the drive letter to uppercase */ if (s[0] >= L'a' && s[0] <= L'z') s[0] -= 32; path = copy_wstring(s); CAMLreturn (path); } CAMLprim value win_findfirstw(value name) { HANDLE h; WIN32_FIND_DATAW fileinfo; CAMLparam1(name); CAMLlocal3(v, valname, valh); h = FindFirstFileW((LPCWSTR) String_val(name),&fileinfo); if (h == INVALID_HANDLE_VALUE) { DWORD err = GetLastError(); if ((err == ERROR_NO_MORE_FILES) || (err == ERROR_FILE_NOT_FOUND)) raise_end_of_file(); else { win32_maperr(err); uerror("opendir", Nothing); } } valname = copy_wstring(fileinfo.cFileName); valh = win_alloc_handle(h); v = alloc_small(2, 0); Field(v,0) = valname; Field(v,1) = valh; CAMLreturn (v); } CAMLprim value win_findnextw(value valh) { WIN32_FIND_DATAW fileinfo; BOOL retcode; CAMLparam1(valh); retcode = FindNextFileW(Handle_val(valh), &fileinfo); if (!retcode) { DWORD err = GetLastError(); if (err == ERROR_NO_MORE_FILES) raise_end_of_file(); else { win32_maperr(err); uerror("readdir", Nothing); } } CAMLreturn (copy_wstring(fileinfo.cFileName)); } CAMLprim value win_findclosew(value valh) { CAMLparam1(valh); if (! FindClose(Handle_val(valh))) { win32_maperr(GetLastError()); uerror("closedir", Nothing); } CAMLreturn (Val_unit); } CAMLprim value win_getenv(value var) { LPWSTR s; DWORD len; CAMLparam1(var); CAMLlocal1(res); s = stat_alloc (65536); len = GetEnvironmentVariableW((LPCWSTR) String_val(var), s, 65536); if (len == 0) { stat_free (s); raise_not_found(); } res = copy_wstring(s); stat_free (s); CAMLreturn (res); } CAMLprim value win_putenv(value var, value wvar, value v) { BOOL res; CAMLparam3(var, wvar, v); res = SetEnvironmentVariableW((LPCWSTR) String_val(wvar), (LPCWSTR) v); if (res == 0) { win32_maperr (GetLastError ()); uerror("putenv", var); } CAMLreturn (Val_unit); } CAMLprim value win_argv(value unit) { int n, i; LPWSTR * l; CAMLparam0(); CAMLlocal2(v,res); l = CommandLineToArgvW (GetCommandLineW (), &n); if (l == NULL) { win32_maperr (GetLastError ()); uerror("argv", Nothing); } res = caml_alloc (n, 0); for (i = 0; i < n; i++) { v = copy_wstring (l[i]); Store_field (res, i, v); } LocalFree (l); CAMLreturn (res); } CAMLprim value w_create_process_native (value prog, value wprog, value wargs, value fd1, value fd2, value fd3) { int res, flags; PROCESS_INFORMATION pi; STARTUPINFOW si; wchar_t fullname [MAX_PATH]; HANDLE h; CAMLparam5(wprog, wargs, fd1, fd2, fd3); res = SearchPathW (NULL, (LPCWSTR) String_val(wprog), L".exe", MAX_PATH, fullname, NULL); if (res == 0) { win32_maperr (GetLastError ()); uerror("create_process", prog); } ZeroMemory(&si, sizeof(STARTUPINFO)); si.cb = sizeof(STARTUPINFO); si.dwFlags = STARTF_USESTDHANDLES; si.hStdInput = Handle_val(fd1); si.hStdOutput = Handle_val(fd2); si.hStdError = Handle_val(fd3); flags = GetPriorityClass (GetCurrentProcess ()); /* h = CreateFile ("CONOUT$", GENERIC_WRITE, FILE_SHARE_WRITE, NULL, OPEN_EXISTING, FILE_ATTRIBUTE_NORMAL, NULL); if (h != INVALID_HANDLE_VALUE) CloseHandle (h); else { flags |= CREATE_NEW_CONSOLE; // si.dwFlags |= STARTF_USESHOWWINDOW; // si.wShowWindow = SW_MINIMIZE; } */ res = CreateProcessW (fullname, (LPWSTR) String_val(wargs), NULL, NULL, TRUE, flags, NULL, NULL, &si, &pi); if (res == 0) { win32_maperr (GetLastError ()); uerror("create_process", prog); } CloseHandle (pi.hThread); CAMLreturn (Val_long (pi.hProcess)); } CAMLprim value w_create_process(value * argv, int argn) { return w_create_process_native(argv[0], argv[1], argv[2], argv[3], argv[4], argv[5]); } /****/ static HANDLE conin = INVALID_HANDLE_VALUE; static void init_conin () { if (conin == INVALID_HANDLE_VALUE) { conin = CreateFile ("CONIN$", GENERIC_READ | GENERIC_WRITE, FILE_SHARE_READ | FILE_SHARE_WRITE, NULL, OPEN_EXISTING, 0, 0); if (conin == INVALID_HANDLE_VALUE) { win32_maperr (GetLastError ()); uerror("init_conin", Nothing); } } } CAMLprim value win_get_console_mode (value unit) { DWORD mode; BOOL res; init_conin (); res = GetConsoleMode (conin, &mode); if (res == 0) { win32_maperr (GetLastError ()); uerror("get_console_mode", Nothing); } return (Val_int (mode)); } CAMLprim value win_set_console_mode (value mode) { BOOL res; init_conin (); res = SetConsoleMode (conin, Int_val(mode)); if (res == 0) { win32_maperr (GetLastError ()); uerror("set_console_mode", Nothing); } return (Val_unit); } CAMLprim value win_get_console_output_cp (value unit) { return (Val_int (GetConsoleOutputCP ())); } CAMLprim value win_set_console_output_cp (value cp) { BOOL res; res = SetConsoleOutputCP (Int_val (cp)); if (res == 0) { win32_maperr (GetLastError ()); uerror("set_console_cp", Nothing); } return (Val_unit); } unison-2.40.102/TODO.txt0000644006131600613160000014211611361646373014722 0ustar bcpiercebcpierceHere we list planned and imagined improvements to Unison. Ones that we regard as most important are marked with more *s. (Note that, since Unison is no longer under active development [though it is still heavily used by its original developers], the presence of a suggestion in this file is not promise that anybody is going to implement it!) See the file BUGS.txt for a list of currently open bugs. ########################################################################### * CURRENT * ======= * Update the copyright dates in the OSX GUI * Make some preferences per-host - file-system type - canonical name of the host - fastcheck - backup - fs watcher command * Merge issues: - It would be better to ignore the exit status of the external merge tool and just look at what files it produced to decide what happened - The function that runs the external program should not grab stdin / stdout / stderr if Unison is running with the text UI. - The confirmation step should offer to display the new merged file. - (There are some older merge issues documented below) * Makefile for fstest * Work on the Unison side - create temp file - start watcher based on watcherosx switch, passing all paths as args - on each loop - parse results into shallow and deep ones - combine the two lists (marking which is which) - sort the list - if there are any adjacent pairs where the first is a prefix of the second, drop the second and mark the first as deep - go through the list and drop any item for whioch any PREFIX of its path matches 'ignore' and doesn't match 'ignorenot' - bulletproof, handling fatal errors and restarting completely from scratch if necessary * Rsync debugging - when using socket mode under windows, upon completion of the first external rsync call, the connection to the server is dropped (the server gets an EOF and closes the connection; the client sees a broken connection) - only with rsync, not scp - only with socket mode connection by Unison, not ssh mode - seems to have nothing to do with ssh tunneling - calling Unix.open_process_in instead of Lwt_unix.open_process_full seems to make no difference - one difference we can see is that, at the end of the transfer, the ssh started by rsync (when run with with -v -v) says something like "FD1 clearing O_NONBLOCK". The similar call to ssh from scp does not print this. We're running under Cygwin (which is needed to have rsync) ########################################################################### * SOON * ==== **** Document: root, fspath, path (local/not) **** Nice code cleanup trick: Add a phantom type param to Pref (and Pred?) that prevents mutation from outside the module where the preference is defined (by exposing it with a weak type). **** Remaining problem with merging code: - create two directories, each containing a .txt file - sync so they are equal - change the file so that one region is in conflict and another region has changes that can be propagated correctly - sync - now we should be able to change the second region in just one file, sync again, and see the change propagate; instead, it conflicts - diagnosis: the merge stuff is not correctly updating the archive in the event of a partial reconciliation *** Un-writeable directories can't be copied. The 'rename' operation at the end of Files.copy will fail (at least on OSX) if the path being renamed points to a directory and that directory (not the one containing it!) is not writeable by the user. To fix this, we'd need to notice when we are renaming a directory and temporarily make it writeable just before the rename and then make it what it should be just after. But I don't feel like writing this bit of code right now, to handle such a corner case. [BCP, November 2008] *** Fix the pred module to understand negation and delete XXXnot predicates *** Web - Add a "supported platforms" page mentioning system-specific stuff - Add an installation instructions page, removing it from the manual *** See if we can get rid of some Osx.XXX stuff (e.g. ressLength!?) *** Overlapping paths If one -path argument is a prefix of another, the same files will get scanned twice, found to need transferring twice, and transferred twice, but the first transfer messes up the second. The fix would be to throw away -path arguments that are suffixes of other ones. *** Add the following to the Problems FAQ: --- In unison-hackers@y..., "Matt Swift" wrote: > I just posted a msg to cygwin@c... detailing some very strange > behavior of chmod when a file's owner is also the file's group. It I was right about the crucial circumstances of owner = group. Moral: do not let user=group under Cygwin. I know it causes a problem when you make unison use the full permissions model on Cygwin systems; I think this may also explain similar problems I had using the default unison behavior (which treats Cygwin files as read-only or read-write only) -- though there are several possible causes of like failures to syncrhonize permissions. The answer is obvious, following from the basic handling of permissions in Cygwin (in NT permissions mode), but I didn't see it. Users and groups to Windows are the same kind of object (SID), and permissions on a file or directory are represented as a list of (any number of) SIDs paired with permissions such as read, write, execute (and quite a few more). When you try to map this to the Unix model of user and group, when the user and group happen to be the same, the user-permissions and the group-permissions are operating on the same underlying Windows object, and so they cannot be different. I think the user-permissions prevail. For example, if you try to sync a Unix file with permissions rw-r--r-- with a Cygwin file with permissions rw-rw-r-- whose owner happens to be the same as the group, unison will report success, but the actual permissions will not be changed. Moreover, during the next sync, unison will by default propogate the Cygwin file back to the Unix file, so that the degenerate permissions under Cygwin will migrate to the Unix system unless you are careful to prevent unison from doing it. (When you are trying to sync some 75,000 email and font files, this all is more than a little exasperating!) --- Further important advice if you are going to synchronize Cygwin filesystems with unison's full Unix permissions model (and perhaps it is also important even with unison's default behavior): Background: the flags "ntsec" or "ntea" in the CYGWIN environment variable signals Cygwin's libraries to use the richer NT permissions model rather than a simplified Win95-98 model. "ntsec" requires an NTFS filesystem, "ntea" will work with FAT filesystems. I use "ntsec". If unison does not have CYGWIN set appropriately in its environment, some chmod calls will not do the expected thing, even though they return with success. This will result in the file coming up again in the next synchronization, and unison will then by default propagate the (wrong) permissions from the Cygwin file back to the Unix system. (The first chmod apparently succeeded, so unison records the new permissions in its archive; the second time, when the file does not match the archive, it seems to unison that the Cygwin file has been changed.) If you run unison from the bash command line, you will most likely not have a problem, since CYGWIN is probably set appropriately and exported in the .bat script that launches bash. Likewise, when the Cygwin filesystem is the remote one, Cygwin's sshd is by default set up (by /usr/bin/ssh-host-config) to establish and export an appropriate value of CYGWIN to ssh clients. If you launch unison directly from a Windows shortcut, however, you must set CYGWIN in your Windows environment variables. This is certainly a convenient way to launch unison either with a particular profile or generically. The instructions for setting up Cygwin and the discussions of the CYGWIN envariable in the user manual never mention any need to put CYGWIN in the Windows envariables, however. (I'm writing them to suggest they do.) >From the unison standpoint, the code which chooses to use the full permissions model on Cygwin hosts (right now I have it hacked simply to always use full permissions, by commenting out a line) perhaps ought to confirm that "ntsec" or "ntea" is in the CYGWIN envariable and issue a big warning that permissions may not be properly synchronized if neither value is there. ** add '' to the head section of all the unison web pages. ** Peter Selinger has built an SHA256 implementation that should be usable as a drop-in replacement for MD5, if we ever need to do that * There is no way of selecting files with wildchar. I had to use ignorenot = Name opt/root/.unison/*.prf ignore = Name opt/root/.unison/* But this is inconvinent, but the worse is that it gets complicated very fast and I cannot make it for more complicated scenarios. I would expect something like (suggestion): Files = opt/root/.unison/*.prf * If a directory does not exist in one of the host, unison (for security reasons, which I like) pops up a window and Quit is the only option. I would expect a message stating mere clearly on which host and direcory and an option to create that directory. I had recently to make a lot of reinstalls and new pendrives and it took a long time to create all those dirs. Someone in the list even made a script to do the job!!! * When synchronizing FAT32, there could be an explicit command for ignoring attributes. The problem happens when one side is FAT32 but the other is not, or when mounting parameters are different. * BUILDING AND INSTALLING * ======================= ** 'make install' could be improved (and documented) 1. Typing "make install' after a "make" should simply install the program that was made, not attempt to do a remake with different options. ===> Doesn't it??? 2. "make install' should try to install as /usr/local/bin/unison, not ~/bin/, especially considering that ~/bin is the wrong place to do the install under OSX (it should be ~/Apps or ~/Apps/bin) should strip symbols from binary files in 'make exportnative' * DOCUMENTATION * ============= ** Put a little more order on the flags and preferences -- e.g., organize them into "basic preferences", "advanced preferences," "expert preferences," etc. Requires hacking the Uarg module. ** Add something to docs about how to use 'rootalias'. Include an explanation of the semantics, a couple of examples, and a suggestion for how to debug what it's doing by turning on appropriate debugging flags. (And maybe we should actually make the debug output there a bit more verbose?) ** Misc: - document good trick: use -1 switch to ssh if the paths are set up wrong on the remote host - should say whether trailing slashes are ok for paths; should say that leading slashes are illegal. ===> check - not so clear what you have to do with a Regex to match a directory and all its subfiles: foo or foo/ or foo/.* ? ===> the first. document it. (Does foo/ match foo? I don't think so. Document, one way or the other.) - what happens when files are included whose parent dirs are excluded? (With Regex? With multiple Path and Name?) ===> document - the documentation is very good, but i couldn't find a description of how to respond to the prompts in the textual ui. is that explained somewhere? a few typos i noticed: "with t fast", "nison", "off of". * SMALL FUNCTIONALITY IMPROVEMENTS * ================================ **** Please let me say root = ~/bla instead of requiring me to give an absolute path to my home dir. *** [Marcus Sundman, 2008] Unison can't propagate changes in read-only folders. The correct way to do it is to temporarily add write permissions for the user to the folder, then do the changes and then reset the permissions. Now unison tries to just do the changes, which fails with a "permission denied" error. *** [Adrian Stephens, 2007] I would like the scope of rootalias to be expanded so that any command that expects a root will perform aliasing on the command. In my application, I need to change the root statement as I move my machine from desk to the road. I also have a "force" statement, and I also have to remember to edit this to match. It would be more convenient to have to edit in a single place and, more importantly, avoids introducing any inconsistency. --- [BCP:] I like this idea. However, since I'm struggling at the moment to find time to finish polishing 2.27 to become the new stable release, I am not going to undertake to implement it. If you (or someone else) would like to give it a shot, here is what I think needs to happen: - Move the rootalias preference and the rootalias-expanding code from Update.root2stringOrAlias into the Common module (creating a new function there for rootalias expansion). - Find places like Recon.lookupPreferredRoot that deal with names of roots and add a call to the rootalias-expanding function. *** Delete old backups mechanism and, instead, extend new one to cover its functionality - put backups in same dir as files by default - otherwise, put them in a central place if one is given - Update.incrVersionsOfBackups should not be externally visible *** Consider altering the socket method, so the server accepts connections only on a particular address? This would be very useful, because many people tunnel unison over an OpenVPN Link, and this software works with virtual devices and additional IP addresses on it. If unison would accept connections only on the virtual device, the security would be enhanced, because the OpenVPN key should be unavailable for the black hats. *** unison -help doesn't go to stdout so it's hard to pipe it into less ===> Probably *all* output should go to stdout, not stderr (but maybe we need a switch to recover the current behavior) *** If a root resides on a `host' with an ever and unpredictably changing host name (like a public login cluster with dozens of machines and a shared file system), listing each possible host name for this root is not feasible. The ability of specifing patterns in rootaliases would help a lot in this case. I'm thinking of something like this: rootalias = //.*//afs/cern.ch/user/n/nagya -> //cern.ch//afs/cern.ch/user/n/nagya [NAGY Andras , March 12] ===> We definitely ought to do something about this problem -- it's increasingly common. Not sure if this is the right proposal, but something. *** Currently, if a file changes on either side between the initial update detection and the time when the transport module tries to propagate changes, the transport is aborted. But if the change occurred on the replica that is being used as the source for the transfer (which will be the common case!), then there is no reason to abort -- we should just propagate the newest version. *** When unison notices lock files in the archive directory, it should offer to delete them *for* the user, rather than forcing the user to delete them manually. *** A switch to delete files before replication. It's not something I would have considered doing, and in normal replication, there have already been pointed out good reasons why Unison works the way it does, but Roman makes a good reason for why this is useful in CD-RW backups, and why this could be useful on a general to do list. And this is certainly *generic*, which my point is not (as it only applies to the Microsoft Windows NTFS situation). *** A switch to include NTFS ACE/ACL file permissions to be copied when copying from one NTFS location to another NTFS location. As I mentioned this is less generic, but of fundamental usefullness in Windows usage, as NTFS permissions are absolutely essential in many backup/replication situations in Windows systems. Robocopy has the /SEC switch, but Unison is a far better tool, and I was hoping in that light that Unison could implement the rights/permissions stuff also. *** There is no command-line argument to tell Unison where the .unison directory is; Unison finds it in the environment or not at all. I was able to workaround this with a symbolic link to put .unison where it was expected, but it seems like an easy option to add. *** The other is possibly a bit more difficult, but more useful as well. There is a brief window of vulnerability between when the local server is started and when the remote client connects to it. (It's no longer than that because Unison won't take more than one connection at a time.) I can tolerate it, but the window could be eliminated entirely by allowing socket connections to require a nonce. ** An idea for the interface to the external merge functionality: created a general mechanism for invoking external functionality... - in profile, declare a command of the form key M = external "merge ##1 ##2 ###" --> overwriting originals (concrete syntax open to discussion!). Main parts are - what key to bind it to in the UI(s) - the command line to start up - variables (##1 and ##2) for the local and remote files (the remote file will automatically be copied to a local temp file, if this variable is used) - a variable (###) for a temporary output file - an indication of what to do with this output file (or maybe this could be automatic) - (should also indicate which machine(s) to run the command on?) ** small additions to merge functionality: - if the external merge program *deletes* one of the files it is given, Unison should interpret this as "Copy the other file onto this location (instead of merging)". This will allow some other interesting functionality, e.g. external programs that may decide to keep both versions by moving one of them out of the way (mh-rename). - the invocation of the external 'diff' program should be selectable using the same conventions as the 'merge' program - would be nice to be able to invoke DIFFERENT merge programs depending on paths ** We should document other available merge tools, e.g., idiff [BCP has a copy of the code for idiff that Norman sent.] ** Allow 'default.prf' in place of 'default' for profile names ** [dlux@dlux.hu, Feb 2002] For some apps (e.g., some mail readers?), putting temp files in the same directory as the file we're about to overwrite is bad/dangerous. Some alternatives that we could consider... - Add a configuration option for temporary directory and notice the user about the volume restrictions in the docs and then if the user does not consider it, then we use a non-atomic (copy + unlink) rename. In an ideal environment (where the user consider this restriction), it makes possible to sync a maildir folder while it is online! - An even better solution: One more temporary file step. If the user sets the temporary directory, then we synchronize the files to that directory, and if the file is downloaded/uploaded fully, then we move it to a tempfile into the target directory (with .unison.tmp extension) and then rename it into the final name. ** Suggestion for extending merge functionality - add a new kind of preference -- a conditional stringlist preference - in the preference file, each value looks like either prefname = string or prefname = string WHEN Path PPPPP prefname = string WHEN Name XXXXX prefname = string WHEN Regex XXXXX - when we look up such a preference, we provide a current path, and it returns the one that matches the current path, if any ** Would be good to (optionally) change the semantics of the "backup" functionality, so that Unison would not insist on making a *full* backup of the whole replica, but just do so lazily. (I.e., it would not make backups when files get put into the archive, but only when they actually get changed.) ** Would also be nice to allow the backup preference to be set differently on different hosts -- so that all the backups could be kept on one side (if there is no space on the other side, e.g.). The obvious way to do this is to add a switch like '-suppressbackupsonroot BLAH' but this feels a bit ad hoc. It would be nicer to decide, in general, which preferences can sensibly have different settings on different roots (e.g., the location of the archive dir, ...) and provide a general mechanism for setting them per-host. ** ~/foo seems to work on the command line but not in root = ~/foo in the config file. -- Similarly: It seems that when one specifies logfile = foobar in the preferences file, then unison assumes that it is relative to the current directory. Since neither ~ nor $HOME are understood in the preference file, this is an inconvenience, because it forces the user to remember to run unison from the root directory. ===> Would be nice to support ~ internally ** giving a -path preference whose parent dir doesn't exist currently causes Unison to abort with a fatal error. Would be better if it just signalled an error for that file. ** no spec for escaping regexp chars; spaces? newlines? tabs? others? mechanism for getting the list of files from another program (plugin)? ===> needs to be documented (look at rx.ml) * [July 2002, S. Garfinkel] Maybe we should turn the 'time' option on by default. We might need to help people a little on the upgrading, though. When you did a sync with time=false, then a sync with time=true, you get a zillion conflicts... ==> This is probably a good idea, but I'm a little scared of all the messages we'd get from upgrading users ==> Also, "make" can get confused when the 'time' option is set * Maybe we should write debugging and tracing information to stdout instead of stderr? * URI pathname syntax Why is the following command wrong? unison -servercmd `which unison` /usr/local ssh://labrador/usr/local It took me three tries and careful reading of the documentation to figure it out. I don't have any good suggestions here, other than that I think the whole issue of relative vs absolute pathnames needs serious thought. I think the current interfaces do not work very well. One possibility that I will float is that you invent a special character string to refer to the root of synchronization. E.g., interpret ~ as $HOME in roots. -- Also: we should add the file:// syntax to URIs... file://C:/Necula (C:/Necula on the local file system) file:////share/subdir (//share/subdir as from the point of view of the local file system) unison://host///share/subdir -- Should local roots in a profile be canonized? Right now, we can have a relative root in the profile. This is going to be a problem if unison is started in a different directory. * At the moment, if Unison is interrupted during a non-atomic operation on the file system, the user has to clean things up manually, following the instructions in the the recovery log. We should do that for them. (This is actually a bit tricky, since we need to be careful about what might happen if unison crashes during recovery, etc. The best way to accomplish this would be to write a general logging/recovery facility in OCaml.) * Dealing with ACLs: Maybe this is what we should do actually. We could specify a user (and similarly a group) to unison. It would be interpreted in a special way: if a file is owned by this user, unison will rather consider that the owner of the file is undefined. So, when a file owned by an unkown user is synchronized, the file owner is set to the default user. Then, on the next synchronizations, unison will consider that the owner has not been propagated and try again. [Should be easy once the reconciler is made more modular] * The -terse preference should suppress more (in fact, almost all) messages in the text ui. See Dale Worley's message for a detailed proposal. Would be nice to have the Unison log file relative to my home directory, like this logfile = ~/.unision/log or logfile = $HOME/.unision/log (We should do this for *all* files that the user specifies.) It would be nice if Unison could have the "power" to copy write-protected files, maybe as an option. Update checking over NFS might be *much* faster if we use only relative pathnames (absolute paths may require an RPC per level!?) On one server (Saul), Unison seems to use HUGE amounts of memory (250Mb resident), while on my laptop it's much less. WTF? ==> Is that real memory or virtual memory? [Ben Wong, Aug 2002] Why not make unison fall back to addversionno if it would otherwise bomb out with an incorrect version number? That way I wouldn't have to educate people on how to use Unison at my site; it'd "just work". The -sortbysize is nice, but what I would really like is a -limitbysize. When I'm connected over a modem line, I would like not to transfer the larger files that need synchronization. That can wait until I am connected via a faster connection. What I presently do is allow unison to run in -sortbysize mode, and abort once I have all my little, more important files. -limitbysize should simply filter the list of transfer to only those that are below the threshold size. The syntax is obvious... It should be -limitbysize xxx, where xxx is the size (preferably in kb, but bytes will do as well). [From Yan Seiner] Can unison modify the (*nix) environment to show the ip/name/some_other_id of the system making the connection? This would help tremendously. For example, vtun does this: --- root 6319 0.0 0.6 1984 852 ? S< Aug27 0:37 vtund[s]: bgsludge tun tun10 root 6324 0.0 0.6 1984 852 ? S< Aug27 2:00 vtund[s]: cardinal tun tun0 root 17001 0.0 0.6 1984 848 ? S< Aug27 0:05 vtund[s]: wtseller tun tun11 root 20100 0.0 0.6 1984 852 ? S< Aug28 0:02 vtund[s]: cardridg tun tun1 ---- So I know I have four sessions, to each named machine, and I know immediately who is connected and who is not. If I have to kill a session, I don't kill the wrong one. add a switch '-logerrors' that makes unison log error messages to a separate file in addition to the standard logfile Dale Worley's suggestion for relocating archives: > You're right: it's not all that tricky. So would you be happy if you > could run unison in a special mode like this > unison -relocate //old-host1//path1 //old-host2//path2 \ > //new-host1//path1 //new-host2//path2 > (where all the hosts and paths are normalized) and it would move the > archives for you on both machines? Actually, I think that what you want is for the user to specify the old paths in *normalized* form and the new paths in *non-normalized* form. That is, unison uses the old paths literally as provided by the user, but it applies the usual normalization algorithm to the new paths. This may sound strange, but I think that it's the Right Thing: - There is no guarantee that the normalization algorithm, applied to the old paths as the user used to specify them, normalizes to the the normalized paths that are recorded in the archive. Indeed, there may no longer be *any* path which normalizes to the recorded paths. - The user can extract the normalized old paths from the second line of the archive files. This is clumsy, but reliable. And we don't intend the user to relocate an archive very often. - But for the new paths, you want to normalize what the user supplies, because he doesn't know in advance how Unison is going to normalize the new paths, and may well specify them incorrectly. That would leave him with a relocated archive that he might not be able to use at all. You might want to put quotes around the pathnames in the second line of the archive, since MS-Windows directory names can contain spaces, etc. For safety... - Add a preference 'maxdelete' taking an integer parameter, default 100 (or perhaps even less -- keeping it fairly small will help naive users avoid shooting themselves in the foot). A negative number means skip this check (i.e., infinity). - When the transport subsystem gets control (i.e., just after the user says 'go' to the user interface, when not running in batch mode) it first checks the number of files that are going to be deleted (including all the contents of any directories that are marked for deletion). If it is more than maxdelete (and maxdelete is positive), then... - If we're in batch mode (batch=true), we halt without doing anything. - If we're not in batch mode, we display a warning message and make the user confirm. (If they do *not* confirm, it would be nice to dump them back into the user interface again, but this would require a little rewriting of our control flow.) - Would also be nice to include a display in the UI someplace that says how many files are to be deleted/changed/created plus how many bytes to be transferred, and a warning signal (display in red or something) if these exceed the current setting of maxdelete. Would be nice to be able to run unison in a special mode like this unison -relocate //old-host1//path1 //old-host2//path2 \ //new-host1//path1 //new-host2//path2 (where all the hosts and paths are canonized) and have it move the archives for you on both machines? It would be nice if unison had a tool by which it could regenerate all the MD5 sums and compare them to what it has stored, then produce a list of files that are different. I obviously cannot count on file size and date in this case; those may not have changed but the contents may be corrupt. If the connection to the server goes away and then comes back up, it would be nice if Unison would transparently re-establish it (at least, when this makes sense!) If we synchronize a path whose parent doesn't exist in one replica, we'll fail. Might be nicer to create the parent path if needed. maybe put backup files somewhere other than in the replica (e.g. in $HOME/tmp, or controlled by preference) Better documentation of the -backups flag, and a way to expire old backups Add a preference that makes the reconciler ignore prefs-only differences between files (not updating the archive, though -- just suppressing the difference -- will this slow things down too much?? Maybe it needs to happen in the update detector, before things are transmitted across the network.) Perhaps we should interpret both / and the local separator as path separators, i.e., under Windows / and \, under Mac / and :, and under Unix just /. For Windows this will be fine, since / is not allowed in filenames. Maybe have an option to tell do not transfer toto.dvi if toto.tex exists (or toto.ps if toto.dvi): something like Ignore .dvi If .tex ===> This is not a good idea -- would give different ignore results on the two machines. But maybe a variant would work: - Have an option to execute a command if a given file exist like Execute rm core If core Execute make clean If Makefile Maybe we should never emit a conflict for modtimes; instead, we just propagate the largest one. [Ivo Welch] I would do a quick test of case sensitivity in the program itself at the time you do a first prf sync, so that the user does not have to bother with it. Just write two files on each end which differ in case, and see if there is overwriting. Then do the smart thing. The long-named file in the .unison directory should keep this information thereafter. (BCP: Implementing this is more difficult than it might seem. E.g., whenever a symlink is followed we might need to go through the same exercise. And then we'd need to be able to deal with replicas that are not all one way or the other...) [Ivo Welch] I would give some examples in the man page of what an xxx specification is. [Ivo Welch] I would allow '--' switches, in addition to the '-' switch spec. [Ivo Welch] On OSX, create a link from ~/Library/Application Support/Unison to .unison, just for ease of finding it. It took me a long time to find my .prf files. [Ivo Welch] the OSX GUI front end should be clear which side (left or right) the local host and which side the remote host is. * USER INTERFACE * ============== ** In menu Actions - show Diff applies to the current line, while - revert to unision's recommandation applies to all lines Should be clearer and/or homogeneous behavior. I would also like to have "revert to unision's recommandation" for the current line. ** in gtk ui, display green checkmark next to finished items even if their direction indicates a conflict; do not list such items as "skipped" at the end ** In both UIs, show how many bytes/files were successfully transferred at the end ** Should support auto-termination of the graphical UI (switch-controlled) * Unison starts in the usual way and checks for changes * If there are no conflicts, it proceeds without waiting for confirmation * If there *are* conflicts, it waits for instructions, just like now * In either case, when it's finished transferring the changes, it quits * [Matthew Swift] in the GTK gui at least, display the total MB or #files or whatever it is that the ticking %-meter is referring to when it goes from 0 to 100. it is useful to know how big the xfer is going to be before starting it (might induce me to choose "sort by size", or abandon and choose a smaller subset, etc.). Also, esp. since the gui is single-threaded and unresponsive, i would like to know what size of a synch that I am for example 50% or 22% through. I know that an ETA and other things we're used to from many downloading apps would require quite a bit of code, but it would help a lot just to display whatever constant is represented by 100%. * [BCP] Error reporting for per-file problems during updating leaves something to be desired. In particular, there's no indication even of which host the problem occurred on. (I added something that includes "root 1" or "root 2", but I'm not sure that's better than nothing.) If there are errors on both hosts, only one will be reported. If there are lots of errors in a subdir, only the first will be reported. Recon.propagateUpdates would be a starting point for changes. * [Jamey Leifer] Would be nice if both UIs had a "revert to Unison's proposal" button... * [Jamey Leifer] [graphic ui, wishlist] The documentation topics aren't searchable. As a result "unison -doc running | less" is still indispensable if one wants to find anything. I suggest adding a box "search in this topic: ---" which is always available in the doc viewer. It would be nice to support keyboard shortcuts in the "less" style, namely "/", "n", and "N" (i.e. search, next, previous) to avoid too much clicking. [graphic ui, wishlist] Ditto as far as searchability for diff reports. * Would be nice to have a keystroke in the UI that means 'add the current directory to the set of ignore patterns.' * In the text UI, during the transport phase, print each file being transferred on *one* line, with an arrow to indicate which way (and dropping the explicit indication of which host from and to). The logfile should be more explicit. * The unison gui currently displays a percentage completion in the lower right corner. I would find it comforting if it would also display an effective bandwidth there, i.e., how many bits per second are flowing through the transport layer? I make this request because owing to a hardware catastrophe, I have just started using Unison through the phone lines, and it seems to do nothing for a long period of time. I don't know whether to blame the cheap modem, the cheap ISP, or whether Unison simply isn't telling me that bits are flowing through the wire. (netstat -tn suggests not much is happening, but I don't know if the results can be trusted.) * Would it be hard to add "tool tips" to the buttons in the UI? ==> Look for "tooltip" in examples/testgtk.ml. The easiest way is with a toolbar, but you can also add tooltips to any widget (cf lines 867 and after). * > On a line, I would like to have a description of the action to be taken in > clear words: (e.g. will erase file on local or will copy from local to > remote, etc.) This might be a good use for "tool tips," if I knew how to make them work using lablGTK. * After clicking "Create new profile" in the initial profile window and giving a name for the new profile, it is confusing to get dumped back into the profile window again and have to explicitly select the new profile. Would be better to skip this step and go straight into filling in its fields. * Another usability issue in the text UI: , and < should mean the same to unison. It would be nice if both had the same representation on-screen (ie, show a "<" even if I typed a ","). Similarly for . and >. * The menu help for left/right arrow both said `transfer local to local'. Not helpful. The items in question are pathnames, which you might not have to abbreviate. To save space one might consider replacing any common prefix, and also short prefixes that look like they might be automounter goo, with an ellipsis. Then show, e.g., 20 chars. I'd also be willing to name paths in my profile, e.g., replica flatcoat = /home/cellar/nr replica cellar = /m/cellar60/nr This would be especially attractive if my short names were meaningful on the command line. * In the GTK user interface, it would be nice to be able to put up a window displaying the contents of the log file (and add log messages to it dynamically as we're working). Be careful, though: the log could get large and we don't want this to be too slow. * Could there be an option between -ui text and -ui graphic that when combine with -batch and -auto would start in text mode, but pop up an interactive graphic window when real conflicts happens. * [Jamey Leifer] I think "unison -doc" should be mapped to "unison -doc topics" and the error message for the former eliminated. * [Jamey Leifer] Typing "unison" results in the Profiles box ("Select an existing profile..."). I think the help topics should be available here. Unison's gui offers an `Actions' menu with a variety of features regarding preferences. I would love to see an action with the following semantics: if the two files differ only in their modification time, prefer the older modification time. ===> This would be easy to add, but I am beginning to worry that we are getting too many funny little switches like this. We should think about them all together and make sure they make sense. I'm watching it sync a very large file that I don't want anyway, and I'm in a hurry. I'd like a way to say "forget that file, I don't care about it, go on to the next one you have to sync". Doesn't sound hard...? [Perdita Stevens, Perdita.Stevens@dcs.ed.ac.uk, Mar 14 2002] ===> It's not trivial (involves some subtle stuff about our RPC implementation and the single-thread nature of the GUI), but might not be impossible either. "Quit" during synchronization should abort all current operations (so that temporary files are deleted) before exiting. ===> Again, requires some careful thinking about how this would work with the RPC layer. It would be nice to have a command in the GUI that would allow a single path within the replica to be selected from a file dialog and synchronized. The scroll bar is not usable during transport: every time a line changes in the list, the display jumps to that line; if many small files are transfered, it makes browsing in the list quite impossible... [From Manuel Serrano] Would be nice to put the arrows in different directions in different colors, so that, e.g., you could quickly scan the list of changes and make sure that they are all in the same direction ===> We tried this, but we couldn't find color combinations that did not seem confusing. (Two different shades of green? Three? ...) If we really want this, probably the best is to put in some preferences for the user to control the colors of all the arrows individually. Text mode user interface should be brought up to date with graphical interface (it should prompt for profile selection, creation, root entry, etc.; command characters should be the same; ...) Since the manual is pretty big, it would be nice if the on-line version were accessible through cascading menus, allowing direct access to individual subsections. It would also be nice if it were formatted a bit more attractively, using proportional-width fonts, etc. (Does GTK have something like an RTF widget?) If I have a change I look at the detail window. It would be nice to be able to click on one of the lines there instead of pressing one of <- or ->. For one thing in the detail window the relative position of the two files is up and down and translating that to <- or -> is somewhat unintuitive. Also, it would be nice to highlight in the detailed window the elements that have changed. Make it possible to select a bunch of conflicts at the same time and override them all together The UI window should display the current roots somewhere. There should be a -geometry command-line interface, following the usual X conventions. put in a command-line option that makes fatal errors exit right away without displaying anything in the graphical UI (for debugging) Use the CTree widget to display the list of files Add the ability to close and open directories in the UI. it would be nice to give a visual indication of which files are particularly big, so that the user can tell where the transfer operations may get slowed down. Maybe a "size bar" showing the log of the size (perhaps also color coded). ===> less urgent now because we can re-sort the update items by size Would it be hard to allow long-running transfers to be aborted? For instance, the key "/" aborts the transmission of the selected file OR: Allow the user to terminate individual operations by clicking a "cancel" button. (This is not completely straightforward because the whole program is single-threaded. But it should be possible for the low-level transport code in remote.ml to realize that the operation has been aborted, clean up, and raise an exception.) It would be nice if the initial 'usage' message were not so long. Maybe we could split options into 'novice' and 'expert' ones, and only print the novice ones (with an indication how to obtain the full expert printout). > Show diff should behave as an emacs view-mode buffer and quit on a single > 'q' in the window, or better quit even without focus be sent to the diff > window... The UI for the diff functionality needs some polishing. (Also, it should be merged with the new "merge" functionality.) consider separating switches into 'ordinary' and 'expert' categories, documented in separate sections would be nice to be able to "Proceed" just the selected line might be nice if the GUI would beep when finished syncing (needs to be switch-selectable and off by default, naturally). Is this easy with LablGTK? It would be nice to be able to STOP the GUI in the middle of propagating changes. * TIDYING * ======= * Go through the sources and make all fatal and transient error messages as informative as possible More documentation (especially in the interface files) is always nice. In particular, there isn't enough documentation of the big picture. It isn't clear how to fit together archives, servers, paths, roots, update detection, reconciliation, conflict resolution, or the user interface... Ocamlexc v1.0, the uncaught exceptions analyzer for Objective Caml is now available from Pessaux's home page. It would be fun to run it over the Unison sources and see if it reveals any problems. * LARGER EXTENSIONS * ================= Fast update checking would be cool... Some resources: FAM (used in Enlightenment) dnotify (linux 2.4) BSD kqueue the "VFS stacking layer" implemented by a guy at Columbia [From JMS] Some update detection speed improvement suggestions: - Read the FFS (Fast Filesystem) paper for hints - change the working directory instead of using absolute paths; this avoids calls to the evil iname(?) facility in the kernel - work breadth-first instead of depth first, to keep things in the kernel cache Rewrite recon.ml in a more modular way. Probably, have for each property a function taking the previous file state and the state on each replicas, and returning in what the synchronization operation should be (nothing, left, right, conflict); a combinator then merge the results. It would be good to have a graphical interface allowing management and editing of profiles, ignore patterns, etc. Or, less ambitiously, just have UI options for all command-line options (killServer) How about a facility so that you can specify more than one pair of file systems for a single invocation of Unison? This would be like calling Unison multiple times, except that it would ask all the questions at once. Better yet, we could actually deal with the multi-replica case. (The latter is pretty hard.) What about invoking some user-specified operation on each file as it is transferred? Or in each directory where things have changed? (This will require some careful design work.) Sync with archived directories (in tar / zip / gz format) would be nice. Seems a bit awkward to implement, though: at the moment there are a lot of functions all over the place that investigate and modify the file system, and these would all have to be replaced with a layer that transparently parses, etc., etc. Consider using other authentication services (e.g. Kerberos) instead of / in addition to ssh. What happens when we synchronize, then decide to ignore some existing file What happens to the entry in the archive? If mirroring, it may be large, we probably want to delete it from the archive. File level synchronization (bookmarks, mailboxes) It might be nice to implement an (optional) safety check that detects aliasing within a replica due to followed links (or hard links) and complains if it finds any. This should not be *too* expensive, since we already know all the inode numbers. (Even if it *is* expensive, it might be useful to allow users to do this occasionally, if they are paranoid.) * WINDOWS ISSUES * ============== Suggestion from Arnaud: I have been using XP for a while and despite all the problems I have, there is a very nice feature: being able to mount remote folders (nothing new), to work with them offline and synchronize them. Really useful. -- A good way to simulate this with Unison would be to package it as a shell extension. From the desktop by clicking on the right button the user selects "create new Unison mount point" and answers a few trivial question. And the rest is done in the background. There are a lot of examples of shell extensions and there is a really good book for O'Reilly about it. -- A good project for a student :-) -- PS: see http://www.simplythebest.net/shellenh.html for some examples. NTFS seems to have two ways of setting a file read-only! Comments from Karl Moerder: Tonight I made some files read-only on my desktop at home. I did this by setting global read and execute permissions (from the security tab of properties). I ran Unison and it didn't notice the change. I then set the permissions back to full control and then selected the read-only box (from the general tab of properties). I ran Unison again and it noticed and pushed the perms change to the server. I understand that Windows is a bit squirrely here, but how do you decide which permissions to look at? It seems like perhaps the ones on the security tab would be more natural. (?) -- I get similar results with both bits (they both cause read-only behavior). I believe that the origin of the two modes of setting is that the first set is the old way of doing Windows protection (probably the interface provided on FAT file systems) and the new way is the more Unix like way (added for NTFS file systems). The new way has rwxdpo bits for each group (and there can be several groups). Local Variables: mode: outline End: unison-2.40.102/clroot.mli0000644006131600613160000000134411361646373015416 0ustar bcpiercebcpierce(* Unison file synchronizer: src/clroot.mli *) (* Copyright 1999-2009, Benjamin C. Pierce (see COPYING for details) *) (* Command-line roots *) type clroot = ConnectLocal of string option (* root *) | ConnectByShell of string (* shell = "rsh" or "ssh" *) * string (* name of host *) * string option (* user name to log in as *) * string option (* port *) * string option (* root of replica in host fs *) | ConnectBySocket of string (* name of host *) * string (* port where server should be listening *) * string option (* root of replica in host fs *) val clroot2string : clroot -> string val parseRoot : string -> clroot unison-2.40.102/tree.mli0000644006131600613160000000566311361646373015063 0ustar bcpiercebcpierce(* Unison file synchronizer: src/tree.mli *) (* Copyright 1999-2009, Benjamin C. Pierce (see COPYING for details) *) (* An ('a, 'b) t is a tree with 'a-labeled arcs and 'b-labeled nodes. *) (* Labeling for the internal nodes is optional *) type ('a, 'b) t = Node of ('a * ('a, 'b) t) list * 'b option | Leaf of 'b (* An "unfinished" tree *) type ('a, 'b) u (* ------------------------------------------------------------------------- *) (* Functions for unfinished tree (u-tree) *) (* ------------------------------------------------------------------------- *) (* start an empty u-tree *) val start : ('a, 'b) u (* add t v: add a node with label "v" at the current position *) val add : ('a, 'b) u -> 'b -> ('a, 'b) u (* enter t n: create a new subtree, with leading arc labeled "v", at the *) (* current position *) val enter : ('a, 'b) u -> 'a -> ('a, 'b) u (* go up one-level *) val leave : ('a, 'b) u -> ('a, 'b) u (* ------------------------------------------------------------------------- *) (* From u-trees to trees *) (* ------------------------------------------------------------------------- *) (* "finish" up the tree construction and deliver a tree precondition: *) (* already at the top-level of the tree *) val finish : ('a, 'b) u -> ('a, 'b) t (* from the u-tree, deliver a tree (by going back to top-level and "finish") *) (* and the skeleton u-tree, which represents the current position *) val slice : ('a, 'b) u -> ('a, 'b) t * ('a, 'b) u (* ------------------------------------------------------------------------- *) (* Functions for trees *) (* ------------------------------------------------------------------------- *) (* Test if the tree is empty *) val is_empty : ('a, 'b) t -> bool (* pointwise renaming of arcs and nodes *) val map : ('a -> 'c) -> ('b -> 'd) -> ('a, 'b) t -> ('c, 'd) t (* DFT the tree, keeping an accumulator for the path, and apply a function *) (* to all the partial paths ended by a labeled node *) val iteri : ('a, 'b) t -> 'c -> ('c -> 'a -> 'c) -> ('c -> 'b -> unit) -> unit (* count the number of labeled nodes *) val size : ('a, 'b) t -> int (* DFT the tree, keep an accumulator for the path, and record all the *) (* partial paths ended by a labeled node *) val flatten : ('a, 'b) t -> 'c -> ('c -> 'a -> 'c) -> ('c * 'b) list -> ('c * 'b) list unison-2.40.102/INSTALL.win32-msvc0000644006131600613160000004465011361646373016360 0ustar bcpiercebcpierceInstallation notes to build Unison on Windows systems, with Visual C++ [The following instructions were tested for Unison 2.9.1 on a Windows 2000 machine running OCaml 3.04 -- that was a long time ago, so there may be some discrepancies with current versions of things. If you notice any, please send a correction to unison-users@yahoogroups.com.] Contents 1.Setting up the Windows system 1.1 General requirements 1.2 A Unix-like layer: CygWin 1.3 Visual C++ 1.4 The OCaml compiler 2.Compiling Unison 2.1 Text user interface 2.2 Tk user interface 2.3 Gtk user interface 3.Using new public versions of Tk/Gtk/LablGtk 3.1 Using a new version of Tcl/Tk 3.2 Patching a new version of Gtk 3.3 Patching a new version of LablGtk 3.4 Making patches from the public sources Appendix A.Windows text format B.'.bashrc' C.Windows files and directories names D.Windows icons Section 1 - Setting up the Windows system 1.1 General requirements We will assume your are logged in as a regular user. We will mention cases when you need to be granted administrator permissions. We will work in your home directory. For a complete installation from scratch, you will need about 300 Mb. CygWin, a Unix-like layer, is needed to be able to use GNU tools like 'bash', 'make', 'sed', 'patch', etc. The native Win32 port of OCaml distribution version 3.04 is required. It itself requires Visual C++ 6.0. 1.2 A Unix-like layer: CygWin Download CygWin from 'http://www.cygwin.com/': * click "install cygwin now" and follow the instruction to set up cygwin. install the essential packages such as "make", "fileutil", "openssh", etc. set the root directory (e.g. 'd:\cygwin') Setup 'bash': * click on 'bash'. * enter 'export HOME=/home/', make the directory, then 'cd'. * create a '.bashrc' in CygWin's root directory to suit your needs (see Appendix B for an example). * check the environment variable OSTYPE with 'echo $OSTYPE'. If the result is not 'cygwin' or 'cygwin20', then add 'export OSTYPE=cygwin' to the '.bashrc' file. This variable helps the unison Makefile (project file) to understand that we are compiling under Windows platform. Remember you can access the whole Windows filesystem with a Unix path through '/cygdrive//' (e.g. '/cygdrive/c/winnt' stands for 'C:\WinNT') 1.3 Visual C++ Run the installation program from the CD with Administrator permissions. We only need Visual C++ and MsDN is not required. To check out your installation, use 'bash' to enter 'cl /?'. If something goes wrong : * your path must contain the Visual C++ 'bin' directory; you may have to enter something like 'export PATH=$PATH:/cygdrive/progra~1/micros~1/vc98/bin'. * your path must contain the Visual Studio '.dll' files' directory; you may have to enter something like 'export PATH=$PATH:/cygdrive/progra~1/micros~1/common/msdev98/bin'. * the Visual C++ compiler must be able to access the headers; you may have to enter something like 'export INCLUDE='C:\progra~1\micros~1\vc98\include'' (path between single quotes). * the Visual C++ linker must be able to access the libraries; you may have to enter something like 'export LIB='C:\progra~1\micros~1\vc98\lib'' (path between single quotes). 1.4 The OCaml compiler Download the Native Win32 port of OCaml 3.04 from 'http://caml.inria.fr/ocaml/distrib.html'. It's a self-extracting binary. Run it with Administrator permissions (only use 8 characters-long names in the installation directory). To check out your installation, use 'bash' to enter 'ocamlc -v'. If something goes wrong : * your path must contain the OCaml 'bin' directory; you may have to enter something like 'export PATH=$PATH:/cygdrive/c/ocaml/bin'. * 'ocamlc -v' must report the OCaml 'lib' directory; you may have to enter something like "export CAMLLIB='C:\ocaml\lib'" (path between single quotes). 1.5 Microsoft Macro Assembler (MASM32) Download MASM32 from http://www.masm32.com/masmdl.htm, unzip and install it. Add the MASM32 bin directory (e.g. C:\masm32\bin) to your Path. Test the assembler with ml Your shell should answer with Microsoft (R) Macro Assembler Version 6.14.8444 Copyright (C) Microsoft Corp 1981-1997. All rights reserved. usage: ML [ options ] filelist [ /link linkoptions] Run "ML /help" or "ML /?" for more info Section 2 - Compiling Unison 2.1 Text user interface Unpack the Unison sources. Using 'bash', enter 'make clean', then 'make UISTYLE=text' to compile. If something goes wrong : * if 'make' reports 'missing separator', be sure the makefiles are in Unix text format (see Appendix A). * if .depend is not provided, create one using 'ocamldep *.mli *.ml > .depend'; you will have to convert this file to Unix text format (see Appendix A). * the minor 'etags' error is reported when 'emacs' is missing; you may want to install it. 2.2 Gtk user interface You need the Gtk libraries (already installed if you got the Tcl/Tk libraries). Get the 'guilib.tar.gz' tarball from the 'resources' directory of the Unison web site and unpack it in your Ocaml 'lib' directory. This will create a 'guilib' directory containing the libraries. Now you need the LablGtk extension to OCaml. First, the Gtk development package is required. Get the 'wingtk.patched.tar.gz' tarball from the 'resources' directory of the Unison web site and unpack it. This will create a 'wingtk' directory. Now, get the 'lablgtk-1.2.3-msvc-static.tar.gz' tarball from the 'resources' directory of the Unison web site and unpack it somewhere (a building location, just for the compilation). This will create a 'lablgtk-1.2.3-static' directory. Edit the 'config.make.nt' file to set up the access path to your OCaml 'lib' directory and to the 'wingtk' directory you created in the previous step. In 'lablgtk-1.2.3-static/src', run 'nmake -f Makefile.nt'. If you can use the OCaml native-code compiler, run 'nmake -f Makefile.nt opt' too. If you can't, you probably need the MASM assembler, also available in the 'resources' directory of the Unison web site. If everything goes well, run 'nmake -f Makefile.nt install' to install the software. You may want to remove the compilation directory 'lablgtk-1.2.3-static'. Using 'bash' in the Unison sources directory, enter 'make clean' then 'make UISTYLE=gtk'. Run 'unison.exe' with the Gtk .dll's in your search path (they can be found in the 'guilib' directory), unless you built with the NATIVE=true option. "unison.exe" built with NATIVE=true option is statically linked. This means that the executable doesn't refer to Cygwin and Gtk DLLs, and can therefore be distributed as a standalone application. Section 3 - Using new public versions of Tk/Gtk/LablGtk 3.1 Patching a new version of Gtk Download the 'wingtk.patch.tar.gz' tarball from the 'resources' directory of the Unison web site and unpack it. Follow the instructions in the 'README.patch' file to download the Gtk sources, to patch them and to build the new static and dynamic libraries. Important: if a patch fails for any reason, try to apply the patches on a Unix system. Copy those new libraries to your 'ocaml/lib/guilib' directory, along with the .dll's (dynamic version). Using the new version of 'wingtk', recompile LablGtk (see section 2.3). 3.2 Patching a new version of LablGtk Download lablgtk-1.2.3.tar.gz from the LablGtk homepage . Unpack it. Download the 'lablgtk-1.2.3-msvc-static.patch.gz' from the 'resources' directory of the Unison web site. Apply the patch by typing: 'patch < lablgtk.patch' above the 'lablgtk' directory. Important: if a patch fails for any reason, try to apply the patches on a Unix system. 3.3 Making patches from the public sources The way from public Gtk/LablGtk sources to the provided Gtk/LablGtk dynamic/static extension has been somehow perilous. We strongly recommand using the provided sources and patches as a base for your further enhancements. To be exhaustive, here are the steps followed to create the provided sources (hoping it would help when trying to adapt a new version): WinGtk: * Download the Gtk win32 sources from 'http://www.gimp.org/~tml/gimp/win32//downloads.html'. We need 'glib-src-yyyymmdd' and 'gtk+-src-yyyymmdd' where 'yyyymmdd' is the release date. Version 2000/04/16 of these files was used. * We will make new Windows Makefiles from the old ones. Here is how to convert a Makefile: - change all '/MD' to '/MT' to use the same windows system libraries than ocaml (e.g. 'OPTIMIZE = -Ox -MD' becomes 'OPTIMIZE = -Ox -MT') - turns all '.dll' targets to '.lib' ones using 'MKLIB = lib /nologo /out:' you must remove all references to '.def' files you must remove all references to other '.lib' and '.res' but you will have to provide them when linking an executable later (e.g. glib-$(GLIB_VER).dll : $(glib_OBJECTS) glib.def $(CC) $(CFLAGS) -LD -Feglib-$(GLIB_VER).dll $(glib_OBJECTS) \ user32.lib advapi32.lib wsock32.lib $(LDFLAGS) /def:glib.def becomes: glib-$(GLIB_VER).lib : $(glib_OBJECTS) $(MKLIB)glib-$(GLIB_VER).lib $(glib_OBJECTS) ) - remove all '-GD' compilation flags (e.g. .c.obj : $(CC) $(CFLAGS) -GD -c -DGLIB_COMPILATION \ -DG_LOG_DOMAIN=g_log_domain_glib $< becomes: .c.obj : $(CC) $(CFLAGS) -c -DGLIB_COMPILATION \ -DG_LOG_DOMAIN=g_log_domain_glib $< ) - provides the right libraries when linking executables (e.g. testgtk.exe : gtk-$(GTK_VER).dll testgtk.obj $(CC) $(CFLAGS) testgtk.obj gtk-$(GTK_VER).lib \ ..\gdk\gdk-$(GTK_VER).lib $(GLIB)\glib-$(GLIB_VER).lib \ $(LDFLAGS) becomes: testgtk.exe : gtk-$(GTK_VER).lib testgtk.obj $(CC) $(CFLAGS) testgtk.obj gtk-$(GTK_VER).lib \ ..\gdk\gdk-$(GTK_VER).lib ..\gdk\win32\gdk-win32.lib \ $(GLIB)\glib-$(GLIB_VER).lib $(GLIB)\gmodule-$(GLIB_VER).lib \ user32.lib advapi32.lib wsock32.lib gdi32.lib imm32.lib \ shell32.lib ole32.lib ../gdk/win32/gdk.res $(LDFLAGS) ) * Convert 'glib/makefile.msc' and remove all references to the 'gthread' and 'pthread' directories and libraries from it (but keep 'gthread.obj'). * Erase the 'gthread' directory. * Comment out the '#include ' line in 'glib/gmodule/gmodule-win32.c'. * You should now be able to compile the 'glib' and 'gmodule' libraries by typing 'nmake -f '. You can test it with 'testglib' and the other test programs. Remember to provide those two libraries when linking programs. * In 'gtk+/config.h.win32', undefine the following variables by commenting out their definition lines: HAVE_WINTAB, ENABLE_NLS, HAVE_GETTEXT, HAVE_LIBINTL * Convert 'gtk+/gdk/win32/makefile.msc' and remove all references to 'WTKIT', 'wntab32x', 'INTL' and 'gnu-intl' from it. * In 'gtk+/gdk/win32/rc/gdk.rc', comment out ',BUILDNUMBER'. * In 'gtk+/gdk/win32/gdkcursor-win32.c', replace 'gdk_DLLInstance' by 'gdk_ProgInstance'. * You should now be able to compile 'gdk-win32.lib'. * Convert 'gtk+/gdk/makefile.msc' and remove all references to 'WTKIT', 'wntab32x', 'INTL' and 'gnu-intl' from it. Include 'gdk-win32.lib' as an object for the 'gdk' library. * You should now be able to compile the 'gdk' library. Remember to provide 'win32/gdk.res' as well as the 'gdk' library when linking programs. * Convert 'gtk+/gtk/makefile.msc' and remove all references to 'WTKIT', 'wntab32x', 'INTL', 'gnu-intl' and 'PTHREAD' from it. * Be sure to include all needed libraries in the '.exe' files' compilation command lines. In most case you need the following: gtk-$(GTK_VER).lib ..\gdk\gdk-$(GTK_VER).lib \ $(GLIB)\glib-$(GLIB_VER).lib $(GLIB)\gmodule-$(GLIB_VER).lib \ user32.lib advapi32.lib wsock32.lib gdi32.lib imm32.lib shell32.lib \ ole32.lib \ ../gdk/win32/gdk.res * You should now be able to compile the 'gtk' library. You can test it with 'testglib' and the other test programs. * With some cleaning of the Makefiles, it is also possible to build a dynamic version of the libraries, along with the .dll's, so that we finally obtain static/dynamic sources. * Make a patch with 'diff -Nr -C 5 ' (you have to use the GNU diffutils' 'diff'). You will apply the patch with 'patch -p1 < '. LablGtk: * Download LablGtk from 'http://www.gtk.org' or 'ftp://ftp.inria.fr/lang/caml-light/bazar-ocaml/'. * You can remove all subdirectories. * Edit 'config.make.nt' to include the right Gtk libraries. * Comment out all references to 'gutter' to be found in the sources with 'grep gutter *.h *.c *.mli *.ml'. * Compile with 'nmake -f Makefile.nt'. If you can use the OCaml native-code compiler, run 'nmake -f Makefile.nt opt' too. If you can't, you probably need the MASM assembler. It was downloaded from 'http://www.cs.uu.nl/wais/html/na-dir/assembly-language/x86/microsoft.html'. * Make a patch as for WinGtk. Appendix A - Windows text format Windows and Unix use different text file formats. This section explains how to convert a file from a format to another. A.1 Text format conversion In order to convert a dos text file to a unix text file, we have to remove all extra characters that are : * carriage return or CR or ^M (ctrl-M) or \x0d or \o13 or \r * dos end-of-file or SUB or ^Z (ctrl-Z) or \x1a or \o26 A.2 Conversion tools On a Unix-like top level (e.g any unix system or cygwin), you can use: * dos -> unix - tr -d '\15\32' < dosfile.txt > unixfile.txt - awk '{ sub("\r$", ""); print }' dosfile.txt > unixfile.txt - perl -p -e 's/\r$//' < dosfile.txt > unixfile.txt * unix -> dos - awk 'sub("$", "\r")' unixfile.txt > dosfile.txt - perl -p -e 's/$/\r/' < unixfile.txt > dosfile.txt You may want to use a short script like the following to convert more than one file at a time (doesn't work recursively; use at your own risk): #!/bin/sh echo dos2unix for F in "$@" do echo converting "$F" tr -d '\15\32' < $F > $F.tmp mv -f $F.tmp $F done A.3 Transmission issues If you transfer files using 'ftp' between a Unix system and a Windows system, be sure to run it in binary mode to disable any automatic conversion. To switch to binary mode, enter 'binary' (or simply 'bin'). Appendix B - '.bashrc'. Copy the following '.bashrc' as a base to your own one. Be sure this file is in Unix text format. # .bashrc # gommier@saul.cis.upenn.edu export HOME=/ export PS1="[\u@\h \w]$ " cd # Set up Path # $PATH currently contains the Windows Path converted to Unix path, export PATH=./:/bin:$PATH echo "Current path is :" echo $PATH echo " " # end Appendix C - Windows files and directories names Here are some general rules for applications creating names for directories and files or processing names supplied by the user: * Use any character in the current code page for a name, but do not use a path separator, a character in the range 0 through 31, or any character explicitly disallowed by the file system. A name can contain characters in the extended character set (128-255). * Use the backslash (\), the forward slash (/), or both to separate components in a path. No other character is acceptable as a path separator. Note that UNC names must adhere to the following format: \\server\share. * Use a period (.) as a directory component in a path to represent the current directory. * Use two consecutive periods (..) as a directory component in a path to represent the parent of the current directory. * Use a period (.) to separate the base file name from the extension in a directory name or file name. * Do not use the following characters in directory names or file names, because they are reserved: < > : " / \ | * Do not use device names, such as aux, con, lpt1, and prn, as file names or directory names. * Process a path as a null-terminated string. The maximum length for a path, including a trailing backslash, is given by MAX_PATH. * The Unicode versions of several functions permit paths that exceed the MAX_PATH length if the path has the "\\?\" prefix. The "\\?\" tells the function to turn off path parsing. However, each component in the path cannot be more than MAX_PATH characters long. Use the "\\?\" prefix with paths for local storage devices and the "\\?\UNC\" prefix with paths having the Universal Naming Convention (UNC) format. The "\\?\" is ignored as part of the path. For example, "\\?\C:\myworld\private" is seen as "C:\myworld\private", and "\\?\UNC\bill_g_1\hotstuff\coolapps" is seen as "\\bill_g_1\hotstuff\coolapps". * Do not assume case sensitivity. Consider names such as OSCAR, Oscar, and oscar to be the same. Appendix D - Windows icons Here are some general informations on how to make your Windows program have a nice icon. * What we mean by icon is a set of bitmaps that are displayed by Windows to represent your program on the desktop, on the top left corner of each window, etc. For your program's binary to include an icon, you will have to draw each bitmap and to store them in .bmp files, then to archive them in a .ico file, then to archive that icon file in a .res file along with other resources, and finally to link your program with that very .res file. * Current graphic formats for icons are 16 x 16, 32 x 32 and 48 x 48 pixels with 16 or 256 colors. One format must always exist for compatibility with all Windows versions: the 32 x 32 x 16 format. Furthermore, the colors refer to the standard palette (sometimes called www palette), which means you mustn't use optimized palette when turning RGB colors to indexed colors. If you need subtle nuances, remember you can interleave pixels of two different colors to create the impression of a third, average one. * Once your bitmaps are ready, you can use the Visual C++ IDE to create your .ico file. Use the resource tool bar to create a 'new icon'. Open your .bmp files and simply cut and paste them into the icon window. You have to select the proper device (or format) for each bitmap before achieving the copy. When your icon (i.e. set of bitmaps) is ready, right-click on the icon name in the resource list window to export it. Note: you should never trust that IDE when dealing with colors, since it seems to get quickly lost between 16 or 256 colors. * To include your icon into a resource file, add a line for it into the .rc script file and compile with rc to create the .res file. * Just add the .res file to the link command line to have your binary include the icon. unison-2.40.102/pred.mli0000644006131600613160000000513111361646373015044 0ustar bcpiercebcpierce(* Unison file synchronizer: src/pred.mli *) (* Copyright 1999-2009, Benjamin C. Pierce (see COPYING for details) *) (* Predicates over paths. General description: A predicate is determined by a list of default patterns and a list of current patterns. These patterns can be modified by [addDefaultPatterns] and [intern]. Function [test p s] tests whether string [s] satisfies predicate [p], i.e., it matches a pattern of [p]. For efficiency, the list of patterns are compiled into a regular expression. Function [test] compares the current value of default patterns and current patterns against the save ones (recorded in last_pref/last_def) to determine whether recompilation is necessary. Each pattern has the form [ -> ] The associated string is ignored by [test] but can be looked up by [assoc]. Three forms of / are recognized: "Name ": ..../ (using globx) "Path ": , not starting with "/" (using globx) "Regex ": (using rx) *) type t (* Create a new predicate and register it with the preference module. The first arg is the name of the predicate; the second is full (latex) documentation. *) val create : string -> ?local:bool -> ?advanced:bool -> string -> t (* Check whether a given path matches one of the default or current patterns *) val test : t -> string -> bool (* Return the associated string for the first matching pattern. Raise Not_found if no pattern with an associated string matches. *) val assoc : t -> string -> string (* Return all strings associated to a matching pattern. *) val assoc_all : t -> string -> string list (* Add list of default patterns to the existing list. (These patterns are remembered even when the associated preference is cleared). *) val addDefaultPatterns : t -> string list -> unit (* Install a new list of patterns, overriding the current list *) val intern : t -> string list -> unit (* Return the current list of patterns *) val extern : t -> string list (* Return the current list of associated strings *) val extern_associated_strings : t -> string list (* Create an alternate name for a predicate (the new name will not appear in usage messages or generated documentation) *) val alias : t (* existing predicate *) -> string (* new name *) -> unit unison-2.40.102/lock.mli0000644006131600613160000000052511361646373015044 0ustar bcpiercebcpierce(* Unison file synchronizer: src/lock.mli *) (* Copyright 1999-2009, Benjamin C. Pierce (see COPYING for details) *) (* A simple utility module for setting and releasing inter-process locks using entries in the filesystem. *) val acquire : System.fspath -> bool val release : System.fspath -> unit val is_locked : System.fspath -> bool unison-2.40.102/unicode.mli0000644006131600613160000000330111361646373015535 0ustar bcpiercebcpierce(* Unison file synchronizer: src/unicode.mli *) (* Copyright 1999-2009, Benjamin C. Pierce (see COPYING for details) *) exception Invalid (* Case-insensitive comparison. If two strings are equal according to Mac OS X (Darwin, actually, but the algorithm has hopefully remained unchanged) or Windows (Samba), then this function returns 0 *) val case_insensitive_compare : string -> string -> int (* Corresponding normalization *) val normalize : string -> string (* Case-sensitive comparison (but up to decomposition). *) val case_sensitive_compare : string -> string -> int (* Compose Unicode strings. This is the decomposition performed by Mac OS X. *) val decompose : string -> string (* Compose Unicode strings. This reverts the decomposition performed by Mac OS X. *) val compose : string -> string (* Convert to and from a null-terminated little-endian UTF-16 string *) (* Do not fail on isolated surrogate but rather generate ill-formed UTF-8 characters, so that the conversion never fails. *) val to_utf_16 : string -> string val from_utf_16 : string -> string (* Convert to and from a null-terminated little-endian UTF-16 string *) (* Invalid NTFS characters are mapped to characters in the unicode private use area *) (* FIX: not correct at the moment: should deal properly with paths such as //?/foo/ c:\foo\bar ... *) val to_utf_16_filename : string -> string val from_utf_16_filename : string -> string (* Check wether the string contains only well-formed UTF-8 characters *) val check_utf_8 : string -> bool (* Convert a string to UTF-8 by keeping all UTF-8 characters unchanged and considering all other characters as ISO 8859-1 characters *) val protect : string -> string unison-2.40.102/lwt/0000755006131600613160000000000012050210656014200 5ustar bcpiercebcpierceunison-2.40.102/lwt/Makefile0000644006131600613160000000233411361646373015657 0ustar bcpiercebcpierce NAME = lwt OCAMLC = ocamlfind ocamlc -g OCAMLOPT = ocamlfind ocamlopt OCAMLDEP = ocamldep OBJECTS = pqueue.cmo lwt.cmo lwt_util.cmo lwt_unix.cmo XOBJECTS = $(OBJECTS:cmo=cmx) ARCHIVE = $(NAME).cma XARCHIVE = $(NAME).cmxa REQUIRES = PREDICATES = all: $(ARCHIVE) opt: $(XARCHIVE) $(ARCHIVE): $(OBJECTS) $(OCAMLC) -a -o $(ARCHIVE) -package "$(REQUIRES)" -linkpkg \ -predicates "$(PREDICATES)" $(OBJECTS) $(XARCHIVE): $(XOBJECTS) $(OCAMLOPT) -a -o $(XARCHIVE) -package "$(REQUIRES)" -linkpkg \ -predicates "$(PREDICATES)" $(XOBJECTS) .SUFFIXES: .cmo .cmi .cmx .ml .mli .ml.cmo: $(OCAMLC) -package "$(REQUIRES)" -predicates "$(PREDICATES)" \ -c $< .mli.cmi: $(OCAMLC) -package "$(REQUIRES)" -predicates "$(PREDICATES)" \ -c $< .ml.cmx: $(OCAMLOPT) -package "$(REQUIRES)" -predicates "$(PREDICATES)" \ -c $< depend: *.ml *.mli $(OCAMLDEP) *.ml *.mli > depend include depend install: all { test ! -f $(XARCHIVE) || extra="$(XARCHIVE) "`basename $(XARCHIVE) .cmxa`.a; }; \ ocamlfind install $(NAME) *.mli *.cmi $(ARCHIVE) META $$extra uninstall: ocamlfind remove $(NAME) clean:: rm -f *.cmi *.cmo *.cmx *.cma *.cmxa *.a *.o *~ *.bak clean:: cd example && $(MAKE) clean unison-2.40.102/lwt/lwt.ml0000644006131600613160000000753211361646373015364 0ustar bcpiercebcpierce (* Either a thread ['a t] has terminated, eithera successfully [Return of 'a] or * unsuccessfully [Fail of exn], or it is sleeping *) type 'a state = Return of 'a | Fail of exn | Sleep (* A suspended thread is described by ['a t] * It could have several [waiters], which are thunk functions *) type 'a t = { mutable state : 'a state; mutable waiters : (unit -> unit) list } (* [make st] returns a thread of state [st] and no waiters *) let make st = { state = st; waiters = [] } (* add a thunk [f] to the waiting list of thread [t] *) let add_waiter t f = t.waiters <- f :: t.waiters (* restart a sleeping thread [t], run all its waiters * and running all the waiters, and make the terminating state [st] * [caller] is a string that describes the caller *) let restart t st caller = assert (st <> Sleep); if t.state <> Sleep then invalid_arg caller; t.state <- st; List.iter (fun f -> f ()) t.waiters; t.waiters <- [] (* * pre-condition: [t.state] is Sleep (i.e., not terminated) * [connect t t'] connects the two processes when t' finishes up * connecting means: running all the waiters for [t'] * and assigning the state of [t'] to [t] *) let rec connect t t' = if t.state <> Sleep then invalid_arg "connect"; if t'.state = Sleep then add_waiter t' (fun () -> connect t t') else begin t.state <- t'.state; begin match t.waiters with [f] -> t.waiters <- []; f () | _ -> List.iter (fun f -> f ()) t.waiters; t.waiters <- [] end end (* similar to [connect t t']; does nothing instead of raising exception when * [t] is not asleep *) let rec try_connect t t' = if t.state <> Sleep then () else if t'.state = Sleep then add_waiter t' (fun () -> try_connect t t') else begin t.state <- t'.state; List.iter (fun f -> f ()) t.waiters; t.waiters <- [] end (* apply function, reifying explicit exceptions into the thread type * apply: ('a -(exn)-> 'b t) -> ('a -(n)-> 'b t) * semantically a natural transformation TE -> T, where T is the thread * monad, which is layered over exception monad E. *) let apply f x = try f x with e -> make (Fail e) (****) let return v = make (Return v) let fail e = make (Fail e) let wait () = make Sleep let wakeup t v = restart t (Return v) "wakeup" let wakeup_exn t e = restart t (Fail e) "wakeup_exn" let rec bind x f = match x.state with Return v -> f v | Fail e -> fail e | Sleep -> let res = wait () in add_waiter x (fun () -> connect res (bind x (apply f))); res let (>>=) = bind let rec catch_rec x f = match x.state with Return v -> x | Fail e -> f e | Sleep -> let res = wait () in add_waiter x (fun () -> connect res (catch_rec x (apply f))); res let catch x f = catch_rec (apply x ()) f let rec try_bind_rec x f g = match x.state with Return v -> f v | Fail e -> apply g e | Sleep -> let res = wait () in add_waiter x (fun () -> connect res (try_bind_rec x (apply f) g)); res let try_bind x f = try_bind_rec (apply x ()) f let poll x = match x.state with Fail e -> raise e | Return v -> Some v | Sleep -> None let rec ignore_result x = match x.state with Return v -> () | Fail e -> raise e | Sleep -> add_waiter x (fun () -> ignore_result x) let rec nth_ready l n = match l with [] -> assert false | x :: rem -> if x.state = Sleep then nth_ready rem n else if n > 0 then nth_ready rem (n - 1) else x let choose l = let ready = ref 0 in List.iter (fun x -> if x.state <> Sleep then incr ready) l; if !ready > 0 then nth_ready l (Random.int !ready) else let res = wait () in (* XXX We may leak memory here, if we repeatedly select the same event *) List.iter (fun x -> try_connect res x) l; res unison-2.40.102/lwt/generic/0000755006131600613160000000000012050210656015614 5ustar bcpiercebcpierceunison-2.40.102/lwt/generic/lwt_unix_impl.ml0000644006131600613160000003556511361646373021073 0ustar bcpiercebcpierce(* Non-blocking I/O and select does not (fully) work under Windows. The libray therefore does not use them under Windows, and will therefore have the following limitations: - No read will be performed while there are some threads ready to run or waiting to write; - When a read is pending, everything else will be blocked: [sleep] will not terminate and other reads will not be performed before this read terminates; - A write on a socket or a pipe can block the execution of the program if the data are never consumed at the other end of the connection. In particular, if both ends use this library and write at the same time, this could result in a dead-lock. - [connect] is blocking *) let windows_hack = Sys.os_type <> "Unix" let recent_ocaml = Scanf.sscanf Sys.ocaml_version "%d.%d" (fun maj min -> (maj = 3 && min >= 11) || maj > 3) module SleepQueue = Pqueue.Make (struct type t = float * int * unit Lwt.t let compare (t, i, _) (t', i', _) = let c = compare t t' in if c = 0 then i - i' else c end) let sleep_queue = ref SleepQueue.empty let event_counter = ref 0 let sleep d = let res = Lwt.wait () in incr event_counter; let t = if d <= 0. then 0. else Unix.gettimeofday () +. d in sleep_queue := SleepQueue.add (t, !event_counter, res) !sleep_queue; res let yield () = sleep 0. let get_time t = if !t = -1. then t := Unix.gettimeofday (); !t let in_the_past now t = t = 0. || t <= get_time now let rec restart_threads imax now = match try Some (SleepQueue.find_min !sleep_queue) with Not_found -> None with Some (time, i, thr) when in_the_past now time && i - imax <= 0 -> sleep_queue := SleepQueue.remove_min !sleep_queue; Lwt.wakeup thr (); restart_threads imax now | _ -> () type file_descr = Unix.file_descr let of_unix_file_descr fd = if not windows_hack then Unix.set_nonblock fd; fd let inputs = ref [] let outputs = ref [] let wait_children = ref [] let child_exited = ref false let _ = if not windows_hack then ignore(Sys.signal Sys.sigchld (Sys.Signal_handle (fun _ -> child_exited := true))) let bad_fd fd = try ignore (Unix.LargeFile.fstat fd); false with Unix.Unix_error (_, _, _) -> true let wrap_syscall queue fd cont syscall = let res = try Some (syscall ()) with Exit | Unix.Unix_error ((Unix.EAGAIN | Unix.EWOULDBLOCK | Unix.EINTR), _, _) -> (* EINTR because we are catching SIG_CHLD hence the system call might be interrupted to handle the signal; this lets us restart the system call eventually. *) None | e -> queue := List.remove_assoc fd !queue; Lwt.wakeup_exn cont e; None in match res with Some v -> queue := List.remove_assoc fd !queue; Lwt.wakeup cont v | None -> () let rec run thread = match Lwt.poll thread with Some v -> v | None -> let next_event = try let (time, _, _) = SleepQueue.find_min !sleep_queue in Some time with Not_found -> None in let now = ref (-1.) in let delay = match next_event with None -> -1. | Some 0. -> 0. | Some time -> max 0. (time -. get_time now) in let infds = List.map fst !inputs in let outfds = List.map fst !outputs in let (readers, writers, _) = if windows_hack && not recent_ocaml then let writers = outfds in let readers = if delay = 0. || writers <> [] then [] else infds in (readers, writers, []) else if infds = [] && outfds = [] && delay = 0. then ([], [], []) else try let res = Unix.select infds outfds [] delay in if delay > 0. && !now <> -1. then now := !now +. delay; res with Unix.Unix_error (Unix.EINTR, _, _) -> ([], [], []) | Unix.Unix_error (Unix.EBADF, _, _) -> (List.filter bad_fd infds, List.filter bad_fd outfds, []) | Unix.Unix_error (Unix.EPIPE, _, _) when windows_hack && recent_ocaml -> (* Workaround for a bug in Ocaml 3.11: select fails with an EPIPE error when the file descriptor is remotely closed *) (infds, [], []) in restart_threads !event_counter now; List.iter (fun fd -> try match List.assoc fd !inputs with `Read (buf, pos, len, res) -> wrap_syscall inputs fd res (fun () -> Unix.read fd buf pos len) | `Accept res -> wrap_syscall inputs fd res (fun () -> let (s, _) as v = Unix.accept fd in if not windows_hack then Unix.set_nonblock s; v) | `Wait res -> wrap_syscall inputs fd res (fun () -> ()) with Not_found -> ()) readers; List.iter (fun fd -> try match List.assoc fd !outputs with `Write (buf, pos, len, res) -> wrap_syscall outputs fd res (fun () -> Unix.write fd buf pos len) | `CheckSocket res -> wrap_syscall outputs fd res (fun () -> try ignore (Unix.getpeername fd) with Unix.Unix_error (Unix.ENOTCONN, _, _) -> ignore (Unix.read fd " " 0 1)) | `Wait res -> wrap_syscall inputs fd res (fun () -> ()) with Not_found -> ()) writers; if !child_exited then begin child_exited := false; List.iter (fun (id, (res, flags, pid)) -> wrap_syscall wait_children id res (fun () -> let (pid', _) as v = Unix.waitpid flags pid in if pid' = 0 then raise Exit; v)) !wait_children end; run thread (****) let wait_read ch = let res = Lwt.wait () in inputs := (ch, `Wait res) :: !inputs; res let wait_write ch = let res = Lwt.wait () in outputs := (ch, `Wait res) :: !outputs; res let read ch buf pos len = try if windows_hack then raise (Unix.Unix_error (Unix.EAGAIN, "", "")); Lwt.return (Unix.read ch buf pos len) with Unix.Unix_error ((Unix.EAGAIN | Unix.EWOULDBLOCK), _, _) -> let res = Lwt.wait () in inputs := (ch, `Read (buf, pos, len, res)) :: !inputs; res | e -> Lwt.fail e let write ch buf pos len = try if windows_hack && recent_ocaml then raise (Unix.Unix_error (Unix.EAGAIN, "", "")); Lwt.return (Unix.write ch buf pos len) with Unix.Unix_error ((Unix.EAGAIN | Unix.EWOULDBLOCK), _, _) -> let res = Lwt.wait () in outputs := (ch, `Write (buf, pos, len, res)) :: !outputs; res | e -> Lwt.fail e (* let pipe () = let (in_fd, out_fd) as fd_pair = Unix.pipe() in if not windows_hack then begin Unix.set_nonblock in_fd; Unix.set_nonblock out_fd end; fd_pair *) let pipe_in () = let (in_fd, out_fd) as fd_pair = Unix.pipe() in if not windows_hack then Unix.set_nonblock in_fd; fd_pair let pipe_out () = let (in_fd, out_fd) as fd_pair = Unix.pipe() in if not windows_hack then Unix.set_nonblock out_fd; fd_pair let socket dom typ proto = let s = Unix.socket dom typ proto in if not windows_hack then Unix.set_nonblock s; s let socketpair dom typ proto = let (s1, s2) as spair = Unix.socketpair dom typ proto in if not windows_hack then begin Unix.set_nonblock s1; Unix.set_nonblock s2 end; Lwt.return spair let bind = Unix.bind let setsockopt = Unix.setsockopt let listen = Unix.listen let close = Unix.close let set_close_on_exec = Unix.set_close_on_exec let accept ch = let res = Lwt.wait () in inputs := (ch, `Accept res) :: !inputs; res let check_socket ch = let res = Lwt.wait () in outputs := (ch, `CheckSocket res) :: !outputs; res let connect s addr = try Unix.connect s addr; Lwt.return () with Unix.Unix_error ((Unix.EINPROGRESS | Unix.EWOULDBLOCK | Unix.EAGAIN), _, _) -> check_socket s | e -> Lwt.fail e let ids = ref 0 let new_id () = incr ids; !ids let _waitpid flags pid = try Lwt.return (Unix.waitpid flags pid) with e -> Lwt.fail e let waitpid flags pid = if List.mem Unix.WNOHANG flags || windows_hack then _waitpid flags pid else let flags = Unix.WNOHANG :: flags in Lwt.bind (_waitpid flags pid) (fun ((pid', _) as res) -> if pid' <> 0 then Lwt.return res else let res = Lwt.wait () in wait_children := (new_id (), (res, flags, pid)) :: !wait_children; res) let wait () = waitpid [] (-1) let system cmd = match Unix.fork () with 0 -> Unix.execv "/bin/sh" [| "/bin/sh"; "-c"; cmd |] | id -> Lwt.bind (waitpid [] id) (fun (pid, status) -> Lwt.return status) (****) type lwt_in_channel = in_channel type lwt_out_channel = out_channel let intern_in_channel ch = Unix.set_nonblock (Unix.descr_of_in_channel ch); ch let intern_out_channel ch = Unix.set_nonblock (Unix.descr_of_out_channel ch); ch let wait_inchan ic = wait_read (Unix.descr_of_in_channel ic) let wait_outchan oc = wait_write (Unix.descr_of_out_channel oc) let rec input_char ic = try Lwt.return (Pervasives.input_char ic) with Sys_blocked_io -> Lwt.bind (wait_inchan ic) (fun () -> input_char ic) | e -> Lwt.fail e let rec input ic s ofs len = try Lwt.return (Pervasives.input ic s ofs len) with Sys_blocked_io -> Lwt.bind (wait_inchan ic) (fun () -> input ic s ofs len) | e -> Lwt.fail e let rec unsafe_really_input ic s ofs len = if len <= 0 then Lwt.return () else begin Lwt.bind (input ic s ofs len) (fun r -> if r = 0 then Lwt.fail End_of_file else unsafe_really_input ic s (ofs+r) (len-r)) end let really_input ic s ofs len = if ofs < 0 || len < 0 || ofs > String.length s - len then Lwt.fail (Invalid_argument "really_input") else unsafe_really_input ic s ofs len let input_line ic = let buf = ref (String.create 128) in let pos = ref 0 in let rec loop () = if !pos = String.length !buf then begin let newbuf = String.create (2 * !pos) in String.blit !buf 0 newbuf 0 !pos; buf := newbuf end; Lwt.bind (input_char ic) (fun c -> if c = '\n' then Lwt.return () else begin !buf.[!pos] <- c; incr pos; loop () end) in Lwt.bind (Lwt.catch loop (fun e -> match e with End_of_file when !pos <> 0 -> Lwt.return () | _ -> Lwt.fail e)) (fun () -> let res = String.create !pos in String.blit !buf 0 res 0 !pos; Lwt.return res) (****) type popen_process = Process of in_channel * out_channel | Process_in of in_channel | Process_out of out_channel | Process_full of in_channel * out_channel * in_channel let popen_processes = (Hashtbl.create 7 : (popen_process, int) Hashtbl.t) let open_proc cmd proc input output toclose = match Unix.fork () with 0 -> if input <> Unix.stdin then begin Unix.dup2 input Unix.stdin; Unix.close input end; if output <> Unix.stdout then begin Unix.dup2 output Unix.stdout; Unix.close output end; List.iter Unix.close toclose; Unix.execv "/bin/sh" [| "/bin/sh"; "-c"; cmd |] | id -> Hashtbl.add popen_processes proc id let open_process_in cmd = let (in_read, in_write) = pipe_in () in let inchan = Unix.in_channel_of_descr in_read in open_proc cmd (Process_in inchan) Unix.stdin in_write [in_read]; Unix.close in_write; Lwt.return inchan let open_process_out cmd = let (out_read, out_write) = pipe_out () in let outchan = Unix.out_channel_of_descr out_write in open_proc cmd (Process_out outchan) out_read Unix.stdout [out_write]; Unix.close out_read; Lwt.return outchan let open_process cmd = let (in_read, in_write) = pipe_in () in let (out_read, out_write) = pipe_out () in let inchan = Unix.in_channel_of_descr in_read in let outchan = Unix.out_channel_of_descr out_write in open_proc cmd (Process(inchan, outchan)) out_read in_write [in_read; out_write]; Unix.close out_read; Unix.close in_write; Lwt.return (inchan, outchan) (* FIX: Subprocesses that use /dev/tty to print things on the terminal will NOT have this output captured and returned to the caller of this function. There's an argument that this is correct, but if we are running from a GUI the user may not be looking at any terminal and it will appear that the process is just hanging. This can be fixed, in principle, by writing a little C code that opens /dev/tty and then uses the TIOCNOTTY ioctl control to detach the terminal. *) let open_proc_full cmd env proc input output error toclose = match Unix.fork () with 0 -> Unix.dup2 input Unix.stdin; Unix.close input; Unix.dup2 output Unix.stdout; Unix.close output; Unix.dup2 error Unix.stderr; Unix.close error; List.iter Unix.close toclose; Unix.execve "/bin/sh" [| "/bin/sh"; "-c"; cmd |] env | id -> Hashtbl.add popen_processes proc id let open_process_full cmd env = let (in_read, in_write) = pipe_in () in let (out_read, out_write) = pipe_out () in let (err_read, err_write) = pipe_in () in let inchan = Unix.in_channel_of_descr in_read in let outchan = Unix.out_channel_of_descr out_write in let errchan = Unix.in_channel_of_descr err_read in open_proc_full cmd env (Process_full(inchan, outchan, errchan)) out_read in_write err_write [in_write; out_read; err_read]; Unix.close out_read; Unix.close in_write; Unix.close err_write; Lwt.return (inchan, outchan, errchan) let find_proc_id fun_name proc = try let pid = Hashtbl.find popen_processes proc in Hashtbl.remove popen_processes proc; pid with Not_found -> raise (Unix.Unix_error (Unix.EBADF, fun_name, "")) let close_process_in inchan = let pid = find_proc_id "close_process_in" (Process_in inchan) in close_in inchan; Lwt.bind (waitpid [] pid) (fun (_, status) -> Lwt.return status) let close_process_out outchan = let pid = find_proc_id "close_process_out" (Process_out outchan) in close_out outchan; Lwt.bind (waitpid [] pid) (fun (_, status) -> Lwt.return status) let close_process (inchan, outchan) = let pid = find_proc_id "close_process" (Process(inchan, outchan)) in close_in inchan; close_out outchan; Lwt.bind (waitpid [] pid) (fun (_, status) -> Lwt.return status) let close_process_full (outchan, inchan, errchan) = let pid = find_proc_id "close_process_full" (Process_full(outchan, inchan, errchan)) in close_out inchan; close_in outchan; close_in errchan; Lwt.bind (waitpid [] pid) (fun (_, status) -> Lwt.return status) unison-2.40.102/lwt/pqueue.ml0000644006131600613160000000516011361646373016055 0ustar bcpiercebcpierce(* Unison file synchronizer: src/lwt/pqueue.ml *) (* Copyright 1999-2009, Benjamin C. Pierce This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . *) module type OrderedType = sig type t val compare: t -> t -> int end module type S = sig type elt type t val empty: t val is_empty: t -> bool val add: elt -> t -> t val union: t -> t -> t val find_min: t -> elt val remove_min: t -> t end module Make(Ord: OrderedType) : (S with type elt = Ord.t) = struct type elt = Ord.t type t = tree list and tree = Node of elt * int * tree list let root (Node (x, _, _)) = x let rank (Node (_, r, _)) = r let link (Node (x1, r1, c1) as t1) (Node (x2, r2, c2) as t2) = let c = Ord.compare x1 x2 in if c <= 0 then Node (x1, r1 + 1, t2::c1) else Node(x2, r2 + 1, t1::c2) let rec ins t = function [] -> [t] | (t'::_) as ts when rank t < rank t' -> t::ts | t'::ts -> ins (link t t') ts let empty = [] let is_empty ts = ts = [] let add x ts = ins (Node (x, 0, [])) ts let rec union ts ts' = match ts, ts' with ([], _) -> ts' | (_, []) -> ts | (t1::ts1, t2::ts2) -> if rank t1 < rank t2 then t1 :: union ts1 (t2::ts2) else if rank t2 < rank t1 then t2 :: union (t1::ts1) ts2 else ins (link t1 t2) (union ts1 ts2) let rec find_min = function [] -> raise Not_found | [t] -> root t | t::ts -> let x = find_min ts in let c = Ord.compare (root t) x in if c < 0 then root t else x let rec get_min = function [] -> assert false | [t] -> (t, []) | t::ts -> let (t', ts') = get_min ts in let c = Ord.compare (root t) (root t') in if c < 0 then (t, ts) else (t', t::ts') let remove_min = function [] -> raise Not_found | ts -> let (Node (x, r, c), ts) = get_min ts in union (List.rev c) ts end unison-2.40.102/lwt/lwt_unix_stubs.c0000644006131600613160000004005211361646373017453 0ustar bcpiercebcpierce#include #include #include #include #include #include #include #include #include #include //#define D(x) x #define D(x) while(0){} #define UNIX_BUFFER_SIZE 16384 #define Nothing ((value) 0) typedef struct { OVERLAPPED overlapped; long id; long action; } completionData; struct filedescr { union { HANDLE handle; SOCKET socket; } fd; enum { KIND_HANDLE, KIND_SOCKET } kind; int crt_fd; }; #define Handle_val(v) (((struct filedescr *) Data_custom_val(v))->fd.handle) #define Socket_val(v) (((struct filedescr *) Data_custom_val(v))->fd.socket) extern void win32_maperr (DWORD errcode); extern void uerror (char * cmdname, value arg); extern value unix_error_of_code (int errcode); extern value win_alloc_handle (HANDLE h); extern value win_alloc_socket(SOCKET); extern void get_sockaddr (value mladdr, struct sockaddr * addr /*out*/, int * addr_len /*out*/); #define Array_data(a, i) (((char *) a->data) + Long_val(i)) CAMLprim value ml_blit_string_to_buffer (value s, value i, value a, value j, value l) { char *src = String_val(s) + Int_val(i); char *dest = Array_data(Bigarray_val(a), j); memcpy(dest, src, Long_val(l)); return Val_unit; } CAMLprim value ml_blit_buffer_to_string (value a, value i, value s, value j, value l) { char *src = Array_data(Bigarray_val(a), i); char *dest = String_val(s) + Long_val(j); memcpy(dest, src, Long_val(l)); return Val_unit; } /****/ #define READ 0 #define WRITE 1 #define READ_OVERLAPPED 2 #define WRITE_OVERLAPPED 3 static char * action_name[4] = { "read", "write", "read(overlapped)", "write(overlapped)" }; static value completionCallback; static void invoke_completion_callback (long id, long len, long errCode, long action) { CAMLlocal2 (err, name); value args[4]; err = Val_long(0); if (errCode != NO_ERROR) { len = -1; win32_maperr (errCode); err = unix_error_of_code(errno); } name = copy_string (action_name[action]); D(printf("Action %s completed: id %ld -> len %ld / err %d (errCode %ld)\n", action_name[action], id, len, errno, errCode)); args[0] = Val_long(id); args[1] = Val_long(len); args[2] = err; args[3] = name; caml_callbackN(completionCallback, 4, args); D(printf("Callback performed\n")); } typedef struct { long id; long len; long errCode; long action; } completionInfo; int compN = 0; int complQueueSize = 0; completionInfo * complQueue = NULL; static void completion (long id, long len, long errCode, long action) { D(printf("Queueing action %s: id %ld -> len %ld / err %d (errCode %ld)\n", action_name[action], id, len, errno, errCode)); if (compN + 1 > complQueueSize) { completionInfo * queue; int n = complQueueSize * 2 + 1; D(printf("Resizing queue to %d\n", n)); queue = (completionInfo *) GlobalAlloc(GPTR, n * sizeof(completionInfo)); if (complQueue != NULL) CopyMemory (queue, complQueue, complQueueSize * sizeof(completionInfo)); complQueue = queue; complQueueSize = n; } complQueue[compN].id = id; complQueue[compN].len = len; complQueue[compN].errCode = errCode; complQueue[compN].action = action; compN++; } CAMLprim value get_queue (value unit) { CAMLparam1 (unit); int i; for (i = 0; i < compN; i++) invoke_completion_callback (complQueue[i].id, complQueue[i].len, complQueue[i].errCode, complQueue[i].action); compN = 0; CAMLreturn (Val_unit); } /****/ static HANDLE main_thread; static DWORD CALLBACK helper_thread (void * param) { D(printf("Helper thread created\n")); while (1) SleepEx(INFINITE, TRUE); } static VOID CALLBACK exit_thread(ULONG_PTR param) { D(printf("Helper thread exiting\n")); ExitThread(0); } static HANDLE get_helper_thread (value threads, int kind) { HANDLE h = (HANDLE) Field(threads, kind); if (h != INVALID_HANDLE_VALUE) return h; h = CreateThread (NULL, 0, helper_thread, NULL, 0, NULL); if (h == NULL) { win32_maperr (GetLastError ()); uerror("createHelperThread", Nothing); } Field(threads, kind) = (value) h; return h; } static void kill_thread (HANDLE *h) { D(printf("Killing thread\n")); QueueUserAPC(exit_thread, *h, 0); CloseHandle(*h); *h = INVALID_HANDLE_VALUE; } CAMLprim value win_kill_threads (value fd) { CAMLparam1(fd); if (Field(fd, 1) != Val_long(0)) { kill_thread((HANDLE *) &Field(Field(fd, 1), READ)); kill_thread((HANDLE *) &Field(Field(fd, 1), WRITE)); } CAMLreturn(Val_unit); } CAMLprim value win_wrap_fd (value fd) { CAMLparam1(fd); CAMLlocal2(th, res); D(printf("Wrapping file descriptor (sync)\n")); res = caml_alloc_tuple(2); Store_field(res, 0, fd); th = caml_alloc(2, Abstract_tag); Field(th, READ) = (value) INVALID_HANDLE_VALUE; Field(th, WRITE) = (value) INVALID_HANDLE_VALUE; Store_field(res, 1, th); CAMLreturn(res); } /****/ typedef struct { long action; long id; HANDLE fd; char * buffer; long len; long error; } ioInfo; static VOID CALLBACK thread_completion(ULONG_PTR param) { ioInfo * info = (ioInfo *) param; completion (info->id, info->len, info->error, info->action); GlobalFree (info); } static VOID CALLBACK perform_io_on_thread(ULONG_PTR param) { ioInfo * info = (ioInfo *) param; DWORD l; BOOL res; D(printf("Starting %s: id %ld, len %ld\n", action_name[info->action], info->id, info->len)); res = (info->action == READ)? ReadFile(info->fd, info->buffer,info->len, &l, NULL): WriteFile(info->fd, info->buffer,info->len, &l, NULL); if (!res) { info->len = -1; info->error = GetLastError (); } else { info->len = l; info->error = NO_ERROR; } D(printf("Action %s done: id %ld -> len %ld / err %d (errCode %ld)\n", action_name[info->action], info->id, info->len, errno, info->error)); QueueUserAPC(thread_completion, main_thread, param); } static void thread_io (long action, long id, value threads, HANDLE h, char * buf, long len) { struct caml_bigarray *buf_arr = Bigarray_val(buf); ioInfo * info = GlobalAlloc(GPTR, sizeof(ioInfo)); if (info == NULL) { errno = ENOMEM; uerror(action_name[action], Nothing); } info->action = action; info->id = id; info->fd = h; info->buffer = buf; info->len = len; h = get_helper_thread(threads, action); QueueUserAPC(perform_io_on_thread, h, (ULONG_PTR) info); } /****/ static void CALLBACK overlapped_completion (DWORD errCode, DWORD len, LPOVERLAPPED overlapped) { completionData * d = (completionData * )overlapped; completion (d->id, len, errCode, d->action); GlobalFree (d); } static void overlapped_action(long action, long id, HANDLE fd, char *buf, long len) { BOOL res; long err; completionData * d = GlobalAlloc(GPTR, sizeof(completionData)); if (d == NULL) { errno = ENOMEM; uerror(action_name[action], Nothing); } d->id = id; d->action = action; D(printf("Starting %s: id %ld, len %ld\n", action_name[action], id, len)); res = (action == READ_OVERLAPPED)? ReadFileEx(fd, buf, len, &(d->overlapped), overlapped_completion): WriteFileEx(fd, buf, len, &(d->overlapped), overlapped_completion); if (!res) { err = GetLastError (); if (err != ERROR_IO_PENDING) { win32_maperr (err); D(printf("Action %s failed: id %ld -> err %d (errCode %ld)\n", action_name[action], id, errno, err)); uerror("ReadFileEx", Nothing); } } } CAMLprim value win_wrap_overlapped (value fd) { CAMLparam1(fd); CAMLlocal1(res); D(printf("Wrapping file descriptor (async)\n")); res = caml_alloc_tuple(2); Store_field(res, 0, fd); Store_field(res, 1, Val_long(0)); CAMLreturn(res); } /****/ #define Handle(fd) Handle_val(Field(fd, 0)) CAMLprim value win_read (value fd, value buf, value ofs, value len, value id) { CAMLparam4(fd, buf, ofs, len); struct caml_bigarray *buf_arr = Bigarray_val(buf); if (Field(fd, 1) == Val_long(0)) overlapped_action (READ_OVERLAPPED, Long_val(id), Handle(fd), Array_data (buf_arr, ofs), Long_val(len)); else thread_io (READ, Long_val(id), Field(fd, 1), Handle(fd), Array_data (buf_arr, ofs), Long_val(len)); CAMLreturn (Val_unit); } CAMLprim value win_write (value fd, value buf, value ofs, value len, value id) { CAMLparam4(fd, buf, ofs, len); struct caml_bigarray *buf_arr = Bigarray_val(buf); if (Field(fd, 1) == Val_long(0)) overlapped_action (WRITE_OVERLAPPED, Long_val(id), Handle(fd), Array_data (buf_arr, ofs), Long_val(len)); else thread_io (WRITE, Long_val(id), Field(fd, 1), Handle(fd), Array_data (buf_arr, ofs), Long_val(len)); CAMLreturn (Val_unit); } /* #ifndef SO_UPDATE_CONNECT_CONTEXT #define SO_UPDATE_CONNECT_CONTEXT 0x7010 #endif static void after_connect (SOCKET s) { if (!setsockopt(s, SOL_SOCKET, SO_UPDATE_CONNECT_CONTEXT, NULL, 0)) { win32_maperr (GetLastError ()); uerror("after_connect", Nothing); } } */ static HANDLE events[MAXIMUM_WAIT_OBJECTS]; //static OVERLAPPED oData[MAXIMUM_WAIT_OBJECTS]; CAMLprim value win_register_wait (value socket, value kind, value idx) { CAMLparam3(socket, kind, idx); long i = Long_val(idx); long mask; D(printf("Register: i %ld, kind %ld\n", Long_val(i), Long_val(kind))); events[i] = CreateEvent(NULL, TRUE, FALSE, NULL); mask = (Long_val(kind) == 0) ? FD_CONNECT : FD_ACCEPT; if (WSAEventSelect(Socket_val(socket), events[i], mask) == SOCKET_ERROR) { win32_maperr(WSAGetLastError ()); uerror("WSAEventSelect", Nothing); } CAMLreturn (Val_unit); } CAMLprim value win_check_connection (value socket, value kind, value idx) { CAMLparam3 (socket, kind, idx); WSANETWORKEVENTS evs; int res, err, i = Long_val(idx); D(printf("Check connection... %d\n", i)); if (WSAEnumNetworkEvents(Socket_val(socket), NULL, &evs)) { win32_maperr(WSAGetLastError ()); uerror("WSAEnumNetworkEvents", Nothing); } if (WSAEventSelect(Socket_val(socket), NULL, 0) == SOCKET_ERROR) { win32_maperr(WSAGetLastError ()); uerror("WSAEventSelect", Nothing); } if (!CloseHandle(events[i])) { win32_maperr(GetLastError ()); uerror("CloseHandle", Nothing); } err = evs.iErrorCode[(Long_val(kind) == 0) ? FD_CONNECT_BIT : FD_ACCEPT_BIT]; D(printf("Check connection: %ld, err %d\n", evs.lNetworkEvents, err)); if (err != 0) { win32_maperr(err); uerror("check_connection", Nothing); } CAMLreturn (Val_unit); } static HANDLE dummyEvent; CAMLprim value init_lwt (value callback) { CAMLparam1 (callback); // GUID GuidConnectEx = WSAID_CONNECTEX; // SOCKET s; // DWORD l; int i; D(printf("Init...\n")); register_global_root (&completionCallback); completionCallback = callback; dummyEvent = CreateEvent(NULL, TRUE, FALSE, NULL); // Dummy event DuplicateHandle (GetCurrentProcess (), GetCurrentThread (), GetCurrentProcess (), &main_thread, 0, FALSE, DUPLICATE_SAME_ACCESS); /* s = socket(AF_INET, SOCK_STREAM, 0); if (s == INVALID_SOCKET) return Val_unit; WSAIoctl(s, SIO_GET_EXTENSION_FUNCTION_POINTER, &GuidConnectEx, sizeof(GuidConnectEx), &ConnectEx, sizeof(ConnectExPtr), &l, NULL, NULL); closesocket(s); */ D(printf("Init done\n")); CAMLreturn (Val_long (MAXIMUM_WAIT_OBJECTS)); } CAMLprim value win_wait (value timeout, value event_count) { CAMLparam2(timeout, event_count); DWORD t, t2; DWORD res; long ret, n = Long_val(event_count); t = Long_val(timeout); if (t < 0) t = INFINITE; t2 = (compN > 0) ? 0 : t; D(printf("Waiting: %ld events, timeout %ldms -> %ldms\n", n, t, t2)); res = (n > 0) ? WaitForMultipleObjectsEx(n, events, FALSE, t, TRUE) : WaitForMultipleObjectsEx(1, &dummyEvent, FALSE, t, TRUE); D(printf("Done waiting\n")); if ((t != t2) && (res == WAIT_TIMEOUT)) res = WAIT_IO_COMPLETION; switch (res) { case WAIT_TIMEOUT: D(printf("Timeout\n")); ret = -1; break; case WAIT_IO_COMPLETION: D(printf("I/O completion\n")); ret = -2; break; case WAIT_FAILED: D(printf("Wait failed\n")); ret = 0; win32_maperr (GetLastError ()); uerror("WaitForMultipleObjectsEx", Nothing); break; default: ret = res; D(printf("Event: %ld\n", res)); break; } get_queue (Val_unit); CAMLreturn (Val_long(ret)); } static long pipeSerial; value win_pipe(long readMode, long writeMode) { CAMLparam0(); SECURITY_ATTRIBUTES attr; HANDLE readh, writeh; CHAR name[MAX_PATH]; CAMLlocal3(readfd, writefd, res); attr.nLength = sizeof(attr); attr.lpSecurityDescriptor = NULL; attr.bInheritHandle = TRUE; sprintf(name, "\\\\.\\Pipe\\UnisonAnonPipe.%08lx.%08lx", GetCurrentProcessId(), pipeSerial++); readh = CreateNamedPipeA (name, PIPE_ACCESS_INBOUND | readMode, PIPE_TYPE_BYTE | PIPE_WAIT, 1, UNIX_BUFFER_SIZE, UNIX_BUFFER_SIZE, 0, &attr); if (readh == INVALID_HANDLE_VALUE) { win32_maperr(GetLastError()); uerror("CreateNamedPipe", Nothing); return FALSE; } writeh = CreateFileA (name, GENERIC_WRITE, 0, &attr, OPEN_EXISTING, FILE_ATTRIBUTE_NORMAL | writeMode, NULL); if (writeh == INVALID_HANDLE_VALUE) { win32_maperr(GetLastError()); CloseHandle(readh); uerror("CreateFile", Nothing); return FALSE; } readfd = win_alloc_handle(readh); writefd = win_alloc_handle(writeh); res = alloc_small(2, 0); Store_field(res, 0, readfd); Store_field(res, 1, writefd); CAMLreturn (res); } CAMLprim value win_pipe_in (value unit) { CAMLparam0(); CAMLreturn (win_pipe (FILE_FLAG_OVERLAPPED, 0)); } CAMLprim value win_pipe_out (value unit) { CAMLparam0(); CAMLreturn (win_pipe (0, FILE_FLAG_OVERLAPPED)); } static int socket_domain_table[] = { PF_UNIX, PF_INET }; static int socket_type_table[] = { SOCK_STREAM, SOCK_DGRAM, SOCK_RAW, SOCK_SEQPACKET }; CAMLprim value win_socket (value domain, value type, value proto) { CAMLparam3(domain, type, proto); SOCKET s; s = WSASocket(socket_domain_table[Int_val(domain)], socket_type_table[Int_val(type)], Int_val(proto), NULL, 0, WSA_FLAG_OVERLAPPED); D(printf("Created socket %lx\n", (long)s)); if (s == INVALID_SOCKET) { win32_maperr(WSAGetLastError ()); uerror("WSASocket", Nothing); } CAMLreturn(win_alloc_socket(s)); } /* #ifndef WSAID_CONNECTEX #define WSAID_CONNECTEX \ {0x25a207b9,0xddf3,0x4660,{0x8e,0xe9,0x76,0xe5,0x8c,0x74,0x06,0x3e}} #endif typedef BOOL (WINAPI *ConnectExPtr)(SOCKET, const struct sockaddr *, int, PVOID, DWORD, LPDWORD, LPOVERLAPPED); static ConnectExPtr ConnectEx = NULL; CAMLprim value win_connect (value socket, value address, value id) { CAMLparam3(socket, address, id); SOCKET s = Socket_val (socket); struct sockaddr addr; int addr_len; DWORD err; int i; if (ConnectEx == NULL) { errno = ENOSYS; uerror("ConnectEx", Nothing); } if (eventCount == MAXIMUM_WAIT_OBJECTS) { errno = EAGAIN; uerror("ConnectEx", Nothing); } i = free_list[eventCount]; eventCount++; ZeroMemory(&(oData[i]), sizeof(OVERLAPPED)); oData[i].hEvent = events[i]; ids[i] = Long_val(id); sockets[i] = s; get_sockaddr(address, &addr, &addr_len); if (!ConnectEx(s, &addr, addr_len, NULL, 0, 0, &(oData[i]))) { err = WSAGetLastError (); if (err != ERROR_IO_PENDING) { win32_maperr(err); uerror("ConnectEx", Nothing); } } else after_connect(s); CAMLreturn (Val_unit); } */ unison-2.40.102/lwt/lwt_util.ml0000644006131600613160000000364711361646373016424 0ustar bcpiercebcpierce open Lwt let rec iter f l = let l = List.fold_left (fun acc a -> f a :: acc) [] l in let l = List.rev l in List.fold_left (fun rt t -> t >>= fun () -> rt) (Lwt.return ()) l let rec map f l = match l with [] -> return [] | v :: r -> let t = f v in let rt = map f r in t >>= (fun v' -> rt >>= (fun l' -> return (v' :: l'))) let map_with_waiting_action f wa l = let rec loop l = match l with [] -> return [] | v :: r -> let t = f v in let rt = loop r in t >>= (fun v' -> (* Perform the specified "waiting action" for the next *) (* item in the list. *) if r <> [] then wa (List.hd r) else (); rt >>= (fun l' -> return (v' :: l'))) in if l <> [] then wa (List.hd l) else (); loop l let rec map_serial f l = match l with [] -> return [] | v :: r -> f v >>= (fun v' -> map_serial f r >>= (fun l' -> return (v' :: l'))) let join l = iter (fun x -> x) l type region = { mutable size : int; mutable count : int; waiters : (unit Lwt.t * int) Queue.t } let make_region count = { size = count; count = 0; waiters = Queue.create () } let resize_region reg sz = reg.size <- sz let leave_region reg sz = try if reg.count - sz >= reg.size then raise Queue.Empty; let (w, sz') = Queue.take reg.waiters in reg.count <- reg.count - sz + sz'; Lwt.wakeup w () with Queue.Empty -> reg.count <- reg.count - sz let run_in_region_1 reg sz thr = (catch (fun () -> thr () >>= (fun v -> leave_region reg sz; return v)) (fun e -> leave_region reg sz; fail e)) let run_in_region reg sz thr = if reg.count >= reg.size then begin let res = wait () in Queue.add (res, sz) reg.waiters; res >>= (fun () -> run_in_region_1 reg sz thr) end else begin reg.count <- reg.count + sz; run_in_region_1 reg sz thr end unison-2.40.102/lwt/depend0000644006131600613160000000043111552376632015375 0ustar bcpiercebcpiercelwt.cmo: lwt.cmi lwt.cmx: lwt.cmi lwt_unix.cmo: lwt_unix.cmi lwt_unix.cmx: lwt_unix.cmi lwt_util.cmo: lwt.cmi lwt_util.cmi lwt_util.cmx: lwt.cmx lwt_util.cmi pqueue.cmo: pqueue.cmi pqueue.cmx: pqueue.cmi lwt.cmi: lwt_unix.cmi: lwt.cmi lwt_util.cmi: lwt.cmi pqueue.cmi: unison-2.40.102/lwt/win/0000755006131600613160000000000012050210656014775 5ustar bcpiercebcpierceunison-2.40.102/lwt/win/lwt_unix_impl.ml0000644006131600613160000004516011361646373020244 0ustar bcpiercebcpierce(* - should check all events before looping again for avoiding race conditions... (we have the first, scan the subsequent ones) *) let no_overlapped_io = false let d = ref false (****) type buffer = (char, Bigarray.int8_unsigned_elt, Bigarray.c_layout) Bigarray.Array1.t let buffer_create l = Bigarray.Array1.create Bigarray.char Bigarray.c_layout l external unsafe_blit_string_to_buffer : string -> int -> buffer -> int -> int -> unit = "ml_blit_string_to_buffer" external unsafe_blit_buffer_to_string : buffer -> int -> string -> int -> int -> unit = "ml_blit_buffer_to_string" let buffer_length = Bigarray.Array1.dim let blit_string_to_buffer s i a j l = if l < 0 || i < 0 || i > String.length s - l || j < 0 || j > buffer_length a - l then invalid_arg "Lwt_unix.blit_string_to_buffer" else unsafe_blit_string_to_buffer s i a j l let blit_buffer_to_string a i s j l = if l < 0 || i < 0 || i > buffer_length a - l || j < 0 || j > String.length s - l then invalid_arg "Lwt_unix.blit_buffer_to_string" else unsafe_blit_buffer_to_string a i s j l let buffer_size = 16384 let avail_buffers = ref [] let acquire_buffer () = match !avail_buffers with [] -> buffer_create buffer_size | b :: r -> avail_buffers := r; b let release_buffer b = avail_buffers := b :: !avail_buffers (****) let last_id = ref 0 let free_list = ref (Array.init 1 (fun i -> i)) let acquire_id () = let len = Array.length !free_list in if !last_id = len then begin let a = Array.init (len * 2) (fun i -> i) in Array.blit !free_list 0 a 0 len; free_list := a end; let i = !free_list.(!last_id) in incr last_id; i let release_id i = decr last_id; !free_list.(!last_id) <- i (****) let completionEvents = ref [] let actionCompleted id len errno name = completionEvents := (id, len, errno, name) :: !completionEvents external init_lwt : (int -> int -> Unix.error -> string -> unit) -> int = "init_lwt" let max_event_count = init_lwt actionCompleted let event_count = ref 0 let free_list = Array.init max_event_count (fun i -> i) let acquire_event nm = if !event_count = max_event_count then raise (Unix.Unix_error (Unix.EAGAIN, nm, "")); let i = free_list.(!event_count) in incr event_count; i let release_event i = decr event_count; free_list.(!event_count) <- i (****) type helpers type file_descr = { fd : Unix.file_descr; helpers : helpers } external of_unix_file_descr : Unix.file_descr -> file_descr = "win_wrap_fd" external win_wrap_async : Unix.file_descr -> file_descr = "win_wrap_overlapped" let wrap_async = if no_overlapped_io then of_unix_file_descr else win_wrap_async (****) module SleepQueue = Pqueue.Make (struct type t = float * int * unit Lwt.t let compare (t, i, _) (t', i', _) = let c = compare t t' in if c = 0 then i - i' else c end) let sleep_queue = ref SleepQueue.empty let event_counter = ref 0 let sleep d = let res = Lwt.wait () in incr event_counter; let t = if d <= 0. then 0. else Unix.gettimeofday () +. d in sleep_queue := SleepQueue.add (t, !event_counter, res) !sleep_queue; res let yield () = sleep 0. let get_time t = if !t = -1. then t := Unix.gettimeofday (); !t let in_the_past now t = t = 0. || t <= get_time now let rec restart_threads imax now = match try Some (SleepQueue.find_min !sleep_queue) with Not_found -> None with Some (time, i, thr) when in_the_past now time && i - imax <= 0 -> sleep_queue := SleepQueue.remove_min !sleep_queue; if !d then Format.eprintf "RESTART@."; Lwt.wakeup thr (); if !d then Format.eprintf "RESTART...DONE@."; restart_threads imax now | _ -> () module IntTbl = Hashtbl.Make (struct type t = int let equal (x : int) y = x = y let hash x = x end) let ioInFlight = IntTbl.create 17 let connInFlight = IntTbl.create 17 let handleCompletionEvent (id, len, errno, name) = if !d then Format.eprintf "Handling event %d (len %d)@." id len; let (action, buf, res) = try IntTbl.find ioInFlight id with Not_found -> assert false in begin match action with `Write -> () | `Read (s, pos) -> if len > 0 then blit_buffer_to_string buf 0 s pos len end; IntTbl.remove ioInFlight id; release_id id; release_buffer buf; if len = -1 then Lwt.wakeup_exn res (Unix.Unix_error (errno, name, "")) else Lwt.wakeup res len type kind = CONNECT | ACCEPT external win_wait : int -> int -> int = "win_wait" external win_register_wait : Unix.file_descr -> kind -> int -> unit = "win_register_wait" external win_check_connection : Unix.file_descr -> kind -> int -> unit = "win_check_connection" let handle_wait_event i ch kind cont action = if !d then prerr_endline "MMM"; let res = try Some (action ()) with Unix.Unix_error ((Unix.EAGAIN | Unix.EWOULDBLOCK | Unix.EINTR), _, _) -> if !d then prerr_endline "NNN"; win_register_wait ch.fd kind i; None | e -> if !d then prerr_endline "OOO"; release_event i; IntTbl.remove connInFlight i; Lwt.wakeup_exn cont e; None in match res with Some v -> if !d then prerr_endline "PPP"; release_event i; IntTbl.remove connInFlight i; Lwt.wakeup cont v | None -> () let rec run thread = if !d then Format.eprintf "Main loop@."; match Lwt.poll thread with Some v -> if !d then Format.eprintf "DONE!@."; v | None -> let next_event = try let (time, _, _) = SleepQueue.find_min !sleep_queue in Some time with Not_found -> None in let now = ref (-1.) in let delay = match next_event with None -> -1. | Some 0. -> 0. | Some time -> max 0. (time -. get_time now) in if !d then Format.eprintf "vvv@."; let i = try win_wait (truncate (ceil (delay *. 1000.))) !event_count with e -> assert false in if !d then Format.eprintf "^^^@."; if i = -1 then now := !now +. delay; restart_threads !event_counter now; if !d then Format.eprintf "threads restarted@."; let ev = !completionEvents in completionEvents := []; List.iter handleCompletionEvent (List.rev ev); if i >= 0 then begin let (kind, ch) = try IntTbl.find connInFlight i with Not_found -> assert false in match kind with `CheckSocket res -> if !d then prerr_endline "CHECK CONN"; handle_wait_event i ch CONNECT res (fun () -> win_check_connection ch.fd CONNECT i) | `Accept res -> if !d then prerr_endline "ACCEPT"; handle_wait_event i ch ACCEPT res (fun () -> win_check_connection ch.fd ACCEPT i; let (v, info) = Unix.accept ch.fd in (wrap_async v, info)) end; (* let infds = List.map fst !inputs in let outfds = List.map fst !outputs in let (readers, writers, _) = if windows_hack && not recent_ocaml then let writers = outfds in let readers = if delay = 0. || writers <> [] then [] else infds in (readers, writers, []) else if infds = [] && outfds = [] && delay = 0. then ([], [], []) else try let res = Unix.select infds outfds [] delay in if delay > 0. && !now <> -1. then now := !now +. delay; res with Unix.Unix_error (Unix.EINTR, _, _) -> ([], [], []) | Unix.Unix_error (Unix.EBADF, _, _) -> (List.filter bad_fd infds, List.filter bad_fd outfds, []) | Unix.Unix_error (Unix.EPIPE, _, _) when windows_hack && recent_ocaml -> (* Workaround for a bug in Ocaml 3.11: select fails with an EPIPE error when the file descriptor is remotely closed *) (infds, [], []) in restart_threads !event_counter now; List.iter (fun fd -> try match List.assoc fd !inputs with `Read (buf, pos, len, res) -> wrap_syscall inputs fd res (fun () -> Unix.read fd buf pos len) | `Accept res -> wrap_syscall inputs fd res (fun () -> let (s, i) = Unix.accept fd.fd in if not windows_hack then Unix.set_nonblock s; (wrap_async s, i)) | `Wait res -> wrap_syscall inputs fd res (fun () -> ()) with Not_found -> ()) readers; List.iter (fun fd -> try match List.assoc fd !outputs with `Write (buf, pos, len, res) -> wrap_syscall outputs fd res (fun () -> Unix.write fd buf pos len) | `Wait res -> wrap_syscall inputs fd res (fun () -> ()) with Not_found -> ()) writers; if !child_exited then begin child_exited := false; List.iter (fun (id, (res, flags, pid)) -> wrap_syscall wait_children id res (fun () -> let (pid', _) as v = Unix.waitpid flags pid in if pid' = 0 then raise Exit; v)) !wait_children end; *) run thread (****) let wait_read ch = assert false let wait_write ch = assert false external start_read : file_descr -> buffer -> int -> int -> int -> unit = "win_read" external start_write : file_descr -> buffer -> int -> int -> int -> unit = "win_write" let read ch s pos len = if !d then Format.eprintf "Start reading@."; let id = acquire_id () in let buf = acquire_buffer () in let len = if len > buffer_size then buffer_size else len in let res = Lwt.wait () in IntTbl.add ioInFlight id (`Read (s, pos), buf, res); start_read ch buf 0 len id; if !d then Format.eprintf "Reading started@."; res let write ch s pos len = if !d then Format.eprintf "Start writing@."; let id = acquire_id () in let buf = acquire_buffer () in let len = if len > buffer_size then buffer_size else len in blit_string_to_buffer s pos buf 0 len; let res = Lwt.wait () in IntTbl.add ioInFlight id (`Write, buf, res); start_write ch buf 0 len id; if !d then Format.eprintf "Writing started@."; res external win_pipe_in : unit -> Unix.file_descr * Unix.file_descr = "win_pipe_in" external win_pipe_out : unit -> Unix.file_descr * Unix.file_descr = "win_pipe_out" let pipe_in () = let (i, o) = if no_overlapped_io then Unix.pipe () else win_pipe_in () in (wrap_async i, o) let pipe_out () = let (i, o) = if no_overlapped_io then Unix.pipe () else win_pipe_out () in (i, wrap_async o) external win_socket : Unix.socket_domain -> Unix.socket_type -> int -> Unix.file_descr = "win_socket" let socket d t p = let s = if no_overlapped_io then Unix.socket d t p else win_socket d t p in Unix.set_nonblock s; wrap_async s let bind ch addr = Unix.bind ch.fd addr let setsockopt ch opt v = Unix.setsockopt ch.fd opt v let listen ch n = Unix.listen ch.fd n let set_close_on_exec ch = Unix.set_close_on_exec ch.fd external kill_threads : file_descr -> unit = "win_kill_threads" let close ch = Unix.close ch.fd; kill_threads ch let accept ch = let res = Lwt.wait () in let i = acquire_event "accept" in IntTbl.add connInFlight i (`Accept res, ch); win_register_wait ch.fd ACCEPT i; res let check_socket ch = let res = Lwt.wait () in let i = acquire_event "connect" in IntTbl.add connInFlight i (`CheckSocket res, ch); win_register_wait ch.fd CONNECT i; res let connect s addr = try Unix.connect s.fd addr; if !d then prerr_endline "AAA"; Lwt.return () with Unix.Unix_error ((Unix.EINPROGRESS | Unix.EWOULDBLOCK | Unix.EAGAIN), _, _) -> if !d then prerr_endline "BBB"; check_socket s | e -> if !d then prerr_endline "CCC"; Lwt.fail e (* let ids = ref 0 let new_id () = incr ids; !ids let _waitpid flags pid = try Lwt.return (Unix.waitpid flags pid) with e -> Lwt.fail e let waitpid flags pid = if List.mem Unix.WNOHANG flags || windows_hack then _waitpid flags pid else let flags = Unix.WNOHANG :: flags in Lwt.bind (_waitpid flags pid) (fun ((pid', _) as res) -> if pid' <> 0 then Lwt.return res else let res = Lwt.wait () in wait_children := (new_id (), (res, flags, pid)) :: !wait_children; res) let wait () = waitpid [] (-1) let system cmd = match Unix.fork () with 0 -> Unix.execv "/bin/sh" [| "/bin/sh"; "-c"; cmd |] | id -> Lwt.bind (waitpid [] id) (fun (pid, status) -> Lwt.return status) *) (****) (* type lwt_in_channel = in_channel type lwt_out_channel = out_channel let intern_in_channel ch = Unix.set_nonblock (Unix.descr_of_in_channel ch); ch let intern_out_channel ch = Unix.set_nonblock (Unix.descr_of_out_channel ch); ch let wait_inchan ic = wait_read (Unix.descr_of_in_channel ic) let wait_outchan oc = wait_write (Unix.descr_of_out_channel oc) let rec input_char ic = try Lwt.return (Pervasives.input_char ic) with Sys_blocked_io -> Lwt.bind (wait_inchan ic) (fun () -> input_char ic) | e -> Lwt.fail e let rec input ic s ofs len = try Lwt.return (Pervasives.input ic s ofs len) with Sys_blocked_io -> Lwt.bind (wait_inchan ic) (fun () -> input ic s ofs len) | e -> Lwt.fail e let rec unsafe_really_input ic s ofs len = if len <= 0 then Lwt.return () else begin Lwt.bind (input ic s ofs len) (fun r -> if r = 0 then Lwt.fail End_of_file else unsafe_really_input ic s (ofs+r) (len-r)) end let really_input ic s ofs len = if ofs < 0 || len < 0 || ofs > String.length s - len then Lwt.fail (Invalid_argument "really_input") else unsafe_really_input ic s ofs len let input_line ic = let buf = ref (String.create 128) in let pos = ref 0 in let rec loop () = if !pos = String.length !buf then begin let newbuf = String.create (2 * !pos) in String.blit !buf 0 newbuf 0 !pos; buf := newbuf end; Lwt.bind (input_char ic) (fun c -> if c = '\n' then Lwt.return () else begin !buf.[!pos] <- c; incr pos; loop () end) in Lwt.bind (Lwt.catch loop (fun e -> match e with End_of_file when !pos <> 0 -> Lwt.return () | _ -> Lwt.fail e)) (fun () -> let res = String.create !pos in String.blit !buf 0 res 0 !pos; Lwt.return res) *) (****) (* type popen_process = Process of in_channel * out_channel | Process_in of in_channel | Process_out of out_channel | Process_full of in_channel * out_channel * in_channel let popen_processes = (Hashtbl.create 7 : (popen_process, int) Hashtbl.t) let open_proc cmd proc input output toclose = match Unix.fork () with 0 -> if input <> Unix.stdin then begin Unix.dup2 input Unix.stdin; Unix.close input end; if output <> Unix.stdout then begin Unix.dup2 output Unix.stdout; Unix.close output end; List.iter Unix.close toclose; Unix.execv "/bin/sh" [| "/bin/sh"; "-c"; cmd |] | id -> Hashtbl.add popen_processes proc id let open_process_in cmd = let (in_read, in_write) = pipe_in () in let inchan = Unix.in_channel_of_descr in_read in open_proc cmd (Process_in inchan) Unix.stdin in_write [in_read]; Unix.close in_write; Lwt.return inchan let open_process_out cmd = let (out_read, out_write) = pipe_out () in let outchan = Unix.out_channel_of_descr out_write in open_proc cmd (Process_out outchan) out_read Unix.stdout [out_write]; Unix.close out_read; Lwt.return outchan let open_process cmd = let (in_read, in_write) = pipe_in () in let (out_read, out_write) = pipe_out () in let inchan = Unix.in_channel_of_descr in_read in let outchan = Unix.out_channel_of_descr out_write in open_proc cmd (Process(inchan, outchan)) out_read in_write [in_read; out_write]; Unix.close out_read; Unix.close in_write; Lwt.return (inchan, outchan) (* FIX: Subprocesses that use /dev/tty to print things on the terminal will NOT have this output captured and returned to the caller of this function. There's an argument that this is correct, but if we are running from a GUI the user may not be looking at any terminal and it will appear that the process is just hanging. This can be fixed, in principle, by writing a little C code that opens /dev/tty and then uses the TIOCNOTTY ioctl control to detach the terminal. *) let open_proc_full cmd env proc input output error toclose = match Unix.fork () with 0 -> Unix.dup2 input Unix.stdin; Unix.close input; Unix.dup2 output Unix.stdout; Unix.close output; Unix.dup2 error Unix.stderr; Unix.close error; List.iter Unix.close toclose; Unix.execve "/bin/sh" [| "/bin/sh"; "-c"; cmd |] env | id -> Hashtbl.add popen_processes proc id let open_process_full cmd env = let (in_read, in_write) = pipe_in () in let (out_read, out_write) = pipe_out () in let (err_read, err_write) = pipe_in () in let inchan = Unix.in_channel_of_descr in_read in let outchan = Unix.out_channel_of_descr out_write in let errchan = Unix.in_channel_of_descr err_read in open_proc_full cmd env (Process_full(inchan, outchan, errchan)) out_read in_write err_write [in_write; out_read; err_read]; Unix.close out_read; Unix.close in_write; Unix.close err_write; Lwt.return (inchan, outchan, errchan) let find_proc_id fun_name proc = try let pid = Hashtbl.find popen_processes proc in Hashtbl.remove popen_processes proc; pid with Not_found -> raise (Unix.Unix_error (Unix.EBADF, fun_name, "")) *) (* let close_process_in inchan = let pid = find_proc_id "close_process_in" (Process_in inchan) in close_in inchan; Lwt.bind (waitpid [] pid) (fun (_, status) -> Lwt.return status) let close_process_out outchan = let pid = find_proc_id "close_process_out" (Process_out outchan) in close_out outchan; Lwt.bind (waitpid [] pid) (fun (_, status) -> Lwt.return status) let close_process (inchan, outchan) = let pid = find_proc_id "close_process" (Process(inchan, outchan)) in close_in inchan; close_out outchan; Lwt.bind (waitpid [] pid) (fun (_, status) -> Lwt.return status) let close_process_full (outchan, inchan, errchan) = let pid = find_proc_id "close_process_full" (Process_full(outchan, inchan, errchan)) in close_out inchan; close_in outchan; close_in errchan; Lwt.bind (waitpid [] pid) (fun (_, status) -> Lwt.return status) *) type lwt_in_channel let input_line _ = assert false (*XXXXX*) let intern_in_channel _ = assert false (*XXXXX*) unison-2.40.102/lwt/example/0000755006131600613160000000000012050210656015633 5ustar bcpiercebcpierceunison-2.40.102/lwt/example/editor.ml0000644006131600613160000000016411361646373017471 0ustar bcpiercebcpiercelet _ = let editor = try Sys.getenv "EDITOR" with Not_found -> "emacs" in Lwt_unix.run (Lwt_unix.system editor) unison-2.40.102/lwt/example/Makefile0000644006131600613160000000042111361646373017305 0ustar bcpiercebcpierceall: relay start_editor OCAMLC = ocamlfind ocamlc relay: relay.ml $(OCAMLC) -o relay -linkpkg -package lwt relay.ml -cclib -s start_editor : editor.ml $(OCAMLC) -o start_editor -linkpkg -package lwt editor.ml -cclib -s clean: rm -f *.cmi *.cmo *~ relay start_editor unison-2.40.102/lwt/example/relay.ml0000644006131600613160000000370511361646373017323 0ustar bcpiercebcpierce (* Usage: relay *) (* This program waits for a connection on . It then connect to and relay everything it receives in either side to the other side. It exists when either side closes the connection. *) let listening_port = int_of_string Sys.argv.(1) let dest_port = int_of_string Sys.argv.(2) open Lwt let rec really_write out_ch buffer pos len = Lwt_unix.write out_ch buffer pos len >>= (fun len' -> if len = len' then return () else really_write out_ch buffer (pos + len') (len - len')) let relay in_ch out_ch = let rec relay_rec previous_write = let buffer = String.create 8192 in (* Read some data from the input socket *) Lwt_unix.read in_ch buffer 0 8192 >>= (fun len -> (* If we read nothing, this means that the connection has been closed. In this case, we stop relaying. *) if len = 0 then return () else begin (* Otherwise, we write the data to the ouput socket *) let write = (* First wait for the previous write to terminate *) previous_write >>= (fun () -> (* Then write the contents of the buffer *) really_write out_ch buffer 0 len) in relay_rec write end) in relay_rec (return ()) let new_socket () = Lwt_unix.socket Unix.PF_INET Unix.SOCK_STREAM 0 let local_addr num = Unix.ADDR_INET (Unix.inet_addr_any, num) let _ = Lwt_unix.run ((* Initialize the listening address *) new_socket () >>= (fun listening_socket -> Unix.setsockopt listening_socket Unix.SO_REUSEADDR true; Unix.bind listening_socket (local_addr listening_port); Unix.listen listening_socket 1; (* Wait for a connection *) Lwt_unix.accept listening_socket >>= (fun (inp, _) -> (* Connect to the destination port *) new_socket () >>= (fun out -> Lwt_unix.connect out (local_addr dest_port) >>= (fun () -> (* Start relaying *) Lwt.choose [relay inp out; relay out inp]))))) unison-2.40.102/lwt/lwt_unix.mli0000644006131600613160000000417511361646373016600 0ustar bcpiercebcpierce(* Module [Lwt_unix]: thread-compatible system calls *) val sleep : float -> unit Lwt.t (* [sleep d] is a threads which remain suspended for [d] seconds (letting other threads run) and then terminates. *) val yield : unit -> unit Lwt.t (* [yield ()] is a threads which suspends itself (letting other thread run) and then resumes as soon as possible and terminates. *) val run : 'a Lwt.t -> 'a (* [run t] lets the thread [t] run until it terminates. It evaluates to the return value of [t], or raise the exception associated to [t] if [t] fails. You should avoid using [run] inside threads: - The calling threads will not resume before [run] returns. - Successive invocations of [run] are serialized: an invocation of [run] will not terminate before all subsequent invocations are terminated. *) (****) (* These functions behaves as their [Unix] counterparts, but let other threads run while waiting for the completion of the system call. PITFALL If you want to read or write from stdin, stdout or stderr using this library, you must first turn them into non-blocking mode using [Unix.set_nonblock]. *) type file_descr val of_unix_file_descr : Unix.file_descr -> file_descr val read : file_descr -> string -> int -> int -> int Lwt.t val write : file_descr -> string -> int -> int -> int Lwt.t val wait_read : file_descr -> unit Lwt.t val wait_write : file_descr -> unit Lwt.t val pipe_in : unit -> file_descr * Unix.file_descr val pipe_out : unit -> Unix.file_descr * file_descr val socket : Unix.socket_domain -> Unix.socket_type -> int -> file_descr val bind : file_descr -> Unix.sockaddr -> unit val setsockopt : file_descr -> Unix.socket_bool_option -> bool -> unit val accept : file_descr -> (file_descr * Unix.sockaddr) Lwt.t val connect : file_descr -> Unix.sockaddr -> unit Lwt.t val listen : file_descr -> int -> unit val close : file_descr -> unit val set_close_on_exec : file_descr -> unit type lwt_in_channel val intern_in_channel : in_channel -> lwt_in_channel val input_line : lwt_in_channel -> string Lwt.t unison-2.40.102/lwt/META0000644006131600613160000000013111361646373014661 0ustar bcpiercebcpiercerequires = "unix" version = "0.1" archive(byte) = "lwt.cma" archive(native) = "lwt.cmxa" unison-2.40.102/lwt/lwt.mli0000644006131600613160000001023011361646373015522 0ustar bcpiercebcpierce(* Module [Lwt]: cooperative light-weight threads. *) type 'a t (* The type of threads returning a result of type ['a]. *) val return : 'a -> 'a t (* [return e] is a thread whose return value is the value of the expression [e]. *) val fail : exn -> 'a t (* [fail e] is a thread that fails with the exception [e]. *) val bind : 'a t -> ('a -> 'b t) -> 'b t (* [bind t f] is a thread which first waits for the thread [t] to terminate and then, if the thread succeeds, behaves as the application of function [f] to the return value of [t]. If the thread [t] fails, [bind t f] also fails, with the same exception. The expression [bind t (fun x -> t')] can intuitively be read as [let x = t in t']. Note that [bind] is also often used just for synchronization purpose: [t'] will not execute before [t] is terminated. The result of a thread can be bound several time. *) val (>>=) : 'a t -> ('a -> 'b t) -> 'b t (* [t >>= f] is an alternative notation for [bind t f]. *) val catch : (unit -> 'a t) -> (exn -> 'a t) -> 'a t (* [catch t f] is a thread that behaves as the thread [t ()] if this thread succeeds. If the thread [t ()] fails with some exception, [catch t f] behaves as the application of [f] to this exception. *) val try_bind : (unit -> 'a t) -> ('a -> 'b t) -> (exn -> 'b t) -> 'b t (* [try_bind t f g] behaves as [bind (t ()) f] if [t] does not fail. Otherwise, it behaves as the application of [g] to the exception associated to [t ()]. *) val choose : 'a t list -> 'a t (* [choose l] behaves as the first thread in [l] to terminate. If several threads are already terminated, one is choosen at random. *) val ignore_result : 'a t -> unit (* [ignore_result t] start the thread [t] and ignores its result value if the thread terminates sucessfully. However, if the thread [t] fails, the exception is raised instead of being ignored. You should use this function if you want to start a thread and don't care what its return value is, nor when it terminates (for instance, because it is looping). Note that if the thread [t] yields and later fails, the exception will not be raised at this point in the program. *) val wait : unit -> 'a t (* [wait ()] is a thread which sleeps forever (unless it is resumed by one of the functions [wakeup], [wakeup_exn] below). This thread does not block the execution of the remainder of the program (except of course, if another thread tries to wait for its termination). *) (* Execution order A thread executes as much as possible. Switching to another thread is always explicit. Exception handling - You must use "fail e" instead of "raise e" if you want the exception to be wrapped into the thread. - The construction [try t with ...] will not caught the exception associated to the thread [t] if this thread fails. You should use [catch] instead. *) (****) (* The functions below are probably not useful for the casual user. They provide the basic primitives on which can be built multi- threaded libraries such as Lwt_unix. *) val poll : 'a t -> 'a option (* [poll e] returns [Some v] if the thread [e] is terminated and returned the value [v]. If the thread failed with some exception, this exception is raised. If the thread is still running, [poll e] returns [None] without blocking. *) val wakeup : 'a t -> 'a -> unit (* [wakeup t e] makes the sleeping thread [t] terminate and return the value of the expression [e]. *) val wakeup_exn : 'a t -> exn -> unit (* [wakeup_exn t e] makes the sleeping thread [t] fail with the exception [e]. *) val apply : ('a -> 'b t) -> 'a -> 'b t (* [apply f e] apply the function [f] to the expression [e]. If an exception is raised during this application, it is caught and the resulting thread fails with this exception. *) (* Q: Could be called 'glue' or 'trap' or something? *) unison-2.40.102/lwt/pqueue.mli0000644006131600613160000000072311361646373016226 0ustar bcpiercebcpierce(* Unison file synchronizer: src/lwt/pqueue.mli *) (* Copyright 1999-2009, Benjamin C. Pierce (see COPYING for details) *) module type OrderedType = sig type t val compare: t -> t -> int end module type S = sig type elt type t val empty: t val is_empty: t -> bool val add: elt -> t -> t val union: t -> t -> t val find_min: t -> elt val remove_min: t -> t end module Make(Ord: OrderedType) : S with type elt = Ord.t unison-2.40.102/lwt/lwt_util.mli0000644006131600613160000000371511361646373016571 0ustar bcpiercebcpierce val join : unit Lwt.t list -> unit Lwt.t (* [join l] wait for all threads in [l] to terminate. If fails if one of the threads fail. *) (****) val iter : ('a -> unit Lwt.t) -> 'a list -> unit Lwt.t (* [iter f l] start a thread for each element in [l]. The threads are started according to the list order, but then can run concurrently. It terminates when all the threads are terminated, if all threads are successful. It fails if any of the threads fail. *) val map : ('a -> 'b Lwt.t) -> 'a list -> 'b list Lwt.t (* [map f l] apply [f] to each element in [l] and collect the results of the threads thus created. The threads are started according to the list order, but then can run concurrently. [map f l] fails if any of the threads fail. *) val map_with_waiting_action : ('a -> 'b Lwt.t) -> ('a -> unit) -> 'a list -> 'b list Lwt.t (* [map_with_waiting_action f wa l] apply [f] to each element *) (* in [l] and collect the results of the threads thus created. *) (* The threads are started according to the list order, but *) (* then can run concurrently. The difference with [map f l] is *) (* that function wa will be called on the element that the *) (* function is waiting for its termination. *) val map_serial : ('a -> 'b Lwt.t) -> 'a list -> 'b list Lwt.t (* Similar to [map] but wait for one thread to terminate before starting the next one. *) (****) type region val make_region : int -> region (* [make_region sz] create a region of size [sz]. *) val resize_region : region -> int -> unit (* [resize_region reg sz] resize the region [reg] to size [sz]. *) val run_in_region : region -> int -> (unit -> 'a Lwt.t) -> 'a Lwt.t (* [run_in_region reg size f] execute the thread produced by the function [f] in the region [reg]. The thread is not started before some room is available in the region. *) unison-2.40.102/lwt/lwt_unix.ml0000644006131600613160000000002611361646373016416 0ustar bcpiercebcpierceinclude Lwt_unix_impl unison-2.40.102/system.mli0000644006131600613160000000026611361646373015442 0ustar bcpiercebcpierce(* Unison file synchronizer: src/system.mli *) (* Copyright 1999-2009, Benjamin C. Pierce (see COPYING for details) *) (* Operations on filesystem path *) include System_intf.Full unison-2.40.102/transfer.mli0000644006131600613160000001122211361646373015734 0ustar bcpiercebcpierce(* Unison file synchronizer: src/transfer.mli *) (* Copyright 1999-2009, Benjamin C. Pierce (see COPYING for details) *) (* Rsync : general algorithm description The rsync algorithm is a technique for reducing the cost of a file transfer by avoiding the transfer of blocks that are already at the destination. Imagine we have source and destination computers that have files X and Y respectively, where X and Y are similar. The algorithm proceeds as follows : - The destination computer divides file Y into blocks of an agreed-upon size N. - For each block, the destination computer computes two functions of the block's contents : - A 128-bit fingerprint of the block, which with very high probability is different from the fingerprints of different blocks. - A small checksum, which can be computed in a "rolling" fashion. More precisely, if we are given the checksum for the N-byte block at offset k, and we are given the bytes at offsets k and N+k, we can efficiently compute the checksum for the N-byte block at offset k+1. - The destination computer sends a list of fingerprints and checksums to the source computer. Blocks are identified implicitly by the order in which they appear in the list. - The source computer searches through file X to identify blocks that have the same fingerprints as blocks that appear in the list sent from B. The checksums are used to find candidate blocks in a single pass through file X. Blocks with identical fingerprints are presumed to be identical. - The source computer sends instructions for reconstructing file X at the destination. These instructions avoid transmitting blocks of X that are identical to other blocks in Y by providing the numbers of identical blocks and the strings containing the differences. *) (* Transfer instruction giving data to build a file incrementally *) type transfer_instruction = Bytearray.t * int * int type transmitter = transfer_instruction -> unit Lwt.t (*************************************************************************) (* GENERIC TRANSMISSION *) (*************************************************************************) (* Send the whole source file encoded in transfer instructions *) val send : in_channel (* source file descriptor *) -> Uutil.Filesize.t (* source file length *) -> (int -> unit) (* progress report *) -> transmitter (* transfer instruction transmitter *) -> unit Lwt.t val receive : out_channel (* destination file descriptor *) -> (int -> unit) (* progress report *) -> transfer_instruction (* transfer instruction received *) -> bool (* Whether we have reach the end of the file *) (*************************************************************************) (* RSYNC TRANSMISSION *) (*************************************************************************) module Rsync : sig (*** DESTINATION HOST ***) (* The rsync compression can only be activated when the file size is greater than the threshold *) val aboveRsyncThreshold : Uutil.Filesize.t -> bool (* Built from the old file by the destination computer *) type rsync_block_info (* Expected size of the [rsync_block_info] datastructure (in KiB). *) val memoryFootprint : Uutil.Filesize.t -> Uutil.Filesize.t -> int (* Compute block informations from the old file *) val rsyncPreprocess : in_channel (* old file descriptor *) -> Uutil.Filesize.t (* source file length *) -> Uutil.Filesize.t (* destination file length *) -> rsync_block_info * int (* Interpret a transfer instruction *) val rsyncDecompress : int (* block size *) -> in_channel (* old file descriptor *) -> out_channel (* output file descriptor *) -> (int -> unit) (* progress report *) -> transfer_instruction (* transfer instruction received *) -> bool (*** SOURCE HOST ***) (* Using block informations, parse the new file and send transfer instructions accordingly *) val rsyncCompress : rsync_block_info (* block info received from the destination *) -> in_channel (* new file descriptor *) -> Uutil.Filesize.t (* source file length *) -> (int -> unit) (* progress report *) -> transmitter (* transfer instruction transmitter *) -> unit Lwt.t end unison-2.40.102/transport.ml0000644006131600613160000001766111361646373016010 0ustar bcpiercebcpierce(* Unison file synchronizer: src/transport.ml *) (* Copyright 1999-2009, Benjamin C. Pierce This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . *) open Common open Lwt let debug = Trace.debug "transport" (*****************************************************************************) (* MAIN FUNCTIONS *) (*****************************************************************************) let fileSize uiFrom uiTo = match uiFrom, uiTo with _, Updates (File (props, ContentsUpdated (_, _, ress)), _) -> (Props.length props, Osx.ressLength ress) | Updates (_, Previous (`FILE, props, _, ress)), (NoUpdates | Updates (File (_, ContentsSame), _)) -> (Props.length props, Osx.ressLength ress) | _ -> assert false let maxthreads = Prefs.createInt "maxthreads" 0 "!maximum number of simultaneous file transfers" ("This preference controls how much concurrency is allowed during \ the transport phase. Normally, it should be set reasonably high \ to maximize performance, but when Unison is used over a \ low-bandwidth link it may be helpful to set it lower (e.g. \ to 1) so that Unison doesn't soak up all the available bandwidth. \ The default is the special value 0, which mean 20 threads \ when file content streaming is desactivated and 1000 threads \ when it is activated.") let actionReg = Lwt_util.make_region 50 (* Logging for a thread: write a message before and a message after the execution of the thread. *) let logLwt (msgBegin: string) (t: unit -> 'a Lwt.t) (fMsgEnd: 'a -> string) : 'a Lwt.t = Trace.log msgBegin; Lwt.bind (t ()) (fun v -> Trace.log (fMsgEnd v); Lwt.return v) (* [logLwtNumbered desc t] provides convenient logging for a thread given a description [desc] of the thread [t ()], generate pair of messages of the following form in the log: * [BGN] ... [END] **) let rLogCounter = ref 0 let logLwtNumbered (lwtDescription: string) (lwtShortDescription: string) (t: unit -> 'a Lwt.t): 'a Lwt.t = let _ = (rLogCounter := (!rLogCounter) + 1; !rLogCounter) in let lwtDescription = Util.replacesubstring lwtDescription "\n " "" in logLwt (Printf.sprintf "[BGN] %s\n" lwtDescription) t (fun _ -> Printf.sprintf "[END] %s\n" lwtShortDescription) let doAction fromRoot fromPath fromContents toRoot toPath toContents id = (* When streaming, we can transfer many file simultaneously: as the contents of only one file is transferred in one direction at any time, little ressource is consumed this way. *) let limit = let n = Prefs.read maxthreads in if n > 0 then n else if Prefs.read Remote.streamingActivated then 1000 else 20 in Lwt_util.resize_region actionReg limit; Lwt_util.resize_region Files.copyReg limit; Lwt_util.run_in_region actionReg 1 (fun () -> if not !Trace.sendLogMsgsToStderr then Trace.statusDetail (Path.toString toPath); Remote.Thread.unwindProtect (fun () -> match fromContents, toContents with {typ = `ABSENT}, {ui = uiTo} -> logLwtNumbered ("Deleting " ^ Path.toString toPath ^ "\n from "^ root2string toRoot) ("Deleting " ^ Path.toString toPath) (fun () -> Files.delete fromRoot fromPath toRoot toPath uiTo) (* No need to transfer the whole directory/file if there were only property modifications on one side. (And actually, it would be incorrect to transfer a directory in this case.) *) | {status= `Unchanged | `PropsChanged; desc= fromProps; ui= uiFrom}, {status= `Unchanged | `PropsChanged; desc= toProps; ui = uiTo} -> logLwtNumbered ("Copying properties for " ^ Path.toString toPath ^ "\n from " ^ root2string fromRoot ^ "\n to " ^ root2string toRoot) ("Copying properties for " ^ Path.toString toPath) (fun () -> Files.setProp fromRoot fromPath toRoot toPath fromProps toProps uiFrom uiTo) | {typ = `FILE; ui = uiFrom}, {typ = `FILE; ui = uiTo} -> logLwtNumbered ("Updating file " ^ Path.toString toPath ^ "\n from " ^ root2string fromRoot ^ "\n to " ^ root2string toRoot) ("Updating file " ^ Path.toString toPath) (fun () -> Files.copy (`Update (fileSize uiFrom uiTo)) fromRoot fromPath uiFrom [] toRoot toPath uiTo [] id) | {ui = uiFrom; props = propsFrom}, {ui = uiTo; props = propsTo} -> logLwtNumbered ("Copying " ^ Path.toString toPath ^ "\n from " ^ root2string fromRoot ^ "\n to " ^ root2string toRoot) ("Copying " ^ Path.toString toPath) (fun () -> Files.copy `Copy fromRoot fromPath uiFrom propsFrom toRoot toPath uiTo propsTo id)) (fun e -> Trace.log (Printf.sprintf "Failed: %s\n" (Util.printException e)); return ())) let propagate root1 root2 reconItem id showMergeFn = let path = reconItem.path1 in match reconItem.replicas with Problem p -> Trace.log (Printf.sprintf "[ERROR] Skipping %s\n %s\n" (Path.toString path) p); return () | Different {rc1 = rc1; rc2 = rc2; direction = dir} -> match dir with Conflict -> Trace.log (Printf.sprintf "[CONFLICT] Skipping %s\n" (Path.toString path)); return () | Replica1ToReplica2 -> doAction root1 reconItem.path1 rc1 root2 reconItem.path2 rc2 id | Replica2ToReplica1 -> doAction root2 reconItem.path2 rc2 root1 reconItem.path1 rc1 id | Merge -> if rc1.typ <> `FILE || rc2.typ <> `FILE then raise (Util.Transient "Can only merge two existing files"); Files.merge root1 reconItem.path1 rc1.ui root2 reconItem.path2 rc2.ui id showMergeFn; return () let transportItem reconItem id showMergeFn = let (root1,root2) = Globals.roots() in propagate root1 root2 reconItem id showMergeFn (* ---------------------------------------------------------------------- *) let logStart () = Abort.reset (); let t = Unix.gettimeofday () in let tm = Util.localtime t in let m = Printf.sprintf "%s%s started propagating changes at %02d:%02d:%02d.%02d on %02d %s %04d\n" (if Prefs.read Trace.terse || Prefs.read Globals.batch then "" else "\n\n") (String.uppercase Uutil.myNameAndVersion) tm.Unix.tm_hour tm.Unix.tm_min tm.Unix.tm_sec (min 99 (truncate (mod_float t 1. *. 100.))) tm.Unix.tm_mday (Util.monthname tm.Unix.tm_mon) (tm.Unix.tm_year+1900) in Trace.logverbose m let logFinish () = let t = Unix.gettimeofday () in let tm = Util.localtime t in let m = Printf.sprintf "%s finished propagating changes at %02d:%02d:%02d.%02d on %02d %s %04d\n%s" (String.uppercase Uutil.myNameAndVersion) tm.Unix.tm_hour tm.Unix.tm_min tm.Unix.tm_sec (min 99 (truncate (mod_float t 1. *. 100.))) tm.Unix.tm_mday (Util.monthname tm.Unix.tm_mon) (tm.Unix.tm_year+1900) (if Prefs.read Trace.terse || Prefs.read Globals.batch then "" else "\n\n") in Trace.logverbose m unison-2.40.102/uigtk.mli0000644006131600613160000000032511361646373015235 0ustar bcpiercebcpierce(* $I1: Unison file synchronizer: src/uigtk.mli $ *) (* $I2: Last modified by vouillon on Tue, 30 May 2000 18:27:30 -0400 $ *) (* $I3: Copyright 1999-2004 (see COPYING for details) $ *) module Body : Uicommon.UI unison-2.40.102/os.mli0000644006131600613160000000403211361646373014532 0ustar bcpiercebcpierce(* Unison file synchronizer: src/os.mli *) (* Copyright 1999-2009, Benjamin C. Pierce (see COPYING for details) *) val myCanonicalHostName : string val tempPath : ?fresh:bool -> Fspath.t -> Path.local -> Path.local val tempFilePrefix : string val includeInTempNames : string -> unit val exists : Fspath.t -> Path.local -> bool val createUnisonDir : unit -> unit val fileInUnisonDir : string -> System.fspath val unisonDir : System.fspath val childrenOf : Fspath.t -> Path.local -> Name.t list val readLink : Fspath.t -> Path.local -> string val symlink : Fspath.t -> Path.local -> string -> unit val rename : string -> Fspath.t -> Path.local -> Fspath.t -> Path.local -> unit val createDir : Fspath.t -> Path.local -> Props.t -> unit val delete : Fspath.t -> Path.local -> unit (* We define a new type of fingerprints here so that clients of Os.fingerprint do not need to worry about whether files have resource forks, or whatever, that need to be fingerprinted separately. They can sensibly be compared for equality using =. Internally, a fullfingerprint is a pair of the main file's fingerprint and the resource fork fingerprint, if any. *) type fullfingerprint val fullfingerprint_to_string : fullfingerprint -> string val reasonForFingerprintMismatch : fullfingerprint -> fullfingerprint -> string val fullfingerprint_dummy : fullfingerprint val fullfingerprintHash : fullfingerprint -> int val fullfingerprintEqual : fullfingerprint -> fullfingerprint -> bool (* Use this function if the file may change during fingerprinting *) val safeFingerprint : Fspath.t -> Path.local -> (* coordinates of file to fingerprint *) Fileinfo.t -> (* old fileinfo *) fullfingerprint option -> (* fingerprint corresponding to the old fileinfo *) Fileinfo.t * fullfingerprint (* current fileinfo, fingerprint and fork info *) val fingerprint : Fspath.t -> Path.local -> (* coordinates of file to fingerprint *) Fileinfo.t -> (* old fileinfo *) fullfingerprint (* current fingerprint *) unison-2.40.102/name.mli0000644006131600613160000000051411361646373015032 0ustar bcpiercebcpierce(* Unison file synchronizer: src/name.mli *) (* Copyright 1999-2009, Benjamin C. Pierce (see COPYING for details) *) type t val fromString : string -> t val toString : t -> string val compare : t -> t -> int val eq : t -> t -> bool val hash : t -> int val normalize : t -> t val badEncoding : t -> bool val badFile : t -> bool unison-2.40.102/INSTALL.win32-cygwin-gnuc0000644006131600613160000002222511361646373017634 0ustar bcpiercebcpierceInstallation notes to build Unison on Windows systems, with Cygwin GNU C (unison-help@cis.upenn.edu) [The following instructions were tested for Unison 2.32.52 on a Windows XP machine running OCaml 3.08.] Since OCaml is now included in Cygwin, things have gotten pretty simple (at least for the text user interface). - Download and run the cygwin installer - make sure to select the make (from Devel) and ocaml (from Interpreters) packages; you may also want the subversion package, if you intend to check out the latest unison sources from the live subversion repository. - Download the desired version of the Unison source tarball from the Unison home page and unpack it, or else grab the sources using svn. Make sure the directory path name has no space in it or the OCaml compiler will get confused later. - In the main directory, type "make". - If a text-only version is desired, build with "make UISTYLE=text" regardless of whether the graphics libraries are installed or not. - The result should be an executable file called "unison" (or, if you grabbed the whole svn repository, perhaps "src/unison"). Put this somewhere on your search path and you should be good to go. (You'll need to do something about setting up ssh, etc., but that's beyond the scope of this document.) - The text-only version can be run on any system that has cygwin installed: $ cygcheck ./unison.exe C:\cygwin\tmp\unison-2.32.52\unison.exe C:\cygwin\bin\cygwin1.dll C:\WINDOWS\system32\ADVAPI32.DLL C:\WINDOWS\system32\KERNEL32.dll C:\WINDOWS\system32\ntdll.dll C:\WINDOWS\system32\RPCRT4.dll C:\WINDOWS\system32\Secur32.dll - For this to build with a graphical user interface under Cygwin you need obviously X windows installed, together with some other not-so-common packages (from Gnome, versions 2.0 as of the time of this writing): libgtk2.0-devel: Multi-platform GUI toolkit (development) liblgtk2: OCaml interface to GTK2 Installing these packages with the Cygwin setup program will force the installation of a large slew of other gnome and graphics packages. - Then build Unison with "make UISTYLE=gtk2", or just "make" since by default "make" builds with a graphics interface if the necessary graphics libraries are installed. - The graphics version needs many more libraries to run and hence is a lot less portable: $ cygcheck ./unison.exe C:\cygwin\tmp\unison-2.32.52\unison.exe C:\cygwin\bin\cygwin1.dll C:\WINDOWS\system32\ADVAPI32.DLL C:\WINDOWS\system32\KERNEL32.dll C:\WINDOWS\system32\ntdll.dll C:\WINDOWS\system32\RPCRT4.dll C:\WINDOWS\system32\Secur32.dll C:\cygwin\bin\cyggdk-x11-2.0-0.dll C:\cygwin\bin\cyggdk_pixbuf-2.0-0.dll C:\cygwin\bin\cyggcc_s-1.dll C:\cygwin\bin\cyggio-2.0-0.dll C:\cygwin\bin\cygglib-2.0-0.dll C:\cygwin\bin\cygiconv-2.dll C:\cygwin\bin\cygintl-8.dll C:\cygwin\bin\cygpcre-0.dll C:\cygwin\bin\cyggmodule-2.0-0.dll C:\cygwin\bin\cyggobject-2.0-0.dll C:\cygwin\bin\cygX11-6.dll C:\cygwin\bin\cygxcb-1.dll C:\cygwin\bin\cygXau-6.dll C:\cygwin\bin\cygXdmcp-6.dll C:\cygwin\bin\cygXcomposite-1.dll C:\cygwin\bin\cygXcursor-1.dll C:\cygwin\bin\cygXfixes-3.dll C:\cygwin\bin\cygXrender-1.dll C:\cygwin\bin\cygXdamage-1.dll C:\cygwin\bin\cygXext-6.dll C:\cygwin\bin\cygXi-6.dll C:\cygwin\bin\cygXinerama-1.dll C:\cygwin\bin\cygXrandr-2.dll C:\cygwin\bin\cygcairo-2.dll C:\cygwin\bin\cygfontconfig-1.dll C:\cygwin\bin\cygexpat-1.dll C:\cygwin\bin\cygfreetype-6.dll C:\cygwin\bin\cygz.dll C:\cygwin\bin\cygglitz-1.dll C:\cygwin\bin\cygpixman-1-0.dll C:\cygwin\bin\cygpng12.dll C:\cygwin\bin\cygxcb-render-util-0.dll C:\cygwin\bin\cygxcb-render-0.dll C:\cygwin\bin\cygpango-1.0-0.dll C:\cygwin\bin\cygpangocairo-1.0-0.dll C:\cygwin\bin\cygpangoft2-1.0-0.dll C:\cygwin\bin\cyggtk-x11-2.0-0.dll C:\cygwin\bin\cygatk-1.0-0.dll ------------------------------------------------------------------------- AN OLDER VERSION: [The following instructions were tested for Unison 2.9.1 on a Windows 2000 machine running OCaml 3.04.] Contents 1.Setting up the Windows system 1.1 General requirements 1.2 A Unix-like layer: CygWin and GNU C compiler 1.3 The OCaml compiler 2.Compiling Unison 2.1 Text user interface 2.2 Gtk user interface Section 1 - Setting up the Windows system 1.1 General requirements We will assume your are logged in as a regular user. We will mention cases when you need to be granted administrator permissions. We will work in your home directory. For a complete installation from scratch, you will need about 300 Mb. A Unix-like layer such as CygWin is needed to be able to use a few GNU tools like 'bash', 'make', 'sed', 'patch', etc, and in particular the GNU C compiler. The CygWin port of OCaml distribution version 3.04 is required. .2 A Unix-like layer: CygWin Download CygWin from 'http://www.cygwin.com/': * click "install cygwin now" and follow the instruction to set up cygwin. install the essential packages such as "gcc", "make", "fileutil", "openssh", etc. set the root directory (e.g. 'd:\cygwin') Setup 'bash': * click on 'bash'. * enter 'export HOME=/home/', make the directory, then 'cd'. * create a '.bashrc' in CygWin's root directory to suit your needs (see Appendix B of file "INSTALL.win32-msvc" for an example). * add 'export OSCOMP=cygwingnuc' to the '.bashrc' file. This variable helps the unison Makefile (project file) to understand that we are compiling under Windows platform using Cygwin GNU C. Remember you can access the whole Windows filesystem with a Unix path through '/cygdrive//' (e.g. '/cygdrive/c/winnt' stands for 'C:\WinNT') 1.3 The OCaml compiler (CygWin port) NB: Unison doesn't use Tcl/Tk support. If you wish to use Tcl/Tk for your other Ocaml applications, download it separately before proceeding. Download the OCaml 3.04 source tarball from 'http://caml.inria.fr/ocaml/distrib.html'. Unpack it into a directory (using, e.g., winzip, or "tar xzvf ocaml-3.04.tar.gz" Enter the ocaml directory, and type: $ ./configure # or "./configure -prefix ". # For other options, see INSTALL $ make world $ make opt $ make install To check your installation, use 'bash' and enter 'ocamlc -v' If something goes wrong : * your path must contain the OCaml 'bin' directory; you may have to enter something like 'export PATH=$PATH:/usr/local/ocaml/bin'. * 'ocamlc -v' must report the OCaml 'lib' directory; you may have to enter something like 'export CAMLLIB=/usr/local/ocaml/lib/ocaml/' Section 2 - Compiling Unison 2.1 Text user interface Unpack the Unison sources. Using 'bash', enter 'make clean', then 'make UISTYLE=text' to compile. If something goes wrong : * if 'make' reports 'missing separator', be sure the makefiles are in Unix text format (see Appendix A). * if .depend is not provided, create one using 'ocamldep *.mli *.ml > .depend'; you will have to convert this file to Unix text format (see Appendix A). * the minor 'etags' error is reported when 'emacs' is missing; you may want to install it. 2.2 Gtk user interface 2.2.1 Install LablGtk 1.2.3 (cygwin port) Download the patched LablGtk 1.2.3 (bundled with the Gtk libraries): get the 'lablgtk-1.2.3-cygwin.tar.gz' tar ball from the 'resources' directory of the Unison web site and unpack it. This will create a 'lablgtk-1.2.3-cygwin' directory. Enter the directory 'lablgtk-1.2.3-cygwin/lablgtk', and type: $ make $ make opt $ make install Finally, add the result of running echo `ocamlc -where`/lablgtk/dlls to the environment variable PATH.* * Under Windows menu: Start -> Settings -> Control Panel -> System -> Advanced -> Environment Variables. OPTIONAL: At this stage, you can test the installation of lablgtk by $ cd lablgtk-1.2.3-cygwin/lablgtk-1.2.3/examples $ lablgtk .ml 2.2.2 Compiling Unison To compile the gtk version of Unison, enter the Unison sources directory, enter "make clean" and then "make UISTYLE=gtk". The resulting executable is dynamically linked against the CygWin runtime and the Gtk DLLs. If you would like to distribute this executable, you should provide the following DLLs (found in /bin under the cygwin root directory and the lablgtk/dlls directory obtained at the end of the lablgtk installation (Section 2.2.1), and ask the users to include them in the PATH. cygwin1.dll, gdk-1.3.dll, glib-1.3.dll, gtk-1.3.dll * The way to find out which DLL are used under windows: objdump -p | grep "DLL Name" unison-2.40.102/xferhint.ml0000644006131600613160000000430311361646373015570 0ustar bcpiercebcpierce(* Unison file synchronizer: src/xferhint.ml *) (* Copyright 1999-2009, Benjamin C. Pierce This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . *) let debug = Trace.debug "xferhint" let xferbycopying = Prefs.createBool "xferbycopying" true "!optimize transfers using local copies" ("When this preference is set, Unison will try to avoid transferring " ^ "file contents across the network by recognizing when a file with the " ^ "required contents already exists in the target replica. This usually " ^ "allows file moves to be propagated very quickly. The default value is" ^ "\\texttt{true}. ") module FPMap = Hashtbl.Make (struct type t = Os.fullfingerprint let hash = Os.fullfingerprintHash let equal = Os.fullfingerprintEqual end) type handle = Os.fullfingerprint (* map(fingerprint, path) *) let fingerprint2pathMap = FPMap.create 10000 let deleteEntry fp = debug (fun () -> Util.msg "deleteEntry: fp=%s\n" (Os.fullfingerprint_to_string fp)); FPMap.remove fingerprint2pathMap fp let lookup fp = assert (Prefs.read xferbycopying); debug (fun () -> Util.msg "lookup: fp = %s\n" (Os.fullfingerprint_to_string fp)); try let (fspath, path) = FPMap.find fingerprint2pathMap fp in Some (fspath, path, fp) with Not_found -> None let insertEntry fspath path fp = if Prefs.read xferbycopying then begin debug (fun () -> Util.msg "insertEntry: fspath=%s, path=%s, fp=%s\n" (Fspath.toDebugString fspath) (Path.toString path) (Os.fullfingerprint_to_string fp)); FPMap.replace fingerprint2pathMap fp (fspath, path) end unison-2.40.102/uicommon.ml0000644006131600613160000007050511375176016015573 0ustar bcpiercebcpierce(* Unison file synchronizer: src/uicommon.ml *) (* Copyright 1999-2009, Benjamin C. Pierce This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . *) open Common open Lwt (********************************************************************** UI selection **********************************************************************) type interface = Text | Graphic module type UI = sig val start : interface -> unit val defaultUi : interface end (********************************************************************** Preferences **********************************************************************) let auto = Prefs.createBool "auto" false "automatically accept default (nonconflicting) actions" ("When set to {\\tt true}, this flag causes the user " ^ "interface to skip asking for confirmations on " ^ "non-conflicting changes. (More precisely, when the user interface " ^ "is done setting the propagation direction for one entry and is about " ^ "to move to the next, it will skip over all non-conflicting entries " ^ "and go directly to the next conflict.)" ) (* This has to be here rather than in uigtk.ml, because it is part of what gets sent to the server at startup *) let mainWindowHeight = Prefs.createInt "height" 15 "!height (in lines) of main window in graphical interface" ("Used to set the height (in lines) of the main window in the graphical " ^ "user interface.") let expert = Prefs.createBool "expert" false "*Enable some developers-only functionality in the UI" "" let profileLabel = Prefs.createString "label" "" "!provide a descriptive string label for this profile" ("Used in a profile to provide a descriptive string documenting its " ^ "settings. (This is useful for users that switch between several " ^ "profiles, especially using the `fast switch' feature of the " ^ "graphical user interface.)") let profileKey = Prefs.createString "key" "" "!define a keyboard shortcut for this profile (in some UIs)" ("Used in a profile to define a numeric key (0-9) that can be used in " ^ "the graphical user interface to switch immediately to this profile.") (* This preference is not actually referred to in the code anywhere, since the keyboard shortcuts are constructed by a separate scan of the preference file in uigtk.ml, but it must be present to prevent the preferences module from complaining about 'key = n' lines in profiles. *) let contactquietly = Prefs.createBool "contactquietly" false "!suppress the 'contacting server' message during startup" ("If this flag is set, Unison will skip displaying the " ^ "`Contacting server' message (which some users find annoying) " ^ "during startup.") let contactingServerMsg () = Printf.sprintf "Contacting server..." let repeat = Prefs.createString "repeat" "" "!synchronize repeatedly (text interface only)" ("Setting this preference causes the text-mode interface to synchronize " ^ "repeatedly, rather than doing it just once and stopping. If the " ^ "argument is a number, Unison will pause for that many seconds before " ^ "beginning again.") (* ^ "If the argument is a path, Unison will wait for the " ^ "file at this path---called a {\\em changelog}---to " ^ "be modified (on either the client or the server " ^ "machine), read the contents of the changelog (which should be a newline-" ^ "separated list of paths) on both client and server, " ^ "combine the results, " ^ "and start again, using the list of paths read from the changelogs as the " ^ " '-path' preference for the new run. The idea is that an external " ^ "process will watch the filesystem and, when it thinks something may have " ^ "changed, write the changed pathname to its local changelog where Unison " ^ "will find it the next time it looks. If the changelogs have not been " ^ "modified, Unison will wait, checking them again every few seconds." *) let retry = Prefs.createInt "retry" 0 "!re-try failed synchronizations N times (text ui only)" ("Setting this preference causes the text-mode interface to try again " ^ "to synchronize " ^ "updated paths where synchronization fails. Each such path will be " ^ "tried N times." ) let confirmmerge = Prefs.createBool "confirmmerge" false "!ask for confirmation before commiting results of a merge" ("Setting this preference causes both the text and graphical interfaces" ^ " to ask the user if the results of a merge command may be commited " ^ " to the replica or not. Since the merge command works on temporary files," ^ " the user can then cancel all the effects of applying the merge if it" ^ " turns out that the result is not satisfactory. In " ^ " batch-mode, this preference has no effect. Default is false.") let runTestsPrefName = "selftest" let runtests = Prefs.createBool runTestsPrefName false "!run internal tests and exit" ("Run internal tests and exit. This option is mostly for developers and must be used " ^ "carefully: in particular, " ^ "it will delete the contents of both roots, so that it can install its own files " ^ "for testing. This flag only makes sense on the command line. When it is " ^ "provided, no preference file is read: all preferences must be specified on the" ^ "command line. Also, since the self-test procedure involves overwriting the roots " ^ "and backup directory, the names of the roots and of the backupdir preference " ^ "must include the string " ^ "\"test\" or else the tests will be aborted. (If these are not given " ^ "on the command line, dummy " ^ "subdirectories in the current directory will be created automatically.)") (* This ref is set to Test.test during initialization, avoiding a circular dependency *) let testFunction = ref (fun () -> assert false) (********************************************************************** Formatting functions **********************************************************************) (* When no archives were found, we omit 'new' in status descriptions, since *all* files would be marked new and this won't make sense to the user. *) let choose s1 s2 = if !Update.foundArchives then s1 else s2 let showprev = Prefs.createBool "showprev" false "*Show previous properties, if they differ from current" "" (* The next function produces nothing unless the "showprev" preference is set. This is because it tends to make the output trace too long and annoying. *) let prevProps newprops ui = if not (Prefs.read showprev) then "" else match ui with NoUpdates | Error _ -> "" | Updates (_, New) -> " (new)" | Updates (_, Previous(_,oldprops,_,_)) -> (* || Props.similar newprops oldprops *) " (was: "^(Props.toString oldprops)^")" let replicaContentDesc rc = Props.toString (Props.setLength rc.desc (snd rc.size)) let replicaContent2string rc sep = let d s = s ^ sep ^ replicaContentDesc rc ^ prevProps rc.desc rc.ui in match rc.typ, rc.status with `ABSENT, `Unchanged -> "absent" | _, `Unchanged -> "unchanged " ^(Util.truncateString (Fileinfo.type2string rc.typ) 7) ^ sep ^ replicaContentDesc rc | `ABSENT, `Deleted -> "deleted" | `FILE, `Created -> d (choose "new file " "file ") | `FILE, `Modified -> d "changed file " | `FILE, `PropsChanged -> d "changed props " | `SYMLINK, `Created -> d (choose "new symlink " "symlink ") | `SYMLINK, `Modified -> d "changed symlink " | `DIRECTORY, `Created -> d (choose "new dir " "dir ") | `DIRECTORY, `Modified -> d "changed dir " | `DIRECTORY, `PropsChanged -> d "dir props changed" (* Some cases that can't happen... *) | `ABSENT, (`Created | `Modified | `PropsChanged) | `SYMLINK, `PropsChanged | (`FILE|`SYMLINK|`DIRECTORY), `Deleted -> assert false let replicaContent2shortString rc = match rc.typ, rc.status with _, `Unchanged -> " " | `ABSENT, `Deleted -> "deleted " | `FILE, `Created -> choose "new file" "file " | `FILE, `Modified -> "changed " | `FILE, `PropsChanged -> "props " | `SYMLINK, `Created -> choose "new link" "link " | `SYMLINK, `Modified -> "chgd lnk" | `DIRECTORY, `Created -> choose "new dir " "dir " | `DIRECTORY, `Modified -> "chgd dir" | `DIRECTORY, `PropsChanged -> "props " (* Cases that can't happen... *) | `ABSENT, (`Created | `Modified | `PropsChanged) | `SYMLINK, `PropsChanged | (`FILE|`SYMLINK|`DIRECTORY), `Deleted -> assert false let roots2niceStrings length = function (Local,fspath1), (Local,fspath2) -> let name1, name2 = Fspath.differentSuffix fspath1 fspath2 in (Util.truncateString name1 length, Util.truncateString name2 length) | (Local,fspath1), (Remote host, fspath2) -> (Util.truncateString "local" length, Util.truncateString host length) | (Remote host, fspath1), (Local,fspath2) -> (Util.truncateString host length, Util.truncateString "local" length) | _ -> assert false (* BOGUS? *) let details2string theRi sep = match theRi.replicas with Problem s -> Printf.sprintf "Error: %s\n" s | Different {rc1 = rc1; rc2 = rc2} -> let root1str, root2str = roots2niceStrings 12 (Globals.roots()) in Printf.sprintf "%s : %s\n%s : %s" root1str (replicaContent2string rc1 sep) root2str (replicaContent2string rc2 sep) let displayPath previousPath path = let previousNames = Path.toNames previousPath in let names = Path.toNames path in if names = [] then "/" else (* Strip the greatest common prefix of previousNames and names from names. level is the number of names in the greatest common prefix. *) let rec loop level names1 names2 = match (names1,names2) with (hd1::tl1,hd2::tl2) -> if Name.compare hd1 hd2 = 0 then loop (level+1) tl1 tl2 else (level,names2) | _ -> (level,names2) in let (level,suffixNames) = loop 0 previousNames names in let suffixPath = Safelist.fold_left Path.child Path.empty suffixNames in let spaces = String.make (level*3) ' ' in spaces ^ (Path.toString suffixPath) let roots2string () = let replica1, replica2 = roots2niceStrings 12 (Globals.roots()) in (Printf.sprintf "%s %s " replica1 replica2) type action = AError | ASkip of bool | ALtoR of bool | ARtoL of bool | AMerge let direction2action partial dir = match dir with Conflict -> ASkip partial | Replica1ToReplica2 -> ALtoR partial | Replica2ToReplica1 -> ARtoL partial | Merge -> AMerge let action2niceString action = match action with AError -> "error" | ASkip _ -> "<-?->" | ALtoR false -> "---->" | ALtoR true -> "--?->" | ARtoL false -> "<----" | ARtoL true -> "<-?--" | AMerge -> "<-M->" let reconItem2stringList oldPath theRI = match theRI.replicas with Problem s -> (" ", AError, " ", displayPath oldPath theRI.path1) | Different diff -> let partial = diff.errors1 <> [] || diff.errors2 <> [] in (replicaContent2shortString diff.rc1, direction2action partial diff.direction, replicaContent2shortString diff.rc2, displayPath oldPath theRI.path1) let reconItem2string oldPath theRI status = let (r1, action, r2, path) = reconItem2stringList oldPath theRI in Format.sprintf "%s %s %s %s %s" r1 (action2niceString action) r2 status path let exn2string = function Sys.Break -> "Terminated!" | Util.Fatal(s) -> Printf.sprintf "Fatal error: %s" s | Util.Transient(s) -> Printf.sprintf "Error: %s" s | Unix.Unix_error (err, fun_name, arg) -> Printf.sprintf "Uncaught unix error: %s failed%s: %s%s" fun_name (if String.length arg > 0 then Format.sprintf " on \"%s\"" arg else "") (Unix.error_message err) (match err with Unix.EUNKNOWNERR n -> Format.sprintf " (code %d)" n | _ -> "") | Invalid_argument s -> Printf.sprintf "Invalid argument: %s" s | other -> Printf.sprintf "Uncaught exception %s" (Printexc.to_string other) (* precondition: uc = File (Updates(_, ..) on both sides *) let showDiffs ri printer errprinter id = match ri.replicas with Problem _ -> errprinter "Can't diff files: there was a problem during update detection" | Different {rc1 = {typ = `FILE; ui = ui1}; rc2 = {typ = `FILE; ui = ui2}} -> let (root1,root2) = Globals.roots() in begin try Files.diff root1 ri.path1 ui1 root2 ri.path2 ui2 printer id with Util.Transient e -> errprinter e end | Different _ -> errprinter "Can't diff: path doesn't refer to a file in both replicas" exception Synch_props of Common.reconItem (********************************************************************** Common error messages **********************************************************************) let dangerousPathMsg dangerousPaths = if dangerousPaths = [Path.empty] then "The root of one of the replicas has been completely emptied.\n\ Unison may delete everything in the other replica. (Set the \n\ 'confirmbigdel' preference to false to disable this check.)\n" else Printf.sprintf "The following paths have been completely emptied in one replica:\n \ %s\n\ Unison may delete everything below these paths in the other replica.\n (Set the 'confirmbigdel' preference to false to disable this check.)\n" (String.concat "\n " (Safelist.map (fun p -> "'" ^ (Path.toString p) ^ "'") dangerousPaths)) (********************************************************************** Useful patterns for ignoring paths **********************************************************************) let quote s = let len = String.length s in let buf = String.create (2 * len) in let pos = ref 0 in for i = 0 to len - 1 do match s.[i] with '*' | '?' | '[' | '{' | '}' | ',' | '\\' as c -> buf.[!pos] <- '\\'; buf.[!pos + 1] <- c; pos := !pos + 2 | c -> buf.[!pos] <- c; pos := !pos + 1 done; "{" ^ String.sub buf 0 !pos ^ "}" let ignorePath path = "Path " ^ quote (Path.toString path) let ignoreName path = match Path.finalName path with Some name -> "Name " ^ quote (Name.toString name) | None -> assert false let ignoreExt path = match Path.finalName path with Some name -> let str = Name.toString name in begin try let pos = String.rindex str '.' in let ext = String.sub str pos (String.length str - pos) in "Name {,.}*" ^ quote ext with Not_found -> (* str does not contain '.' *) "Name " ^ quote str end | None -> assert false let addIgnorePattern theRegExp = if theRegExp = "Path " then raise (Util.Transient "Can't ignore the root path!"); Globals.addRegexpToIgnore theRegExp; let r = Prefs.add "ignore" theRegExp in Trace.status r; (* Make sure the server has the same ignored paths (in case, for example, we do a "rescan") *) Lwt_unix.run (Globals.propagatePrefs ()) (********************************************************************** Profile and command-line parsing **********************************************************************) let coreUsageMsg = "Usage: " ^ Uutil.myName ^ " [options]\n" ^ " or " ^ Uutil.myName ^ " root1 root2 [options]\n" ^ " or " ^ Uutil.myName ^ " profilename [options]\n" let shortUsageMsg = coreUsageMsg ^ "\n" ^ "For a list of options, type \"" ^ Uutil.myName ^ " -help\".\n" ^ "For a tutorial on basic usage, type \"" ^ Uutil.myName ^ " -doc tutorial\".\n" ^ "For other documentation, type \"" ^ Uutil.myName ^ " -doc topics\".\n" let usageMsg = coreUsageMsg let debug = Trace.debug "startup" (* ---- *) (*FIX: remove when Unison version > 2.40 *) let _ = Remote.registerRootCmd "_unicodeCaseSensitive_" (fun _ -> Lwt.return ()) let supportUnicodeCaseSensitive () = if Uutil.myMajorVersion > "2.40" (* The test is correct until 2.99... *) then Lwt.return true else begin Globals.allRootsMap (fun r -> Remote.commandAvailable r "_unicodeCaseSensitive_") >>= fun l -> Lwt.return (List.for_all (fun x -> x) l) end (* Determine the case sensitivity of a root (does filename FOO==foo?) *) let architecture = Remote.registerRootCmd "architecture" (fun (_,()) -> return (Util.osType = `Win32, Osx.isMacOSX, Util.isCygwin)) (* During startup the client determines the case sensitivity of each root. If any root is case insensitive, all roots must know this -- it's propagated in a pref. Also, detects HFS (needed for resource forks) and Windows (needed for permissions) and does some sanity checking. *) let validateAndFixupPrefs () = Props.validatePrefs(); let supportUnicodeCaseSensitive = supportUnicodeCaseSensitive () in Globals.allRootsMap (fun r -> architecture r ()) >>= (fun archs -> supportUnicodeCaseSensitive >>= fun unicodeCS -> let someHostIsRunningWindows = Safelist.exists (fun (isWin, _, _) -> isWin) archs in let allHostsAreRunningWindows = Safelist.for_all (fun (isWin, _, _) -> isWin) archs in let someHostIsRunningBareWindows = Safelist.exists (fun (isWin, _, isCyg) -> isWin && not isCyg) archs in let someHostRunningOsX = Safelist.exists (fun (_, isOSX, _) -> isOSX) archs in let someHostIsCaseInsensitive = someHostIsRunningWindows || someHostRunningOsX in if Prefs.read Globals.fatFilesystem then begin Prefs.overrideDefault Props.permMask 0; Prefs.overrideDefault Props.dontChmod true; Prefs.overrideDefault Case.caseInsensitiveMode `True; Prefs.overrideDefault Fileinfo.allowSymlinks `False; Prefs.overrideDefault Fileinfo.ignoreInodeNumbers true end; Case.init someHostIsCaseInsensitive (someHostRunningOsX && unicodeCS); Props.init someHostIsRunningWindows; Osx.init someHostRunningOsX; Fileinfo.init someHostIsRunningBareWindows; Prefs.set Globals.someHostIsRunningWindows someHostIsRunningWindows; Prefs.set Globals.allHostsAreRunningWindows allHostsAreRunningWindows; return ()) (* ---- *) let promptForRoots getFirstRoot getSecondRoot = (* Ask the user for the roots *) let r1 = match getFirstRoot() with None -> exit 0 | Some r -> r in let r2 = match getSecondRoot() with None -> exit 0 | Some r -> r in (* Remember them for this run, ordering them so that the first will come out on the left in the UI *) Globals.setRawRoots [r1; r2]; (* Save them in the current profile *) ignore (Prefs.add "root" r1); ignore (Prefs.add "root" r2) (* ---- *) (* The first time we load preferences, we also read the command line arguments; if we re-load prefs (because the user selected a new profile) we ignore the command line *) let firstTime = ref(true) (* Roots given on the command line *) let cmdLineRawRoots = ref [] (* BCP: WARNING: Some of the code from here is duplicated in uimacbridge...! *) let initPrefs ~profileName ~displayWaitMessage ~getFirstRoot ~getSecondRoot ~termInteract = (* Restore prefs to their default values, if necessary *) if not !firstTime then Prefs.resetToDefaults(); Globals.setRawRoots !cmdLineRawRoots; (* Tell the preferences module the name of the profile *) Prefs.profileName := Some(profileName); (* Check whether the -selftest flag is present on the command line *) let testFlagPresent = Util.StringMap.mem runTestsPrefName (Prefs.scanCmdLine usageMsg) in (* If the -selftest flag is present, then we skip loading the preference file. (This is prevents possible confusions where settings from a preference file could cause unit tests to fail.) *) if not testFlagPresent then begin (* If the profile does not exist, create an empty one (this should only happen if the profile is 'default', since otherwise we will already have checked that the named one exists). *) if not(System.file_exists (Prefs.profilePathname profileName)) then Prefs.addComment "Unison preferences file"; (* Load the profile *) (debug (fun() -> Util.msg "about to load prefs"); Prefs.loadTheFile()); (* Now check again that the -selftest flag has not been set, and barf otherwise *) if Prefs.read runtests then raise (Util.Fatal "The 'test' flag should only be given on the command line") end; (* Parse the command line. This will override settings from the profile. *) (* JV (6/09): always reparse the command line *) if true (*!firstTime*) then begin debug (fun() -> Util.msg "about to parse command line"); Prefs.parseCmdLine usageMsg; end; (* Install dummy roots and backup directory if we are running self-tests *) if Prefs.read runtests then begin if Globals.rawRoots() = [] then Prefs.loadStrings ["root = test-a.tmp"; "root = test-b.tmp"]; if (Prefs.read Stasher.backupdir) = "" then Prefs.loadStrings ["backupdir = test-backup.tmp"]; end; (* Print the preference settings *) debug (fun() -> Prefs.dumpPrefsToStderr() ); (* If no roots are given either on the command line or in the profile, ask the user *) if Globals.rawRoots() = [] then begin promptForRoots getFirstRoot getSecondRoot; end; Recon.checkThatPreferredRootIsValid(); (* The following step contacts the server, so warn the user it could take some time *) if not (Prefs.read contactquietly || Prefs.read Trace.terse) then displayWaitMessage(); (* Canonize the names of the roots, sort them (with local roots first), and install them in Globals. *) Lwt_unix.run (Globals.installRoots termInteract); (* If both roots are local, disable the xferhint table to save time *) begin match Globals.roots() with ((Local,_),(Local,_)) -> Prefs.set Xferhint.xferbycopying false | _ -> () end; (* FIX: This should be before Globals.installRoots *) (* Check to be sure that there is at most one remote root *) let numRemote = Safelist.fold_left (fun n (w,_) -> match w with Local -> n | Remote _ -> n+1) 0 (Globals.rootsList()) in if numRemote > 1 then raise(Util.Fatal "cannot synchronize more than one remote root"); (* If no paths were specified, then synchronize the whole replicas *) if Prefs.read Globals.paths = [] then Prefs.set Globals.paths [Path.empty]; (* Expand any "wildcard" paths [with final component *] *) Globals.expandWildcardPaths(); Update.storeRootsName (); if numRemote > 0 && not (Prefs.read contactquietly || Prefs.read Trace.terse) then Util.msg "Connected [%s]\n" (Util.replacesubstring (Update.getRootsName()) ", " " -> "); debug (fun() -> Printf.eprintf "Roots: \n"; Safelist.iter (fun clr -> Printf.eprintf " %s\n" clr) (Globals.rawRoots ()); Printf.eprintf " i.e. \n"; Safelist.iter (fun clr -> Printf.eprintf " %s\n" (Clroot.clroot2string (Clroot.parseRoot clr))) (Globals.rawRoots ()); Printf.eprintf " i.e. (in canonical order)\n"; Safelist.iter (fun r -> Printf.eprintf " %s\n" (root2string r)) (Globals.rootsInCanonicalOrder()); Printf.eprintf "\n"); Lwt_unix.run (validateAndFixupPrefs () >>= Globals.propagatePrefs); (* Initializes some backups stuff according to the preferences just loaded from the profile. Important to do it here, after prefs are propagated, because the function will also be run on the server, if any. Also, this should be done each time a profile is reloaded on this side, that's why it's here. *) Stasher.initBackups (); firstTime := false (********************************************************************** Common startup sequence **********************************************************************) let anonymousArgs = Prefs.createStringList "rest" "*roots or profile name" "" let testServer = Prefs.createBool "testserver" false "exit immediately after the connection to the server" ("Setting this flag on the command line causes Unison to attempt to " ^ "connect to the remote server and, if successful, print a message " ^ "and immediately exit. Useful for debugging installation problems. " ^ "Should not be set in preference files.") (* For backward compatibility *) let _ = Prefs.alias testServer "testServer" (* ---- *) let uiInit ~(reportError : string -> unit) ~(tryAgainOrQuit : string -> bool) ~(displayWaitMessage : unit -> unit) ~(getProfile : unit -> string option) ~(getFirstRoot : unit -> string option) ~(getSecondRoot : unit -> string option) ~(termInteract : (string -> string -> string) option) = (* Make sure we have a directory for archives and profiles *) Os.createUnisonDir(); (* Extract any command line profile or roots *) let clprofile = ref None in begin try let args = Prefs.scanCmdLine usageMsg in match Util.StringMap.find "rest" args with [] -> () | [profile] -> clprofile := Some profile | [root2;root1] -> cmdLineRawRoots := [root1;root2] | [root2;root1;profile] -> cmdLineRawRoots := [root1;root2]; clprofile := Some profile | _ -> (reportError(Printf.sprintf "%s was invoked incorrectly (too many roots)" Uutil.myName); exit 1) with Not_found -> () end; (* Print header for debugging output *) debug (fun() -> Printf.eprintf "%s, version %s\n\n" Uutil.myName Uutil.myVersion); debug (fun() -> Util.msg "initializing UI"); debug (fun () -> (match !clprofile with None -> Util.msg "No profile given on command line" | Some s -> Printf.eprintf "Profile '%s' given on command line" s); (match !cmdLineRawRoots with [] -> Util.msg "No roots given on command line" | [root1;root2] -> Printf.eprintf "Roots '%s' and '%s' given on command line" root1 root2 | _ -> assert false)); let profileName = begin match !clprofile with None -> let clroots_given = !cmdLineRawRoots <> [] in let n = if not(clroots_given) then begin (* Ask the user to choose a profile or create a new one. *) clprofile := getProfile(); match !clprofile with None -> exit 0 (* None means the user wants to quit *) | Some x -> x end else begin (* Roots given on command line. The profile should be the default. *) clprofile := Some "default"; "default" end in n | Some n -> let f = Prefs.profilePathname n in if not(System.file_exists f) then (reportError (Printf.sprintf "Profile %s does not exist" (System.fspathToPrintString f)); exit 1); n end in (* Load the profile and command-line arguments *) initPrefs profileName displayWaitMessage getFirstRoot getSecondRoot termInteract; (* Turn on GC messages, if the '-debug gc' flag was provided *) if Trace.enabled "gc" then Gc.set {(Gc.get ()) with Gc.verbose = 0x3F}; if Prefs.read testServer then exit 0; (* BCPFIX: Should/can this be done earlier?? *) Files.processCommitLogs(); (* Run unit tests if requested *) if Prefs.read runtests then begin (!testFunction)(); exit 0 end (* Exit codes *) let perfectExit = 0 (* when everything's okay *) let skippyExit = 1 (* when some items were skipped, but no failure occurred *) let failedExit = 2 (* when there's some non-fatal failure *) let fatalExit = 3 (* when fatal failure occurred *) let exitCode = function (false, false) -> 0 | (true, false) -> 1 | _ -> 2 (* (anySkipped?, anyFailure?) -> exit code *) unison-2.40.102/update.ml0000644006131600613160000026260012025627377015232 0ustar bcpiercebcpierce(* Unison file synchronizer: src/update.ml *) (* Copyright 1999-2009, Benjamin C. Pierce This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . *) open Common let (>>=) = Lwt.(>>=) let debug = Trace.debug "update" let debugverbose = Trace.debug "update+" let debugalias = Trace.debug "rootalias" let debugignore = Trace.debug "ignore" (*****************************************************************************) (* ARCHIVE DATATYPE *) (*****************************************************************************) (* Remember to increment archiveFormat each time the representation of the archive changes: old archives will then automatically be discarded. (We do not use the unison version number for this because usually the archive representation does not change between unison versions.) *) (*FIX: also change Fileinfo.stamp to drop the info.ctime component, next time the format is modified *) (*FIX: also make Jerome's suggested change about file times (see his mesg in unison-pending email folder). *) (*FIX: we could also drop the use of 8.3-style filenames on Windows, next time the format is changed *) (* FIX: use a special stamp rather than the current hack to leave a flag in the archive when a file transfer fails so as to turn off fastcheck for this file on the next sync. *) (*FIX: consider changing the way case-sensitivity mode is stored in the archive *) (*FIX: we should use only one Marshal.from_channel *) let archiveFormat = 22 module NameMap = MyMap.Make (Name) type archive = ArchiveDir of Props.t * archive NameMap.t | ArchiveFile of Props.t * Os.fullfingerprint * Fileinfo.stamp * Osx.ressStamp | ArchiveSymlink of string | NoArchive (* For directories, only the permissions part of the file description (desc) is used for synchronization at the moment. *) let archive2string = function ArchiveDir(_) -> "ArchiveDir" | ArchiveFile(_) -> "ArchiveFile" | ArchiveSymlink(_) -> "ArchiveSymlink" | NoArchive -> "NoArchive" (*****************************************************************************) (* ARCHIVE NAMING *) (*****************************************************************************) (* DETERMINING THE ARCHIVE NAME *) (* The canonical name of a root consists of its canonical host name and canonical fspath. The canonical name of a set of roots consists of the canonical names of the roots in sorted order. There is one archive for each root to be synchronized. The canonical name of the archive is the canonical name of the root plus the canonical name of the set of all roots to be synchronized. Because this is a long string we store the archive in a file whose name is the hash of the canonical archive name. For example, suppose we are synchronizing roots A and B, with canonical names A' and B', where A' < B'. Then the canonical archive name for root A is A' + A' + B', and the canonical archive name for root B is B' + A' + B'. Currently, we determine A' + B' during startup and store this in the ref cell rootsName, below. This rootsName is passed as an argument to functions that need to determine a canonical archive name. Note, since we have a client/server architecture, there are TWO rootsName ref cells (one in the client's address space, one in the server's). It is vital therefore that the rootsName be determined on the client and passed to the server. This is not good and we should get rid of the ref cell in the future; we have implemented it this way at first for historical reasons. *) let rootsName : string Prefs.t = Prefs.createString "rootsName" "" "*Canonical root names" "" let getRootsName () = Prefs.read rootsName let foundArchives = ref true (*****************************************************************************) (* COMMON DEFINITIONS *) (*****************************************************************************) let rootAliases : string list Prefs.t = Prefs.createStringList "rootalias" "!register alias for canonical root names" ("When calculating the name of the archive files for a given pair of roots," ^ " Unison replaces any roots matching the left-hand side of any rootalias" ^ " rule by the corresponding right-hand side.") (* [root2stringOrAlias root] returns the string form of [root], taking into account the preference [rootAliases], whose items are of the form ` -> ' *) let root2stringOrAlias (root: Common.root): string = let r = Common.root2string root in let aliases : (string * string) list = Safelist.map (fun s -> match Util.splitIntoWordsByString s " -> " with [n;n'] -> (Util.trimWhitespace n, Util.trimWhitespace n') | _ -> raise (Util.Fatal (Printf.sprintf "rootalias %s should be two strings separated by ' -> '" s))) (Prefs.read rootAliases) in let r' = try Safelist.assoc r aliases with Not_found -> r in if r<>r' then debugalias (fun()-> Util.msg "Canonical root name %s is aliased to %s\n" r r'); r' (* (Called from the UI startup sequence...) `normalize' root names, sort them, get their string form, and put into the preference [rootsname] as a comma-separated string *) let storeRootsName () = let n = String.concat ", " (Safelist.sort compare (Safelist.map root2stringOrAlias (Safelist.map (function (Common.Local,f) -> (Common.Remote Os.myCanonicalHostName,f) | r -> r) (Globals.rootsInCanonicalOrder())))) in Prefs.set rootsName n (* How many characters of the filename should be used for the unique id of the archive? On Unix systems, we use the full fingerprint (32 bytes). On windows systems, filenames longer than 8 bytes can cause problems, so we chop off all but the first 6 from the fingerprint. *) let significantDigits = match Util.osType with `Win32 -> 6 | `Unix -> 32 let thisRootsGlobalName (fspath: Fspath.t): string = root2stringOrAlias (Common.Remote Os.myCanonicalHostName, fspath) (* ----- *) (* The status of an archive *) type archiveVersion = MainArch | NewArch | ScratchArch | Lock | FPCache let showArchiveName = Prefs.createBool "showarchive" false "!show 'true names' (for rootalias) of roots and archive" ("When this preference is set, Unison will print out the 'true names'" ^ "of the roots, in the same form as is expected by the {\\tt rootalias}" ^ "preference.") let _ = Prefs.alias showArchiveName "showArchiveName" let archiveHash fspath = (* Conjoin the canonical name of the current host and the canonical presentation of the current fspath with the list of names/fspaths of all the roots and the current archive format *) let thisRoot = thisRootsGlobalName fspath in let r = Prefs.read rootsName in let n = Printf.sprintf "%s;%s;%d" thisRoot r archiveFormat in let d = Fingerprint.toString (Fingerprint.string n) in debugverbose (fun()-> Util.msg "Archive name is %s; hashcode is %s\n" n d); if Prefs.read showArchiveName then Util.msg "Archive name is %s; hashcode is %s\n" n d; (String.sub d 0 significantDigits) (* We include the hash part of the archive name in the names of temp files created by this run of Unison. The reason for this is that, during update detection, we are going to silently delete any old temp files that we find along the way, and we want to prevent ourselves from deleting temp files belonging to other instances of Unison that may be running in parallel, e.g. synchronizing with a different host. *) let addHashToTempNames fspath = Os.includeInTempNames (archiveHash fspath) (* [archiveName fspath] returns a pair (arcName, thisRootsGlobalName) *) let archiveName fspath (v: archiveVersion): string * string = let n = archiveHash fspath in let temp = match v with MainArch -> "ar" | NewArch -> "tm" | ScratchArch -> "sc" | Lock -> "lk" | FPCache -> "fp" in (Printf.sprintf "%s%s" temp n, thisRootsGlobalName fspath) (*****************************************************************************) (* SANITY CHECKS *) (*****************************************************************************) (* [checkArchive] checks the sanity of an archive, and returns its hash-value. 'Sanity' means (1) no repeated name under any path, and (2) NoArchive appears only at root-level (indicated by [top]). Property: Two archives of the same labeled-tree structure have the same hash-value. NB: [h] is the hash accumulator *) (* Note that we build the current path as a list of names, as this is much cheaper than using values of type [Path.t] *) let rec checkArchive (top: bool) (path: Name.t list) (arch: archive) (h: int): int = match arch with ArchiveDir (desc, children) -> begin match NameMap.validate children with `Ok -> () | `Duplicate nm -> let path = List.fold_right (fun n p -> Path.child p n) path Path.empty in raise (Util.Fatal (Printf.sprintf "Corrupted archive: \ the file %s occurs twice in path %s" (Name.toString nm) (Path.toString path))); | `Invalid (nm, nm') -> let path = List.fold_right (fun n p -> Path.child p n) path Path.empty in raise (Util.Fatal (Printf.sprintf "Corrupted archive: the files %s and %s are not \ correctely ordered in directory %s" (Name.toString nm) (Name.toString nm') (Path.toString path))); end; NameMap.fold (fun n a h -> Uutil.hash2 (Name.hash n) (checkArchive false (n :: path) a h)) children (Props.hash desc h) | ArchiveFile (desc, dig, _, ress) -> Uutil.hash2 (Uutil.hash dig) (Props.hash desc h) | ArchiveSymlink content -> Uutil.hash2 (Uutil.hash content) h | NoArchive -> 135 (* [archivesIdentical l] returns true if all elements in [l] are the same and distinct from None *) let archivesIdentical l = match l with h::r -> h <> None && Safelist.for_all (fun h' -> h = h') r | _ -> true let (archiveNameOnRoot : Common.root -> archiveVersion -> (string * string * bool) Lwt.t) = Remote.registerRootCmd "archiveName" (fun (fspath, v) -> let (name,_) = archiveName fspath v in Lwt.return (name, Os.myCanonicalHostName, System.file_exists (Os.fileInUnisonDir name))) (*****************************************************************************) (* LOADING AND SAVING ARCHIVES *) (*****************************************************************************) (* [formatString] and [verboseArchiveName thisRoot] are the verbose forms of archiveFormat and root names. They appear in the header of the archive files *) let formatString = Printf.sprintf "Unison archive format %d" archiveFormat let verboseArchiveName thisRoot = Printf.sprintf "Archive for root %s synchronizing roots %s" thisRoot (Prefs.read rootsName) (* Load in the archive in [fspath]; check that archiveFormat (first line) and roots (second line) match skip the third line (time stamp), and read in the archive *) let loadArchiveLocal fspath (thisRoot: string) : (archive * int * string * Proplist.t) option = debug (fun() -> Util.msg "Loading archive from %s\n" (System.fspathToDebugString fspath)); Util.convertUnixErrorsToFatal "loading archive" (fun () -> if System.file_exists fspath then let c = System.open_in_bin fspath in let header = input_line c in (* Sanity check on archive format *) if header<>formatString then begin Util.warn (Printf.sprintf "Archive format mismatch: found\n '%s'\n\ but expected\n '%s'.\n\ I will delete the old archive and start from scratch.\n" header formatString); None end else let roots = input_line c in (* Sanity check on roots. *) if roots <> verboseArchiveName thisRoot then begin Util.warn (Printf.sprintf "Archive mismatch: found\n '%s'\n\ but expected\n '%s'.\n\ I will delete the old archive and start from scratch.\n" roots (verboseArchiveName thisRoot)); None end else (* Throw away the timestamp line *) let _ = input_line c in (* Load the datastructure *) try let ((archive, hash, magic) : archive * int * string) = Marshal.from_channel c in let properties = try ignore (input_char c); (* Marker *) Marshal.from_channel c with End_of_file -> Proplist.empty in close_in c; Some (archive, hash, magic, properties) with Failure s -> raise (Util.Fatal (Printf.sprintf "Archive file seems damaged (%s): \ throw away archives on both machines and try again" s)) else (debug (fun() -> Util.msg "Archive %s not found\n" (System.fspathToDebugString fspath)); None)) (* Inverse to loadArchiveLocal *) let storeArchiveLocal fspath thisRoot archive hash magic properties = debug (fun() -> Util.msg "Saving archive in %s\n" (System.fspathToDebugString fspath)); Util.convertUnixErrorsToFatal "saving archive" (fun () -> let c = System.open_out_gen [Open_wronly; Open_creat; Open_trunc; Open_binary] 0o600 fspath in output_string c formatString; output_string c "\n"; output_string c (verboseArchiveName thisRoot); output_string c "\n"; (* This third line is purely informative *) output_string c (Printf.sprintf "Written at %s - %s mode\n" (Util.time2string (Util.time())) ((Case.ops())#modeDesc)); Marshal.to_channel c (archive, hash, magic) [Marshal.No_sharing]; output_char c '\000'; (* Marker that indicates that the archive is followed by a property list *) Marshal.to_channel c properties [Marshal.No_sharing]; close_out c) (* Remove the archieve under the root path [fspath] with archiveVersion [v] *) let removeArchiveLocal ((fspath: Fspath.t), (v: archiveVersion)): unit Lwt.t = Lwt.return (let (name,_) = archiveName fspath v in let fspath = Os.fileInUnisonDir name in debug (fun() -> Util.msg "Removing archive %s\n" (System.fspathToDebugString fspath)); Util.convertUnixErrorsToFatal "removing archive" (fun () -> try System.unlink fspath with Unix.Unix_error (Unix.ENOENT, _, _) -> ())) (* [removeArchiveOnRoot root v] invokes [removeArchive fspath v] on the server, where [fspath] is the path to root on the server *) let removeArchiveOnRoot: Common.root -> archiveVersion -> unit Lwt.t = Remote.registerRootCmd "removeArchive" removeArchiveLocal (* [commitArchive (fspath, ())] commits the archive for [fspath] by changing the filenames from ScratchArch-ones to a NewArch-ones *) let commitArchiveLocal ((fspath: Fspath.t), ()) : unit Lwt.t = Lwt.return (let (fromname,_) = archiveName fspath ScratchArch in let (toname,_) = archiveName fspath NewArch in let ffrom = Os.fileInUnisonDir fromname in let fto = Os.fileInUnisonDir toname in Util.convertUnixErrorsToFatal "committing" (fun () -> System.rename ffrom fto)) (* [commitArchiveOnRoot root v] invokes [commitArchive fspath v] on the server, where [fspath] is the path to root on the server *) let commitArchiveOnRoot: Common.root -> unit -> unit Lwt.t = Remote.registerRootCmd "commitArchive" commitArchiveLocal let archiveInfoCache = Hashtbl.create 7 (* [postCommitArchive (fspath, v)] finishes the committing protocol by copying files from NewArch-files to MainArch-files *) let postCommitArchiveLocal (fspath,()) : unit Lwt.t = Lwt.return (let (fromname,_) = archiveName fspath NewArch in let (toname, thisRoot) = archiveName fspath MainArch in let ffrom = Os.fileInUnisonDir fromname in let fto = Os.fileInUnisonDir toname in debug (fun() -> Util.msg "Copying archive %s to %s\n" (System.fspathToDebugString ffrom) (System.fspathToDebugString fto)); Util.convertUnixErrorsToFatal "copying archive" (fun () -> begin try System.unlink fto with Unix.Unix_error (Unix.ENOENT, _, _) -> () end; begin try System.link ffrom fto with Unix.Unix_error _ -> let outFd = System.open_out_gen [Open_wronly; Open_creat; Open_trunc; Open_binary] 0o600 fto in System.chmod fto 0o600; (* In case the file already existed *) let inFd = System.open_in_bin ffrom in Uutil.readWrite inFd outFd (fun _ -> ()); close_in inFd; close_out outFd end; let arcFspath = Os.fileInUnisonDir toname in let info = Fileinfo.get' arcFspath in Hashtbl.replace archiveInfoCache thisRoot info)) (* [postCommitArchiveOnRoot root v] invokes [postCommitArchive fspath v] on the server, where [fspath] is the path to root on the server *) let postCommitArchiveOnRoot: Common.root -> unit -> unit Lwt.t = Remote.registerRootCmd "postCommitArchive" postCommitArchiveLocal (*************************************************************************) (* Archive cache *) (*************************************************************************) (* archiveCache: map(rootGlobalName, archive) *) let archiveCache = Hashtbl.create 7 (* Retrieve an archive from the cache *) let getArchive (thisRoot: string): archive = Hashtbl.find archiveCache thisRoot (* Update the cache. *) let setArchiveLocal (thisRoot: string) (archive: archive) = (* Also this: *) debug (fun () -> Printf.eprintf "Setting archive for %s\n" thisRoot); Hashtbl.replace archiveCache thisRoot archive (* archiveCache: map(rootGlobalName, property list) *) let archivePropCache = Hashtbl.create 7 (* Retrieve an archive property list from the cache *) let getArchiveProps (thisRoot: string): Proplist.t = Hashtbl.find archivePropCache thisRoot (* Update the property list cache. *) let setArchivePropsLocal (thisRoot: string) (props: Proplist.t) = Hashtbl.replace archivePropCache thisRoot props let fileUnchanged oldInfo newInfo = oldInfo.Fileinfo.typ = `FILE && newInfo.Fileinfo.typ = `FILE && Props.same_time oldInfo.Fileinfo.desc newInfo.Fileinfo.desc && Props.length oldInfo.Fileinfo.desc = Props.length newInfo.Fileinfo.desc && match Fileinfo.stamp oldInfo, Fileinfo.stamp newInfo with Fileinfo.InodeStamp in1, Fileinfo.InodeStamp in2 -> in1 = in2 | Fileinfo.CtimeStamp _, Fileinfo.CtimeStamp _ -> true | _ -> false let archiveUnchanged fspath newInfo = let (arcName, thisRoot) = archiveName fspath MainArch in try fileUnchanged (Hashtbl.find archiveInfoCache thisRoot) newInfo with Not_found -> false (************************************************************************* DUMPING ARCHIVES *************************************************************************) let rec showArchive = function ArchiveDir (props, children) -> Format.printf "Directory, %s@\n @[" (Props.syncedPartsToString props); NameMap.iter (fun n c -> Format.printf "%s -> @\n " (Name.toString n); showArchive c) children; Format.printf "@]" | ArchiveFile (props, fingerprint, _, _) -> Format.printf "File, %s %s@\n" (Props.syncedPartsToString props) (Os.fullfingerprint_to_string fingerprint) | ArchiveSymlink(s) -> Format.printf "Symbolic link: %s@\n" s | NoArchive -> Format.printf "No archive@\n" let dumpArchiveLocal (fspath,()) = let (name, root) = archiveName fspath MainArch in let archive = getArchive root in let f = Util.fileInHomeDir "unison.dump" in debug (fun () -> Printf.eprintf "Dumping archive into `%s'\n" (System.fspathToDebugString f)); let ch = System.open_out_gen [Open_wronly; Open_creat; Open_trunc] 0o600 f in let (outfn,flushfn) = Format.get_formatter_output_functions () in Format.set_formatter_out_channel ch; Format.printf "Contents of archive for %s\n" root; Format.printf "Written at %s\n\n" (Util.time2string (Util.time())); showArchive archive; Format.print_flush(); Format.set_formatter_output_functions outfn flushfn; flush ch; close_out ch; Lwt.return () let dumpArchiveOnRoot : Common.root -> unit -> unit Lwt.t = Remote.registerRootCmd "dumpArchive" dumpArchiveLocal (*****************************************************************************) (* ARCHIVE CASE CONVERSION *) (*****************************************************************************) (* Stamp for marking unchange directories *) let dirStampKey : Props.dirChangedStamp Proplist.key = Proplist.register "unchanged directory stamp" (* Property containing a description of the archive case sensitivity mode *) let caseKey : string Proplist.key = Proplist.register "case mode" (* Turn a case sensitive archive into a case insensitive archive. Directory children are resorted and duplicates are removed. *) let rec makeCaseSensitiveRec arch = match arch with ArchiveDir (desc, children) -> let dups = ref [] in let children = NameMap.fold (fun nm ch chs -> if Name.badEncoding nm then chs else begin if NameMap.mem nm chs then dups := nm :: !dups; NameMap.add nm (makeCaseSensitiveRec ch) chs end) children NameMap.empty in let children = List.fold_left (fun chs nm -> NameMap.remove nm chs) children !dups in ArchiveDir (desc, children) | ArchiveFile _ | ArchiveSymlink _ | NoArchive -> arch let makeCaseSensitive thisRoot = setArchiveLocal thisRoot (makeCaseSensitiveRec (getArchive thisRoot)); (* We need to recheck all directories, so we mark them possibly changed *) setArchivePropsLocal thisRoot (Proplist.add dirStampKey (Props.freshDirStamp ()) (Proplist.add caseKey (Case.ops ())#modeDesc (getArchiveProps thisRoot))) let makeCaseSensitiveOnRoot = Remote.registerRootCmd "makeCaseSensitive" (fun (fspath, ()) -> makeCaseSensitive (thisRootsGlobalName fspath); Lwt.return ()) (*FIX: remove when Unison version > 2.40 *) let canMakeCaseSensitive () = Globals.allRootsMap (fun r -> Remote.commandAvailable r "makeCaseSensitive") >>= fun l -> Lwt.return (List.for_all (fun x -> x) l) (****) (* Get the archive case sensitivity mode from the archive magic. *) let archiveMode magic = let currentMode = (Case.ops ())#modeDesc in if magic = "" then currentMode (* Newly created archive *) else try String.sub magic 0 (String.index magic '\000') with Not_found -> (* Legacy format. Cannot be Unicode case insensitive. *) if (Case.ops ())#mode = Case.UnicodeInsensitive then "some non-Unicode" else currentMode let checkArchiveCaseSensitivity l = let root = thisRootsGlobalName (snd (Globals.localRoot ())) in let curMode = (Case.ops ())#modeDesc in let archMode = Proplist.find caseKey (getArchiveProps root) in if curMode = archMode then Lwt.return () else begin begin if archMode = Case.caseSensitiveModeDesc then canMakeCaseSensitive () else Lwt.return false end >>= fun convert -> if convert then Globals.allRootsIter (fun r -> makeCaseSensitiveOnRoot r ()) else begin (* We cannot compute the archive name locally as it currently depends on the os type *) Globals.allRootsMap (fun r -> archiveNameOnRoot r MainArch) >>= fun names -> let l = List.map (fun (name, host, _) -> Format.sprintf " archive %s on host %s" name host) names in Lwt.fail (Util.Fatal (String.concat "\n" ("Warning: incompatible case sensitivity settings." :: Format.sprintf "Unison is currently in %s mode," curMode :: Format.sprintf "while the archives were created in %s mode." archMode :: "You should either change Unison's setup or delete" :: "the following archives from the .unison directories:" :: l @ ["(or invoke Unison once with -ignorearchives flag)."; "Then, try again."]))) end end (****) let rec populateCacheFromArchiveRec path arch = match arch with ArchiveDir (_, children) -> NameMap.iter (fun nm ch -> populateCacheFromArchiveRec (Path.child path nm) ch) children | ArchiveFile (desc, dig, stamp, ress) -> Fpcache.save path (desc, dig, stamp, ress) | ArchiveSymlink _ | NoArchive -> () let populateCacheFromArchive fspath arch = let (cacheFilename, _) = archiveName fspath FPCache in let cacheFile = Os.fileInUnisonDir cacheFilename in Fpcache.init true cacheFile; populateCacheFromArchiveRec Path.empty arch; Fpcache.finish () (*************************************************************************) (* Loading archives *) (*************************************************************************) let ignoreArchives = Prefs.createBool "ignorearchives" false "!ignore existing archive files" ("When this preference is set, Unison will ignore any existing " ^ "archive files and behave as though it were being run for the first " ^ "time on these replicas. It is " ^ "not a good idea to set this option in a profile: it is intended for " ^ "command-line use.") let setArchiveData thisRoot fspath (arch, hash, magic, properties) info = let archMode = archiveMode magic in let curMode = (Case.ops ())#modeDesc in let properties = Proplist.add caseKey archMode properties in setArchiveLocal thisRoot arch; setArchivePropsLocal thisRoot properties; Hashtbl.replace archiveInfoCache thisRoot info; if archMode <> curMode then populateCacheFromArchive fspath arch; Lwt.return (Some (hash, magic)) let clearArchiveData thisRoot = setArchiveLocal thisRoot NoArchive; setArchivePropsLocal thisRoot (Proplist.add caseKey (Case.ops ())#modeDesc Proplist.empty); Hashtbl.remove archiveInfoCache thisRoot; Lwt.return (Some (0, "")) (* Load (main) root archive and cache it on the given server *) let loadArchiveOnRoot: Common.root -> bool -> (int * string) option Lwt.t = Remote.registerRootCmd "loadArchive" (fun (fspath, optimistic) -> let (arcName,thisRoot) = archiveName fspath MainArch in let arcFspath = Os.fileInUnisonDir arcName in if Prefs.read ignoreArchives then begin foundArchives := false; clearArchiveData thisRoot end else if optimistic then begin let (newArcName, _) = archiveName fspath NewArch in if (* If the archive is not in a stable state, we need to perform archive recovery. So, the optimistic loading fails. *) System.file_exists (Os.fileInUnisonDir newArcName) || let (lockFilename, _) = archiveName fspath Lock in let lockFile = Os.fileInUnisonDir lockFilename in Lock.is_locked lockFile then Lwt.return None else let (arcName,thisRoot) = archiveName fspath MainArch in let arcFspath = Os.fileInUnisonDir arcName in let info = Fileinfo.get' arcFspath in if archiveUnchanged fspath info then (* The archive is unchanged. So, we don't need to do anything. *) Lwt.return (Some (0, "")) else begin match loadArchiveLocal arcFspath thisRoot with Some archData -> let info' = Fileinfo.get' arcFspath in if fileUnchanged info info' then setArchiveData thisRoot fspath archData info else (* The archive was modified during loading. We fail. *) Lwt.return None | None -> (* No archive found *) Lwt.return None end end else begin match loadArchiveLocal arcFspath thisRoot with Some archData -> setArchiveData thisRoot fspath archData (Fileinfo.get' arcFspath) | None -> (* No archive found *) clearArchiveData thisRoot end) let dumpArchives = Prefs.createBool "dumparchives" false "*dump contents of archives just after loading" ("When this preference is set, Unison will create a file unison.dump " ^ "on each host, containing a text summary of the archive, immediately " ^ "after loading it.") (* For all roots (local or remote), load the archive and cache *) let loadArchives (optimistic: bool) = Globals.allRootsMap (fun r -> loadArchiveOnRoot r optimistic) >>= (fun checksums -> let identicals = archivesIdentical checksums in if not (optimistic || identicals) then raise (Util.Fatal( "Internal error: On-disk archives are not identical.\n" ^ "\n" ^ "This can happen when both machines have the same hostname.\n" ^ "\n" ^ "If this is not the case and you get this message repeatedly, please:\n" ^ " a) Send a bug report to unison-users@yahoogroups.com (you may need\n" ^ " to join the group before you will be allowed to post).\n" ^ " b) Move the archive files on each machine to some other directory\n" ^ " (in case they may be useful for debugging).\n" ^ " The archive files on this machine are in the directory\n" ^ (Printf.sprintf " %s\n" (System.fspathToPrintString Os.unisonDir)) ^ " and have names of the form\n" ^ " arXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX\n" ^ " where the X's are a hexidecimal number .\n" ^ " c) Run unison again to synchronize from scratch.\n")); Lwt.return (identicals, checksums)) (*****************************************************************************) (* Archive locking *) (*****************************************************************************) let lockArchiveLocal fspath = let (lockFilename, _) = archiveName fspath Lock in let lockFile = Os.fileInUnisonDir lockFilename in if Lock.acquire lockFile then None else Some (Printf.sprintf "The file %s on host %s should be deleted" (System.fspathToPrintString lockFile) Os.myCanonicalHostName) let lockArchiveOnRoot: Common.root -> unit -> string option Lwt.t = Remote.registerRootCmd "lockArchive" (fun (fspath, ()) -> Lwt.return (lockArchiveLocal fspath)) let unlockArchiveLocal fspath = Lock.release (Os.fileInUnisonDir (fst (archiveName fspath Lock))) let unlockArchiveOnRoot: Common.root -> unit -> unit Lwt.t = Remote.registerRootCmd "unlockArchive" (fun (fspath, ()) -> Lwt.return (unlockArchiveLocal fspath)) let ignorelocks = Prefs.createBool "ignorelocks" false "!ignore locks left over from previous run (dangerous!)" ("When this preference is set, Unison will ignore any lock files " ^ "that may have been left over from a previous run of Unison that " ^ "was interrupted while reading or writing archive files; by default, " ^ "when Unison sees these lock files it will stop and request manual " ^ "intervention. This " ^ "option should be set only if you are {\\em positive} that no other " ^ "instance of Unison might be concurrently accessing the same archive " ^ "files (e.g., because there was only one instance of unison running " ^ "and it has just crashed or you have just killed it). It is probably " ^ "not a good idea to set this option in a profile: it is intended for " ^ "command-line use.") let locked = ref false let lockArchives () = assert (!locked = false); Globals.allRootsMap (fun r -> lockArchiveOnRoot r ()) >>= (fun result -> if Safelist.exists (fun x -> x <> None) result && not (Prefs.read ignorelocks) then begin Globals.allRootsIter2 (fun r st -> match st with None -> unlockArchiveOnRoot r () | Some _ -> Lwt.return ()) result >>= (fun () -> let whatToDo = Safelist.filterMap (fun st -> st) result in raise (Util.Fatal (String.concat "\n" (["Warning: the archives are locked. "; "If no other instance of " ^ Uutil.myName ^ " is running, \ the locks should be removed."] @ whatToDo @ ["Please delete lock files as appropriate and try again."])))) end else begin locked := true; Lwt.return () end) let unlockArchives () = if !locked then begin Globals.allRootsIter (fun r -> unlockArchiveOnRoot r ()) >>= (fun () -> locked := false; Lwt.return ()) end else Lwt.return () (*************************************************************************) (* CRASH RECOVERY *) (*************************************************************************) (* We avoid getting into an unsafe situation if the synchronizer is interrupted during the writing of the archive files by adopting a simple joint commit protocol. The invariant that we maintain at all times is: if all hosts have a temp archive, then these temp archives contain coherent information if NOT all hosts have a temp archive, then the regular archives contain coherent information When we WRITE archives (markUpdated), we maintain this invariant as follows: - first, write all archives to a temporary filename - then copy all the temp files to the corresponding regular archive files - finally, delete all the temp files Before we LOAD archives (findUpdates), we perform a crash recovery procedure, in case there was a crash during any of the above operations. - if all hosts have a temporary archive, we copy these to the regular archive names - otherwise, if some hosts have temporary archives, we delete them *) let archivesExistOnRoot: Common.root -> unit -> (bool * bool) Lwt.t = Remote.registerRootCmd "archivesExist" (fun (fspath,rootsName) -> let (oldname,_) = archiveName fspath MainArch in let oldexists = System.file_exists (Os.fileInUnisonDir oldname) in let (newname,_) = archiveName fspath NewArch in let newexists = System.file_exists (Os.fileInUnisonDir newname) in Lwt.return (oldexists, newexists)) let forall = Safelist.for_all (fun x -> x) let exists = Safelist.exists (fun x -> x) let doArchiveCrashRecovery () = (* Check which hosts have copies of the old/new archive *) Globals.allRootsMap (fun r -> archivesExistOnRoot r ()) >>= (fun exl -> let oldnamesExist,newnamesExist = Safelist.split exl in (* Do something with the new archives, if there are any *) begin if forall newnamesExist then begin (* All new versions were written: use them *) Util.warn (Printf.sprintf "Warning: %s may have terminated abnormally last time.\n\ A new archive exists on all hosts: I'll use them.\n" Uutil.myName); Globals.allRootsIter (fun r -> postCommitArchiveOnRoot r ()) >>= (fun () -> Globals.allRootsIter (fun r -> removeArchiveOnRoot r NewArch)) end else if exists newnamesExist then begin Util.warn (Printf.sprintf "Warning: %s may have terminated abnormally last time.\n\ A new archive exists on some hosts only; it will be ignored.\n" Uutil.myName); Globals.allRootsIter (fun r -> removeArchiveOnRoot r NewArch) end else Lwt.return () end >>= (fun () -> (* Now verify that there are old archives on all hosts *) if forall oldnamesExist then begin (* We're happy *) foundArchives := true; Lwt.return () end else if exists oldnamesExist then Globals.allRootsMap (fun r -> archiveNameOnRoot r MainArch) >>= (fun names -> let whatToDo = Safelist.map (fun (name,host,exists) -> Printf.sprintf " Archive %s on host %s %s" name host (if exists then "should be DELETED" else "is MISSING")) names in raise (Util.Fatal (String.concat "\n" (["Warning: inconsistent state. "; "The archive file is missing on some hosts."; "For safety, the remaining copies should be deleted."] @ whatToDo @ ["Please delete archive files as appropriate and try again"; "or invoke Unison with -ignorearchives flag."])))) else begin foundArchives := false; let expectedRoots = String.concat "\n\t" (Safelist.map root2string (Globals.rootsList ())) in Util.warn ("No archive files were found for these roots, whose canonical names are:\n\t" ^ expectedRoots ^ "\nThis can happen either\n" ^ "because this is the first time you have synchronized these roots, \n" ^ "or because you have upgraded Unison to a new version with a different\n" ^ "archive format. \n\n" ^ "Update detection may take a while on this run if the replicas are \n" ^ "large.\n\n" ^ "Unison will assume that the 'last synchronized state' of both replicas\n" ^ "was completely empty. This means that any files that are different\n" ^ "will be reported as conflicts, and any files that exist only on one\n" ^ "replica will be judged as new and propagated to the other replica.\n" ^ "If the two replicas are identical, then no changes will be reported.\n\n" ^ "If you see this message repeatedly, it may be because one of your machines\n" ^ "is getting its address from DHCP, which is causing its host name to change\n" ^ "between synchronizations. See the documentation for the UNISONLOCALHOSTNAME\n" ^ "environment variable for advice on how to correct this.\n" ^ "\n" ^ "Donations to the Unison project are gratefully accepted: \n" ^ "http://www.cis.upenn.edu/~bcpierce/unison\n" ^ "\n" (* ^ "\nThe expected archive names were:\n" ^ expectedNames *) ); Lwt.return () end)) (************************************************************************* Update a part of an archive *************************************************************************) (* perform [action] on the relative path [rest] in the archive. If it returns [(ar, result)], then update archive with [ar] at [rest] and return [result]. *) let rec updatePathInArchive archive fspath (here: Path.local) (rest: 'a Path.path) (action: archive -> Path.local -> archive): archive = debugverbose (fun() -> Printf.eprintf "updatePathInArchive %s %s [%s] [%s]\n" (archive2string archive) (Fspath.toDebugString fspath) (Path.toString here) (Path.toString rest)); match Path.deconstruct rest with None -> action archive here | Some(name, rest') -> let (desc, name', child, otherChildren) = match archive with ArchiveDir (desc, children) -> begin try let (name', child) = NameMap.findi name children in (desc, name', child, NameMap.remove name children) with Not_found -> (desc, name, NoArchive, children) end | _ -> (Props.dummy, name, NoArchive, NameMap.empty) in match updatePathInArchive child fspath (Path.child here name') rest' action with NoArchive -> if NameMap.is_empty otherChildren && desc == Props.dummy then NoArchive else ArchiveDir (desc, otherChildren) | child -> ArchiveDir (desc, NameMap.add name' child otherChildren) (*************************************************************************) (* Extract of a part of a archive *) (*************************************************************************) (* Get the archive found at [rest] of [archive] *) let rec getPathInArchive archive here rest = match Path.deconstruct rest with None -> (here, archive) | Some (name, rest') -> let (name', child) = match archive with ArchiveDir (desc, children) -> begin try NameMap.findi name children with Not_found -> (name, NoArchive) end | _ -> (name, NoArchive) in getPathInArchive child (Path.child here name') rest' let translatePathLocal fspath path = let root = thisRootsGlobalName fspath in let (localPath, _) = getPathInArchive (getArchive root) Path.empty path in localPath let translatePath = Remote.registerRootCmd "translatePath" (fun (fspath, path) -> Lwt.return (translatePathLocal fspath path)) (*********************************************************************** MOUNT POINTS ************************************************************************) let mountpoints = Prefs.createStringList "mountpoint" "!abort if this path does not exist" ("Including the preference \\texttt{-mountpoint PATH} causes Unison to " ^ "double-check, at the end of update detection, that \\texttt{PATH} exists " ^ "and abort if it does not. This is useful when Unison is used to synchronize " ^ "removable media. This preference can be given more than once. " ^ "See \\sectionref{mountpoints}{Mount Points}.") let abortIfAnyMountpointsAreMissing fspath = Safelist.iter (fun s -> let path = Path.fromString s in if not (Os.exists fspath path) then raise (Util.Fatal (Printf.sprintf "Path %s / %s is designated as a mountpoint, but points to nothing on host %s\n" (Fspath.toPrintString fspath) (Path.toString path) Os.myCanonicalHostName))) (Prefs.read mountpoints) (*********************************************************************** UPDATE DETECTION ************************************************************************) (* Generate a tree of changes. Also, update the archive in case some timestamps have been changed without the files being actually updated. *) let fastcheck = Prefs.createBoolWithDefault "fastcheck" "!do fast update detection (true/false/default)" ( "When this preference is set to \\verb|true|, \ Unison will use the modification time and length of a file as a `pseudo inode number' \ when scanning replicas for updates, \ instead of reading the full contents of every file. Under \ Windows, this may cause Unison to miss propagating an update \ if the modification time and length of the \ file are both unchanged by the update. However, Unison will never \ {\\em overwrite} such an update with a change from the other \ replica, since it always does a safe check for updates just \ before propagating a change. Thus, it is reasonable to use \ this switch under Windows most of the time and occasionally \ run Unison once with {\\tt fastcheck} set to \ \\verb|false|, if you are \ worried that Unison may have overlooked an update. \ For backward compatibility, \ \\verb|yes|, \\verb|no|, and \\verb|default| can be used in place \ of \\verb|true|, \\verb|false|, and \\verb|auto|. See \ \\sectionref{fastcheck}{Fast Checking} for more information.") let useFastChecking () = Prefs.read fastcheck = `True || (Prefs.read fastcheck = `Default (*&& Util.osType = `Unix*)) let immutable = Pred.create "immutable" ~advanced:true ("This preference specifies paths for directories whose \ immediate children are all immutable files --- i.e., once a file has been \ created, its contents never changes. When scanning for updates, \ Unison does not check whether these files have been modified; \ this can speed update detection significantly (in particular, for mail \ directories).") let immutablenot = Pred.create "immutablenot" ~advanced:true ("This preference overrides {\\tt immutable}.") type scanInfo = { fastCheck : bool; dirFastCheck : bool; dirStamp : Props.dirChangedStamp; showStatus : bool } (** Status display **) let bigFileLength = 10 * 1024 let bigFileLengthFS = Uutil.Filesize.ofInt bigFileLength let smallFileLength = 1024 let fileLength = ref 0 let t0 = ref 0. (* Note that we do *not* want to do any status displays from the server side, since this will cause the server to block until the client has finished its own update detection and can receive and acknowledge the status display message -- thus effectively serializing the client and server! *) let showStatusAddLength scanInfo info = let len1 = Props.length info.Fileinfo.desc in let len2 = Osx.ressLength info.Fileinfo.osX.Osx.ressInfo in if len1 >= bigFileLengthFS || len2 >= bigFileLengthFS then fileLength := bigFileLength else fileLength := min bigFileLength (!fileLength + Uutil.Filesize.toInt len1 + Uutil.Filesize.toInt len2) let showStatus scanInfo path = fileLength := !fileLength + smallFileLength; if !fileLength >= bigFileLength then begin fileLength := 0; let t = Unix.gettimeofday () in if t -. !t0 > 0.05 then begin if scanInfo.showStatus then Uutil.showUpdateStatus (Path.toString path); t0 := t end end let showStatusDir path = () (* BCP (4/09) The code above tries to be smart about showing status messages at regular intervals, but people seem to find this confusing. I tried replace all this with something simpler -- just show directories as they are scanned -- but this seems worse: it prints far too much stuff. So I'm going to revert to the old version. *) (* let showStatus path = () let showStatusAddLength info = () let showStatusDir path = if not !Trace.runningasserver then begin Trace.statusDetail ("scanning... " ^ Path.toString path); end *) (* ------- *) let symlinkInfo = Common.Previous (`SYMLINK, Props.dummy, Os.fullfingerprint_dummy, Osx.ressDummy) let absentInfo = Common.New let oldInfoOf archive = match archive with ArchiveDir (oldDesc, _) -> Common.Previous (`DIRECTORY, oldDesc, Os.fullfingerprint_dummy, Osx.ressDummy) | ArchiveFile (oldDesc, dig, _, ress) -> Common.Previous (`FILE, oldDesc, dig, ress) | ArchiveSymlink _ -> symlinkInfo | NoArchive -> absentInfo (* Check whether the directory immediate children may have changed *) let rec noChildChange childUpdates = match childUpdates with [] -> true | (_, Updates (File _, Previous (`FILE, _, _, _))) :: rem | (_, Updates (Dir _, Previous (`DIRECTORY, _, _, _))) :: rem | (_, Updates (Symlink _, Previous (`SYMLINK, _, _, _))) :: rem -> noChildChange rem | _ -> false (* Check whether the directory contents is different from what is in the archive *) let directoryCheckContentUnchanged currfspath path info archDesc childUpdates scanInfo = if noChildChange childUpdates && let (info', dataUnchanged, ressUnchanged) = Fileinfo.unchanged currfspath path info in dataUnchanged then begin let (archDesc, updated) = let inode = match Fileinfo.stamp info with Fileinfo.InodeStamp i -> i | _ -> 0 in Props.setDirChangeFlag archDesc scanInfo.dirStamp inode in let updated = updated || not (Props.same_time info.Fileinfo.desc archDesc) in if updated then debugverbose (fun()-> Util.msg "Contents of directory %s marked unchanged\n" (Fspath.toDebugString (Fspath.concat currfspath path))); (Props.setTime archDesc (Props.time info.Fileinfo.desc), updated) end else begin let (archDesc, updated) = Props.setDirChangeFlag archDesc Props.changedDirStamp 0 in if updated then debugverbose (fun()-> Util.msg "Contents of directory %s marked changed\n" (Fspath.toDebugString (Fspath.concat currfspath path))); (archDesc, updated) end (* Check whether the list of children of a directory is clearly unchanged *) let dirContentsClearlyUnchanged info archDesc scanInfo = scanInfo.dirFastCheck && let inode = match Fileinfo.stamp info with Fileinfo.InodeStamp i -> i | _ -> 0 in Props.dirMarkedUnchanged archDesc scanInfo.dirStamp inode && Props.same_time info.Fileinfo.desc archDesc && (* Check the date is meaningful: the root directory of a FAT filesystem does not have modification time, so the time returned by [stat] is usually way in the past. *) Props.time archDesc >= 631152000. (* Jan 1, 1990 *) (* Check whether a file's permissions have not changed *) let isPropUnchanged desc archiveDesc = Props.similar desc archiveDesc (* Handle file permission change *) let checkPropChange desc archive archDesc = if isPropUnchanged desc archDesc then begin debugverbose (fun() -> Util.msg " Unchanged file\n"); NoUpdates end else begin debug (fun() -> Util.msg " File permissions updated\n"); Updates (File (desc, ContentsSame), oldInfoOf archive) end (* Check whether a file has changed has changed, by comparing its digest and properties against [archDesc], [archDig], and [archStamp]. Returns a pair (optArch, ui) where [optArch] is *not* None when the file remains unchanged but time might be changed. [optArch] is used by [buildUpdate] series functions to compute the _old_ archive with updated time stamp (thus, there will no false update the next time) *) let checkContentsChange currfspath path info archive archDesc archDig archStamp archRess scanInfo : archive option * Common.updateItem = debug (fun () -> Util.msg "checkContentsChange: "; begin match archStamp with Fileinfo.InodeStamp inode -> (Util.msg "archStamp is inode (%d)" inode; Util.msg " / info.inode (%d)" info.Fileinfo.inode) | Fileinfo.CtimeStamp stamp -> (Util.msg "archStamp is ctime (%f)" stamp) end; Util.msg " / times: %f = %f... %b" (Props.time archDesc) (Props.time info.Fileinfo.desc) (Props.same_time info.Fileinfo.desc archDesc); Util.msg " / lengths: %s - %s" (Uutil.Filesize.toString (Props.length archDesc)) (Uutil.Filesize.toString (Props.length info.Fileinfo.desc)); Util.msg "\n"); let fastCheck = scanInfo.fastCheck in let dataClearlyUnchanged = Fpcache.dataClearlyUnchanged fastCheck path info archDesc archStamp in let ressClearlyUnchanged = Fpcache.ressClearlyUnchanged fastCheck info archRess dataClearlyUnchanged in if dataClearlyUnchanged && ressClearlyUnchanged then begin Xferhint.insertEntry currfspath path archDig; None, checkPropChange info.Fileinfo.desc archive archDesc end else begin debugverbose (fun() -> Util.msg " Double-check possibly updated file\n"); showStatusAddLength scanInfo info; let (newDesc, newDigest, newStamp, newRess) = Fpcache.fingerprint fastCheck currfspath path info (if dataClearlyUnchanged then Some archDig else None) in Xferhint.insertEntry currfspath path newDigest; debug (fun() -> Util.msg " archive digest = %s current digest = %s\n" (Os.fullfingerprint_to_string archDig) (Os.fullfingerprint_to_string newDigest)); if archDig = newDigest then begin let newprops = Props.setTime archDesc (Props.time newDesc) in let newarch = ArchiveFile (newprops, archDig, newStamp, newRess) in debugverbose (fun() -> Util.msg " Contents match: update archive with new time...%f\n" (Props.time newprops)); Some newarch, checkPropChange newDesc archive archDesc end else begin debug (fun() -> Util.msg " Updated file\n"); None, Updates (File (newDesc, ContentsUpdated (newDigest, newStamp, newRess)), oldInfoOf archive) end end (* getChildren = childrenOf + repetition check Find the children of fspath+path, and return them, sorted, and partitioned into those with case conflicts, those with illegal cross platform filenames, and those without problems. Note that case conflicts and illegal filenames can only occur under Unix, when syncing with a Windows file system. *) let checkFilename s = if Name.badEncoding s then `BadEnc else if (* Don't check unless we are syncing with Windows *) Prefs.read Globals.someHostIsRunningWindows && Name.badFile s then `BadName else `Ok let getChildren fspath path = let children = (* We sort them in reverse order, as findDuplicate will reverse the list again *) Safelist.sort (fun nm1 nm2 -> - (Name.compare nm1 nm2)) (Os.childrenOf fspath path) in (* If Unison overall is running in case-insensitive mode but the local filesystem is case sensitive, then we need to check that two local files do not have the same name modulo case... *) (* We do it all the time, as this may happen anyway due to race conditions... *) let childStatus nm count = if count > 1 then `Dup else checkFilename nm in let rec findDuplicates' res nm count l = match l with [] -> (nm, childStatus nm count) :: res | nm' :: rem -> if Name.eq nm nm' then findDuplicates' res nm (count + 1) rem else findDuplicates' ((nm, childStatus nm count) :: res) nm' 1 rem and findDuplicates l = match l with [] -> [] | nm :: rem -> findDuplicates' [] nm 1 rem in findDuplicates children (* from a list of (name, archive) pairs {usually the items in the same directory}, build two lists: the first a named list of the _old_ archives, with their timestamps updated for the files whose contents remain unchanged, the second a named list of updates; also returns whether the directory is now empty *) let rec buildUpdateChildren fspath path (archChi: archive NameMap.t) unchangedChildren scanInfo : archive NameMap.t option * (Name.t * Common.updateItem) list * bool * bool = showStatusDir path; let skip = Pred.test immutable (Path.toString path) && not (Pred.test immutablenot (Path.toString path)) in if unchangedChildren then begin if skip then begin if Prefs.read Xferhint.xferbycopying then NameMap.iter (fun nm archive -> match archive with ArchiveFile (_, archDig, _, _) -> Xferhint.insertEntry fspath (Path.child path nm) archDig | _ -> ()) archChi; (None, [], false, false) end else begin let updates = ref [] in let archUpdated = ref false in let handleChild nm archive = let path' = Path.child path nm in showStatus scanInfo path'; let (arch,uiChild) = buildUpdateRec archive fspath path' scanInfo in if uiChild <> NoUpdates then updates := (nm, uiChild) :: !updates; match arch with None -> archive | Some arch -> archUpdated := true; arch in let newChi = NameMap.mapi handleChild archChi in (* The Recon module relies on the updates to be sorted *) ((if !archUpdated then Some newChi else None), Safelist.rev !updates, false, false) end end else let curChildren = ref (getChildren fspath path) in let emptied = not (NameMap.is_empty archChi) && !curChildren = [] in let hasIgnoredChildren = ref false in let updates = ref [] in let archUpdated = ref false in let handleChild nm archive status = let path' = Path.child path nm in if Globals.shouldIgnore path' then begin hasIgnoredChildren := !hasIgnoredChildren || (archive <> NoArchive); debugignore (fun()->Util.msg "buildUpdateChildren: ignoring path %s\n" (Path.toString path')); archive end else begin showStatus scanInfo path'; match status with `Ok | `Abs -> if skip && archive <> NoArchive && status <> `Abs then begin begin match archive with ArchiveFile (_, archDig, _, _) -> Xferhint.insertEntry fspath path' archDig | _ -> () end; archive end else begin let (arch,uiChild) = buildUpdateRec archive fspath path' scanInfo in if uiChild <> NoUpdates then updates := (nm, uiChild) :: !updates; match arch with None -> archive | Some arch -> archUpdated := true; arch end | `Dup -> let uiChild = Error ("Two or more files on a case-sensitive system have names \ identical except for case. They cannot be synchronized to a \ case-insensitive file system. (File '" ^ Path.toString path' ^ "')") in updates := (nm, uiChild) :: !updates; archive | `BadEnc -> let uiChild = Error ("The file name is not encoded in Unicode. (File '" ^ Path.toString path' ^ "')") in updates := (nm, uiChild) :: !updates; archive | `BadName -> let uiChild = Error ("The name of this Unix file is not allowed under Windows. \ (File '" ^ Path.toString path' ^ "')") in updates := (nm, uiChild) :: !updates; archive end in let rec matchChild nm archive = match !curChildren with [] -> (nm, handleChild nm archive `Abs) | (nm', st) :: rem -> let c = Name.compare nm nm' in if c < 0 then (nm, handleChild nm archive `Abs) else begin curChildren := rem; if c = 0 then begin if nm <> nm' then archUpdated := true; (nm', handleChild nm' archive st) end else begin let arch = handleChild nm' NoArchive st in assert (arch = NoArchive); matchChild nm archive end end in let newChi = NameMap.mapii matchChild archChi in Safelist.iter (fun (nm, st) -> let arch = handleChild nm NoArchive st in assert (arch = NoArchive)) !curChildren; (* The Recon module relies on the updates to be sorted *) ((if !archUpdated then Some newChi else None), Safelist.rev !updates, emptied, !hasIgnoredChildren) and buildUpdateRec archive currfspath path scanInfo = try debug (fun() -> Util.msg "buildUpdate: %s\n" (Fspath.toDebugString (Fspath.concat currfspath path))); let info = Fileinfo.get true currfspath path in match (info.Fileinfo.typ, archive) with (`ABSENT, NoArchive) -> debug (fun() -> Util.msg " buildUpdate -> Absent and no archive\n"); None, NoUpdates | (`ABSENT, _) -> debug (fun() -> Util.msg " buildUpdate -> Deleted\n"); None, Updates (Absent, oldInfoOf archive) (* --- *) | (`FILE, ArchiveFile (archDesc, archDig, archStamp, archRess)) -> checkContentsChange currfspath path info archive archDesc archDig archStamp archRess scanInfo | (`FILE, _) -> debug (fun() -> Util.msg " buildUpdate -> Updated file\n"); None, begin showStatusAddLength scanInfo info; let (desc, dig, stamp, ress) = Fpcache.fingerprint scanInfo.fastCheck currfspath path info None in Xferhint.insertEntry currfspath path dig; Updates (File (desc, ContentsUpdated (dig, stamp, ress)), oldInfoOf archive) end (* --- *) | (`SYMLINK, ArchiveSymlink prevl) -> let l = Os.readLink currfspath path in debug (fun() -> if l = prevl then Util.msg " buildUpdate -> Symlink %s (unchanged)\n" l else Util.msg " buildUpdate -> Symlink %s (previously: %s)\n" l prevl); (None, if l = prevl then NoUpdates else Updates (Symlink l, oldInfoOf archive)) | (`SYMLINK, _) -> let l = Os.readLink currfspath path in debug (fun() -> Util.msg " buildUpdate -> New symlink %s\n" l); None, Updates (Symlink l, oldInfoOf archive) (* --- *) | (`DIRECTORY, ArchiveDir (archDesc, prevChildren)) -> debugverbose (fun() -> Util.msg " buildUpdate -> Directory\n"); let (permchange, desc) = if isPropUnchanged info.Fileinfo.desc archDesc then (PropsSame, archDesc) else (PropsUpdated, info.Fileinfo.desc) in let unchanged = dirContentsClearlyUnchanged info archDesc scanInfo in let (newChildren, childUpdates, emptied, hasIgnoredChildren) = buildUpdateChildren currfspath path prevChildren unchanged scanInfo in let (archDesc, updated) = (* If the archive contain ignored children, we cannot use it to skip reading the directory contents from the filesystem. Actually, we could check for ignored children in the archive, but this has a significant cost. We could mark directories with ignored children, and only perform the checks for them, but that does not seem worthwhile, are directories with ignored children are expected to be rare in the archive. (These are files or directories which used not to be ignored and are now ignored.) *) if hasIgnoredChildren then (archDesc, true) else directoryCheckContentUnchanged currfspath path info archDesc childUpdates scanInfo in (begin match newChildren with Some ch -> Some (ArchiveDir (archDesc, ch)) | None -> if updated then Some (ArchiveDir (archDesc, prevChildren)) else None end, if childUpdates <> [] || permchange = PropsUpdated then Updates (Dir (desc, childUpdates, permchange, emptied), oldInfoOf archive) else NoUpdates) | (`DIRECTORY, _) -> debug (fun() -> Util.msg " buildUpdate -> New directory\n"); let (newChildren, childUpdates, _, _) = buildUpdateChildren currfspath path NameMap.empty false scanInfo in (None, Updates (Dir (info.Fileinfo.desc, childUpdates, PropsUpdated, false), oldInfoOf archive)) with Util.Transient(s) -> None, Error(s) (* Compute the updates for [path] against archive. Also returns an archive, which is the old archive with time stamps updated appropriately (i.e., for those files whose contents remain unchanged). The filenames are also updated to match the filesystem contents. The directory permissions along the path are also collected, in case we need to build the directory hierarchy on one side. *) let rec buildUpdate archive fspath fullpath here path dirStamp scanInfo = match Path.deconstruct path with None -> showStatus scanInfo here; let (arch, ui) = buildUpdateRec archive fspath here scanInfo in (begin match arch with None -> archive | Some arch -> arch end, ui, here, []) | Some(name, path') -> let info = Fileinfo.get true fspath here in if info.Fileinfo.typ <> `DIRECTORY && info.Fileinfo.typ <> `ABSENT then let error = if Path.isEmpty here then Printf.sprintf "path %s is not valid because the root of one of the replicas \ is not a directory" (Path.toString fullpath) else Printf.sprintf "path %s is not valid because %s is not a directory in one of \ the replicas" (Path.toString fullpath) (Path.toString here) in (archive, Error error, translatePathLocal fspath fullpath, []) else let (name', status) = if info.Fileinfo.typ = `ABSENT then (name, checkFilename name) else let children = getChildren fspath here in try Safelist.find (fun (name', _) -> Name.eq name name') children with Not_found -> (name, checkFilename name) in match status with | `BadEnc -> let error = Format.sprintf "The filename %s in path %s is not encoded in Unicode" (Name.toString name) (Path.toString fullpath) in (archive, Error error, translatePathLocal fspath fullpath, []) | `BadName -> let error = Format.sprintf "The filename %s in path %s is not allowed under Windows" (Name.toString name) (Path.toString fullpath) in (archive, Error error, translatePathLocal fspath fullpath, []) | `Dup -> let error = Format.sprintf "The path %s is ambiguous at filename %s (i.e., the name \ of this path is the same, modulo capitalization, as \ another path in a case-sensitive filesystem, and you are \ synchronizing this filesystem with a case-insensitive \ filesystem." (Path.toString fullpath) (Name.toString name) in (archive, Error error, translatePathLocal fspath fullpath, []) | `Ok -> match archive with ArchiveDir (desc, children) -> let archChild = try NameMap.find name children with Not_found -> NoArchive in let otherChildren = NameMap.remove name children in let (arch, updates, localPath, props) = buildUpdate archChild fspath fullpath (Path.child here name') path' dirStamp scanInfo in let children = if arch = NoArchive then otherChildren else NameMap.add name' arch otherChildren in (ArchiveDir (desc, children), updates, localPath, if info.Fileinfo.typ = `ABSENT then [] else info.Fileinfo.desc :: props) | _ -> let (arch, updates, localPath, props) = buildUpdate NoArchive fspath fullpath (Path.child here name') path' dirStamp scanInfo in assert (arch = NoArchive); (archive, updates, localPath, if info.Fileinfo.typ = `ABSENT then [] else info.Fileinfo.desc :: props) (* All the predicates that may change the set of files scanned during update detection *) let updatePredicates = [("immutable", immutable); ("immutablenot", immutablenot); ("ignore", Globals.ignorePred); ("ignorenot", Globals.ignorenotPred); ("follow", Path.followPred)] let predKey : (string * string list) list Proplist.key = Proplist.register "update predicates" let rsrcKey : bool Proplist.key = Proplist.register "rsrc pref" let checkNoUpdatePredicateChange thisRoot = let props = getArchiveProps thisRoot in let oldPreds = try Proplist.find predKey props with Not_found -> [] in let newPreds = List.map (fun (nm, p) -> (nm, Pred.extern p)) updatePredicates in (* List.iter (fun (nm, l) -> Format.eprintf "%s@." nm; List.iter (fun s -> Format.eprintf " %s@." s) l) newPreds; Format.eprintf "==> %b@." (oldPreds = newPreds); *) let oldRsrc = try Some (Proplist.find rsrcKey props) with Not_found -> None in let newRsrc = Prefs.read Osx.rsrc in try if oldPreds <> newPreds || oldRsrc <> Some newRsrc then raise Not_found; Proplist.find dirStampKey props with Not_found -> let stamp = Props.freshDirStamp () in setArchivePropsLocal thisRoot (Proplist.add dirStampKey stamp (Proplist.add predKey newPreds (Proplist.add rsrcKey newRsrc props))); stamp (* for the given path, find the archive and compute the list of update items; as a side effect, update the local archive w.r.t. time-stamps for unchanged files *) let findLocal fspath pathList: (Path.local * Common.updateItem * Props.t list) list = debug (fun() -> Util.msg "findLocal %s\n" (Fspath.toDebugString fspath)); addHashToTempNames fspath; (* Maybe we should remember the device number where the root lives at the beginning of update detection, so that we can check, below, that the device has not changed. This check allows us to abort in case the root is on a removable device and this device gets removed during update detection, causing all the files to appear to have been deleted. --BCP 2006 *) let (arcName,thisRoot) = archiveName fspath MainArch in let archive = getArchive thisRoot in let dirStamp = checkNoUpdatePredicateChange thisRoot in (* let t1 = Unix.gettimeofday () in *) let scanInfo = { fastCheck = useFastChecking (); (* Directory optimization is disabled under Windows, as Windows does not update directory modification times on FAT filesystems. *) dirFastCheck = useFastChecking () && Util.osType = `Unix; dirStamp = dirStamp; showStatus = not !Trace.runningasserver } in let (cacheFilename, _) = archiveName fspath FPCache in let cacheFile = Os.fileInUnisonDir cacheFilename in Fpcache.init scanInfo.fastCheck cacheFile; let (archive, updates) = Safelist.fold_right (fun path (arch, upd) -> if Globals.shouldIgnore path then (arch, (translatePathLocal fspath path, NoUpdates, []) :: upd) else let (arch', ui, localPath, props) = buildUpdate arch fspath path Path.empty path dirStamp scanInfo in arch', (localPath, ui, props) :: upd) pathList (archive, []) in Fpcache.finish (); (* let t2 = Unix.gettimeofday () in Format.eprintf "Update detection: %f@." (t2 -. t1); *) setArchiveLocal thisRoot archive; abortIfAnyMountpointsAreMissing fspath; updates let findOnRoot = Remote.registerRootCmd "find" (fun (fspath, pathList) -> Lwt.return (findLocal fspath pathList)) let findUpdatesOnPaths pathList = Lwt_unix.run (loadArchives true >>= (fun (ok, checksums) -> begin if ok then Lwt.return checksums else begin lockArchives () >>= (fun () -> Remote.Thread.unwindProtect (fun () -> doArchiveCrashRecovery () >>= (fun () -> loadArchives false)) (fun _ -> unlockArchives ()) >>= (fun (_, checksums) -> unlockArchives () >>= fun () -> Lwt.return checksums)) end end >>= (fun checksums -> checkArchiveCaseSensitivity checksums >>= fun () -> begin if Prefs.read dumpArchives then Globals.allRootsIter (fun r -> dumpArchiveOnRoot r ()) else Lwt.return () end >>= fun () -> let t = Trace.startTimer "Collecting changes" in Globals.allRootsMapWithWaitingAction (fun r -> debug (fun() -> Util.msg "findOnRoot %s\n" (root2string r)); findOnRoot r pathList) (fun (host, _) -> begin match host with Remote _ -> Uutil.showUpdateStatus ""; Trace.statusDetail "Waiting for changes from server" | _ -> () end) >>= (fun updates -> Trace.showTimer t; let result = Safelist.map (fun r -> match r with [i1; i2] -> (i1, i2) | _ -> assert false) (Safelist.transpose updates) in Trace.status ""; Lwt.return result)))) let findUpdates () = (* TODO: We should filter the paths to remove duplicates (including prefixes) and ignored paths *) findUpdatesOnPaths (Prefs.read Globals.paths) (*****************************************************************************) (* Committing updates to disk *) (*****************************************************************************) (* To prepare for committing, write to Scratch Archive *) let prepareCommitLocal (fspath, magic) = let (newName, root) = archiveName fspath ScratchArch in let archive = getArchive root in (** :ZheDebug: Format.set_formatter_out_channel stdout; Format.printf "prepareCommitLocal: %s\n" (thisRootsGlobalName fspath); showArchive archive; Format.print_flush(); **) let archiveHash = checkArchive true [] archive 0 in let props = getArchiveProps root in storeArchiveLocal (Os.fileInUnisonDir newName) root archive archiveHash magic props; Lwt.return (Some archiveHash) let prepareCommitOnRoot = Remote.registerRootCmd "prepareCommit" prepareCommitLocal (* To really commit, first prepare (write to scratch arch.), then make sure the checksum on all archives are equal, finally flip scratch to main. In the event of checksum mismatch, dump archives on all roots and fail *) let commitUpdates () = Lwt_unix.run (debug (fun() -> Util.msg "Updating archives\n"); lockArchives () >>= (fun () -> Remote.Thread.unwindProtect (fun () -> let magic = Format.sprintf "%s\000%.f.%d" ((Case.ops ())#modeDesc) (Unix.gettimeofday ()) (Unix.getpid ()) in Globals.allRootsMap (fun r -> prepareCommitOnRoot r magic) >>= (fun checksums -> if archivesIdentical checksums then begin (* Move scratch archives to new *) Globals.allRootsIter (fun r -> commitArchiveOnRoot r ()) >>= (fun () -> (* Copy new to main *) Globals.allRootsIter (fun r -> postCommitArchiveOnRoot r ()) >>= (fun () -> (* Clean up *) Globals.allRootsIter (fun r -> removeArchiveOnRoot r NewArch))) end else begin unlockArchives () >>= (fun () -> Util.msg "Dumping archives to ~/unison.dump on both hosts\n"; Globals.allRootsIter (fun r -> dumpArchiveOnRoot r ()) >>= (fun () -> Util.msg "Finished dumping archives\n"; raise (Util.Fatal ( "Internal error: New archives are not identical.\n" ^ "Retaining original archives. " ^ "Please run Unison again to bring them up to date.\n" (* ^ "If you get this message, please \n " ^ " a) notify unison-help@cis.upenn.edu\n" ^ " b) send us the contents of the file unison.dump \n" ^ " from both hosts (or just do a 'diff'\n" ^ " on these files and tell us what the differences\n" ^ " look like)\n" *) )))) end)) (fun _ -> unlockArchives ()) >>= (fun () -> unlockArchives ()))) (*****************************************************************************) (* MARKING UPDATES *) (*****************************************************************************) (* the result of patching [archive] using [ui] *) let rec updateArchiveRec ui archive = match ui with NoUpdates -> archive | Error _ -> NoArchive | Updates (uc, _) -> match uc with Absent -> NoArchive | File (desc, ContentsSame) -> begin match archive with ArchiveFile (_, dig, stamp, ress) -> ArchiveFile (desc, dig, stamp, ress) | _ -> assert false end | File (desc, ContentsUpdated (dig, stamp, ress)) -> ArchiveFile (desc, dig, stamp, ress) | Symlink l -> ArchiveSymlink l | Dir (desc, children, _, _) -> begin match archive with ArchiveDir (_, arcCh) -> let ch = Safelist.fold_right (fun (nm, uiChild) ch -> let ch' = NameMap.remove nm ch in let child = try NameMap.find nm ch with Not_found -> NoArchive in match updateArchiveRec uiChild child with NoArchive -> ch' | arch -> NameMap.add nm arch ch') children arcCh in ArchiveDir (desc, ch) | _ -> ArchiveDir (desc, Safelist.fold_right (fun (nm, uiChild) ch -> match updateArchiveRec uiChild NoArchive with NoArchive -> ch | arch -> NameMap.add nm arch ch) children NameMap.empty) end (* Remove ignored files and properties that are not synchronized *) let rec stripArchive path arch = if Globals.shouldIgnore path then NoArchive else match arch with ArchiveDir (desc, children) -> ArchiveDir (Props.strip desc, NameMap.fold (fun nm ar ch -> match stripArchive (Path.child path nm) ar with NoArchive -> ch | ar' -> NameMap.add nm ar' ch) children NameMap.empty) | ArchiveFile (desc, dig, stamp, ress) -> ArchiveFile (Props.strip desc, dig, stamp, ress) | ArchiveSymlink _ | NoArchive -> arch let updateArchive fspath path ui = debug (fun() -> Util.msg "updateArchive %s %s\n" (Fspath.toDebugString fspath) (Path.toString path)); let root = thisRootsGlobalName fspath in let archive = getArchive root in let (_, subArch) = getPathInArchive archive Path.empty path in updateArchiveRec ui (stripArchive path subArch) (* (For breaking the dependency loop between update.ml and stasher.ml...) *) let stashCurrentVersion = ref (fun _ _ -> ()) let setStasherFun f = stashCurrentVersion := f (* This function is called for files changed only in identical ways. It only updates the archives and perhaps makes backups. *) let markEqualLocal fspath paths = let root = thisRootsGlobalName fspath in let archive = ref (getArchive root) in Tree.iteri paths Path.empty Path.child (fun path uc -> debug (fun() -> Util.msg "markEqualLocal %s %s\n" (Fspath.toDebugString fspath) (Path.toString path)); let arch = updatePathInArchive !archive fspath Path.empty path (fun archive localPath -> !stashCurrentVersion fspath localPath; updateArchiveRec (Updates (uc, New)) archive) in archive := arch); setArchiveLocal root !archive let markEqualOnRoot = Remote.registerRootCmd "markEqual" (fun (fspath, paths) -> markEqualLocal fspath paths; Lwt.return ()) let markEqual equals = debug (fun()-> Util.msg "Marking %d paths equal\n" (Tree.size equals)); if not (Tree.is_empty equals) then begin Lwt_unix.run (Globals.allRootsIter2 markEqualOnRoot [Tree.map (fun (nm1, nm2) -> nm1) (fun (uc1,uc2) -> uc1) equals; Tree.map (fun (nm1, nm2) -> nm2) (fun (uc1,uc2) -> uc2) equals]) end let replaceArchiveLocal fspath path newArch = debug (fun() -> Util.msg "replaceArchiveLocal %s %s\n" (Fspath.toDebugString fspath) (Path.toString path) ); let root = thisRootsGlobalName fspath in let archive = getArchive root in let archive = updatePathInArchive archive fspath Path.empty path (fun _ _ -> newArch) in setArchiveLocal root archive let replaceArchiveOnRoot = Remote.registerRootCmd "replaceArchive" (fun (fspath, (pathTo, arch)) -> replaceArchiveLocal fspath pathTo arch; Lwt.return ()) let replaceArchive root pathTo archive = replaceArchiveOnRoot root (pathTo, archive) (* Update the archive to reflect - the last observed state of the file on disk (ui) - the permission bits that have been propagated from the other replica, if any (permOpt) *) let doUpdateProps arch propOpt ui = let newArch = match ui with Updates (File (desc, ContentsSame), _) -> begin match arch with ArchiveFile (_, dig, stamp, ress) -> ArchiveFile (desc, dig, stamp, ress) | _ -> assert false end | Updates (File (desc, ContentsUpdated (dig, stamp, ress)), _) -> ArchiveFile(desc, dig, stamp, ress) | Updates (Dir (desc, _, _, _), _) -> begin match arch with ArchiveDir (_, children) -> ArchiveDir (desc, children) | _ -> ArchiveDir (desc, NameMap.empty) end | NoUpdates -> arch | Updates _ | Error _ -> assert false in match propOpt with Some desc' -> begin match newArch with ArchiveFile (desc, dig, stamp, ress) -> ArchiveFile (Props.override desc desc', dig, stamp, ress) | ArchiveDir (desc, children) -> ArchiveDir (Props.override desc desc', children) | _ -> assert false end | None -> newArch let updateProps fspath path propOpt ui = debug (fun() -> Util.msg "updateProps %s %s\n" (Fspath.toDebugString fspath) (Path.toString path)); let root = thisRootsGlobalName fspath in let archive = getArchive root in let archive = updatePathInArchive archive fspath Path.empty path (fun arch _ -> doUpdateProps arch propOpt ui) in setArchiveLocal root archive (*************************************************************************) (* Make sure no change has happened *) (*************************************************************************) let fastCheckMiss path desc ress oldDesc oldRess = useFastChecking() && Props.same_time desc oldDesc && Props.length desc = Props.length oldDesc && not (Fpcache.excelFile path) && Osx.ressUnchanged oldRess ress None true let doMarkPossiblyUpdated arch = match arch with ArchiveFile (desc, dig, stamp, ress) -> (* It would be cleaner to have a special stamp for this *) ArchiveFile (desc, dig, Fileinfo.InodeStamp (-1), ress) | _ -> (* Should not happen, actually. But this is hard to test... *) arch let markPossiblyUpdated fspath path = debug (fun() -> Util.msg "markPossiblyUpdated %s %s\n" (Fspath.toDebugString fspath) (Path.toString path)); let root = thisRootsGlobalName fspath in let archive = getArchive root in let archive = updatePathInArchive archive fspath Path.empty path (fun arch _ -> doMarkPossiblyUpdated arch) in setArchiveLocal root archive let rec markPossiblyUpdatedRec fspath path ui = match ui with Updates (File (desc, ContentsUpdated (_, _, ress)), Previous (`FILE, oldDesc, _, oldRess)) -> if fastCheckMiss path desc ress oldDesc oldRess then markPossiblyUpdated fspath path | Updates (Dir (_, uiChildren, _, _), _) -> List.iter (fun (nm, uiChild) -> markPossiblyUpdatedRec fspath (Path.child path nm) uiChild) uiChildren | _ -> () let reportUpdate warnFastCheck explanation = let msg = "Destination updated during synchronization\n" ^ explanation ^ if warnFastCheck then " (if this happens repeatedly on a file that has not been changed, \n\ \ try running once with 'fastcheck' set to false)" else "" in raise (Util.Transient msg) let rec explainUpdate path ui = match ui with NoUpdates -> () | Error err -> raise (Util.Transient ("Could not check destination:\n" ^ err)) | Updates (Absent, _) -> reportUpdate false (Format.sprintf "The file %s has been deleted\n" (Path.toString path)) | Updates (File (_, ContentsSame), _) -> reportUpdate false (Format.sprintf "The properties of file %s have been modified\n" (Path.toString path)) | Updates (File (desc, ContentsUpdated (_, _, ress)), Previous (`FILE, oldDesc, _, oldRess)) -> reportUpdate (fastCheckMiss path desc ress oldDesc oldRess) (Format.sprintf "The contents of file %s has been modified\n" (Path.toString path)) | Updates (File (_, ContentsUpdated _), _) -> reportUpdate false (Format.sprintf "The file %s has been created\n" (Path.toString path)) | Updates (Symlink _, Previous (`SYMLINK, _, _, _)) -> reportUpdate false (Format.sprintf "The symlink %s has been modified\n" (Path.toString path)) | Updates (Symlink _, _) -> reportUpdate false (Format.sprintf "The symlink %s has been created\n" (Path.toString path)) | Updates (Dir (_, _, PropsUpdated, _), Previous (`DIRECTORY, _, _, _)) -> reportUpdate false (Format.sprintf "The properties of directory %s have been modified\n" (Path.toString path)) | Updates (Dir (_, _, PropsUpdated, _), _) -> reportUpdate false (Format.sprintf "The directory %s has been created\n" (Path.toString path)) | Updates (Dir (_, uiChildren, PropsSame, _), _) -> List.iter (fun (nm, uiChild) -> explainUpdate (Path.child path nm) uiChild) uiChildren let checkNoUpdates fspath pathInArchive ui = debug (fun() -> Util.msg "checkNoUpdates %s %s\n" (Fspath.toDebugString fspath) (Path.toString pathInArchive)); let archive = getArchive (thisRootsGlobalName fspath) in let (localPath, archive) = getPathInArchive archive Path.empty pathInArchive in (* Update the original archive to reflect what we believe is the current state of the replica... *) let archive = updateArchiveRec ui archive in (* ...and check that this is a good description of what's out in the world *) let scanInfo = { fastCheck = false; dirFastCheck = false; dirStamp = Props.changedDirStamp; showStatus = false } in let (_, uiNew) = buildUpdateRec archive fspath localPath scanInfo in markPossiblyUpdatedRec fspath pathInArchive uiNew; explainUpdate pathInArchive uiNew; archive (*****************************************************************************) (* UPDATE SIZE *) (*****************************************************************************) let sizeZero = (0, Uutil.Filesize.zero) let sizeOne = (1, Uutil.Filesize.zero) let sizeAdd (items, bytes) (items', bytes') = (items + items', Uutil.Filesize.add bytes bytes') let fileSize desc ress = (1, Uutil.Filesize.add (Props.length desc) (Osx.ressLength ress)) let rec archiveSize arch = match arch with NoArchive -> sizeZero | ArchiveDir (_, arcCh) -> NameMap.fold (fun _ ar size -> sizeAdd size (archiveSize ar)) arcCh sizeOne | ArchiveFile (desc, _, _, ress) -> fileSize desc ress | ArchiveSymlink _ -> sizeOne let rec updateSizeRec archive ui = match ui with NoUpdates -> archiveSize archive | Error _ -> sizeZero | Updates (uc, _) -> match uc with Absent -> sizeZero | File (desc, ContentsSame) -> begin match archive with ArchiveFile (_, _, _, ress) -> fileSize desc ress | _ -> assert false end | File (desc, ContentsUpdated (_, _, ress)) -> fileSize desc ress | Symlink l -> sizeOne | Dir (_, children, _, _) -> match archive with ArchiveDir (_, arcCh) -> let ch = NameMap.map (fun ch -> (ch, NoUpdates)) arcCh in let ch = List.fold_left (fun ch (nm, uiChild) -> let arcChild = try fst (NameMap.find nm ch) with Not_found -> NoArchive in NameMap.add nm (arcChild, uiChild) ch) ch children in NameMap.fold (fun _ (ar, ui) size -> sizeAdd size (updateSizeRec ar ui)) ch sizeOne | _ -> List.fold_left (fun size (_, uiChild) -> sizeAdd size (updateSizeRec NoArchive uiChild)) sizeOne children let updateSize path ui = let rootLocal = Globals.localRoot () in let fspathLocal = snd rootLocal in let root = thisRootsGlobalName fspathLocal in let archive = getArchive root in let (_, subArch) = getPathInArchive archive Path.empty path in updateSizeRec subArch ui (*****************************************************************************) (* MISC *) (*****************************************************************************) let rec iterFiles fspath path arch f = match arch with ArchiveDir (_, children) -> NameMap.iter (fun nm arch -> iterFiles fspath (Path.child path nm) arch f) children | ArchiveFile (desc, fp, stamp, ress) -> f fspath path fp | _ -> () (* Hook for filesystem auto-detection (not implemented yet) *) let inspectFilesystem = Remote.registerRootCmd "inspectFilesystem" (fun _ -> Lwt.return Proplist.empty) unison-2.40.102/os.ml0000644006131600613160000003147311361646373014372 0ustar bcpiercebcpierce(* Unison file synchronizer: src/os.ml *) (* Copyright 1999-2009, Benjamin C. Pierce This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . *) (* This file attempts to isolate operating system specific details from the *) (* rest of the program. *) let debug = Util.debug "os" let myCanonicalHostName = try System.getenv "UNISONLOCALHOSTNAME" with Not_found -> Unix.gethostname() let tempFilePrefix = ".unison." let tempFileSuffixFixed = ".unison.tmp" let tempFileSuffix = ref tempFileSuffixFixed let includeInTempNames s = (* BCP: Added this in Jan 08. If (as I believe) it never fails, then this tricky stuff can be deleted. *) assert (s<>""); tempFileSuffix := if s = "" then tempFileSuffixFixed else "." ^ s ^ tempFileSuffixFixed (*****************************************************************************) (* QUERYING THE FILESYSTEM *) (*****************************************************************************) let exists fspath path = (Fileinfo.get false fspath path).Fileinfo.typ <> `ABSENT let readLink fspath path = Util.convertUnixErrorsToTransient "reading symbolic link" (fun () -> let abspath = Fspath.concat fspath path in Fs.readlink abspath) let rec isAppleDoubleFile file = Prefs.read Osx.rsrc && String.length file > 2 && file.[0] = '.' && file.[1] = '_' (* Assumes that (fspath, path) is a directory, and returns the list of *) (* children, except for '.' and '..'. *) let allChildrenOf fspath path = Util.convertUnixErrorsToTransient "scanning directory" (fun () -> let rec loop children directory = let newFile = try directory.Fs.readdir () with End_of_file -> "" in if newFile = "" then children else let newChildren = if newFile = "." || newFile = ".." then children else Name.fromString newFile :: children in loop newChildren directory in let absolutePath = Fspath.concat fspath path in let directory = try Some (Fs.opendir absolutePath) with Unix.Unix_error (Unix.ENOENT, _, _) -> (* FIX (in Ocaml): under Windows, when a directory is empty (not even "." and ".."), FindFirstFile fails with ERROR_FILE_NOT_FOUND while ocaml expects the error ERROR_NO_MORE_FILES *) None in match directory with Some directory -> begin try let result = loop [] directory in directory.Fs.closedir (); result with Unix.Unix_error _ as e -> begin try directory.Fs.closedir () with Unix.Unix_error _ -> () end; raise e end | None -> []) (* Assumes that (fspath, path) is a directory, and returns the list of *) (* children, except for temporary files and AppleDouble files. *) let rec childrenOf fspath path = List.filter (fun filename -> let file = Name.toString filename in if isAppleDoubleFile file then false (* does it belong to here ? *) (* else if Util.endswith file backupFileSuffix then begin *) (* let newPath = Path.child path filename in *) (* removeBackupIfUnwanted fspath newPath; *) (* false *) (* end *) else if Util.endswith file tempFileSuffixFixed && Util.startswith file tempFilePrefix then begin if Util.endswith file !tempFileSuffix then begin let p = Path.child path filename in let i = Fileinfo.get false fspath p in let secondsinthirtydays = 2592000.0 in if Props.time i.Fileinfo.desc +. secondsinthirtydays < Util.time() then begin debug (fun()-> Util.msg "deleting old temp file %s\n" (Fspath.toDebugString (Fspath.concat fspath p))); delete fspath p end else debug (fun()-> Util.msg "keeping temp file %s since it is less than 30 days old\n" (Fspath.toDebugString (Fspath.concat fspath p))); end; false end else true) (allChildrenOf fspath path) (*****************************************************************************) (* ACTIONS ON FILESYSTEM *) (*****************************************************************************) (* Deletes a file or a directory, but checks before if there is something *) and delete fspath path = Util.convertUnixErrorsToTransient "deleting" (fun () -> let absolutePath = Fspath.concat fspath path in match (Fileinfo.get false fspath path).Fileinfo.typ with `DIRECTORY -> begin try Fs.chmod absolutePath 0o700 with Unix.Unix_error _ -> () end; Safelist.iter (fun child -> delete fspath (Path.child path child)) (allChildrenOf fspath path); Fs.rmdir absolutePath | `FILE -> if Util.osType <> `Unix then begin try Fs.chmod absolutePath 0o600; with Unix.Unix_error _ -> () end; Fs.unlink absolutePath; if Prefs.read Osx.rsrc then begin let pathDouble = Fspath.appleDouble absolutePath in if Fs.file_exists pathDouble then Fs.unlink pathDouble end | `SYMLINK -> (* Note that chmod would not do the right thing on links *) Fs.unlink absolutePath | `ABSENT -> ()) let rename fname sourcefspath sourcepath targetfspath targetpath = let source = Fspath.concat sourcefspath sourcepath in let source' = Fspath.toPrintString source in let target = Fspath.concat targetfspath targetpath in let target' = Fspath.toPrintString target in if source = target then raise (Util.Transient ("Rename ("^fname^"): identical source and target " ^ source')); Util.convertUnixErrorsToTransient ("renaming " ^ source' ^ " to " ^ target') (fun () -> debug (fun() -> Util.msg "rename %s to %s\n" source' target'); Fs.rename source target; if Prefs.read Osx.rsrc then begin let sourceDouble = Fspath.appleDouble source in let targetDouble = Fspath.appleDouble target in if Fs.file_exists sourceDouble then Fs.rename sourceDouble targetDouble else if Fs.file_exists targetDouble then Fs.unlink targetDouble end) let symlink = if Util.isCygwin || (Util.osType != `Win32) then fun fspath path l -> Util.convertUnixErrorsToTransient "writing symbolic link" (fun () -> let abspath = Fspath.concat fspath path in Fs.symlink l abspath) else fun fspath path l -> raise (Util.Transient (Format.sprintf "Cannot create symlink \"%s\": \ symlinks are not supported under Windows" (Fspath.toPrintString (Fspath.concat fspath path)))) (* Create a new directory, using the permissions from the given props *) let createDir fspath path props = Util.convertUnixErrorsToTransient "creating directory" (fun () -> let absolutePath = Fspath.concat fspath path in Fs.mkdir absolutePath (Props.perms props)) (*****************************************************************************) (* FINGERPRINTS *) (*****************************************************************************) type fullfingerprint = Fingerprint.t * Fingerprint.t let fingerprint fspath path info = (Fingerprint.file fspath path, Osx.ressFingerprint fspath path info.Fileinfo.osX) (* FIX: not completely safe under Unix *) (* (with networked file system such as NFS) *) let safeFingerprint fspath path info optDig = let rec retryLoop count info optDig optRessDig = if count = 0 then raise (Util.Transient (Printf.sprintf "Failed to fingerprint file \"%s\": \ the file keeps on changing" (Fspath.toPrintString (Fspath.concat fspath path)))) else let dig = match optDig with None -> Fingerprint.file fspath path | Some dig -> dig in let ressDig = match optRessDig with None -> Osx.ressFingerprint fspath path info.Fileinfo.osX | Some ress -> ress in let (info', dataUnchanged, ressUnchanged) = Fileinfo.unchanged fspath path info in if dataUnchanged && ressUnchanged then (info', (dig, ressDig)) else retryLoop (count - 1) info' (if dataUnchanged then Some dig else None) (if ressUnchanged then Some ressDig else None) in retryLoop 10 info (* Maximum retries: 10 times *) (match optDig with None -> None | Some (d, _) -> Some d) None let fullfingerprint_to_string (fp,rfp) = Printf.sprintf "(%s,%s)" (Fingerprint.toString fp) (Fingerprint.toString rfp) let reasonForFingerprintMismatch (digdata,digress) (digdata',digress') = if digdata = digdata' then "resource fork" else if digress = digress' then "file contents" else "both file contents and resource fork" let fullfingerprint_dummy = (Fingerprint.dummy,Fingerprint.dummy) let fullfingerprintHash (fp, rfp) = Fingerprint.hash fp + 31 * Fingerprint.hash rfp let fullfingerprintEqual (fp, rfp) (fp', rfp') = Fingerprint.equal fp fp' && Fingerprint.equal rfp rfp' (*****************************************************************************) (* UNISON DIRECTORY *) (*****************************************************************************) (* Gives the fspath of the archive directory on the machine, depending on *) (* which OS we use *) let unisonDir = try System.fspathFromString (System.getenv "UNISON") with Not_found -> let genericName = Util.fileInHomeDir (Printf.sprintf ".%s" Uutil.myName) in if Osx.isMacOSX && not (System.file_exists genericName) then Util.fileInHomeDir "Library/Application Support/Unison" else genericName (* build a fspath representing an archive child path whose name is given *) let fileInUnisonDir str = System.fspathConcat unisonDir str (* Make sure archive directory exists *) let createUnisonDir() = try ignore (System.stat unisonDir) with Unix.Unix_error(_) -> Util.convertUnixErrorsToFatal (Printf.sprintf "creating unison directory %s" (System.fspathToPrintString unisonDir)) (fun () -> ignore (System.mkdir unisonDir 0o700)) (*****************************************************************************) (* TEMPORARY FILES *) (*****************************************************************************) (* Truncate a filename to at most [l] bytes, making sure of not truncating an UTF-8 character. Assumption: [String.length s > l] *) let rec truncate_filename s l = if l > 0 && Char.code s.[l] land 0xC0 = 0x80 then truncate_filename s (l - 1) else String.sub s 0 l (* Generates an unused fspath for a temporary file. *) let genTempPath fresh fspath path prefix suffix = let rec f i = let s = if i=0 then suffix else Printf.sprintf "..%03d.%s" i suffix in let tempPath = match Path.deconstructRev path with None -> assert false | Some (name, parentPath) -> let name = Name.toString name in let len = String.length name in let maxlen = 64 in let name = if len <= maxlen then name else (truncate_filename name maxlen ^ Digest.to_hex (Digest.string name)) in Path.child parentPath (Name.fromString (prefix ^ name ^ s)) in if fresh && exists fspath tempPath then f (i + 1) else tempPath in f 0 let tempPath ?(fresh=true) fspath path = genTempPath fresh fspath path tempFilePrefix !tempFileSuffix unison-2.40.102/pixmaps.ml0000644006131600613160000011030111361646373015416 0ustar bcpiercebcpierce(* Unison file synchronizer: src/pixmaps.ml *) (* Copyright 1999-2009, Benjamin C. Pierce This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . *) let copyAB color = [| (* width height num_colors chars_per_pixel *) " 28 14 2 1"; (* colors *) ". c None"; "# c #" ^ color; (* pixels *) "............................"; "............................"; "............................"; "......................#....."; ".....................###...."; "......................####.."; "..##########################"; "..##########################"; "......................####.."; ".....................###...."; "......................#....."; "............................"; "............................"; "............................" |] let copyBA color = [| (* width height num_colors chars_per_pixel *) " 28 14 2 1"; (* colors *) ". c None"; "# c #" ^ color; (* pixels *) "............................"; "............................"; "............................"; ".....#......................"; "....###....................."; "..####......................"; "##########################.."; "##########################.."; "..####......................"; "....###....................."; ".....#......................"; "............................"; "............................"; "............................" |] let mergeLogo color = [| (* width height num_colors chars_per_pixel *) " 28 14 2 1"; (* colors *) ". c None"; "# c #" ^ color; (* pixels *) "............................"; "............................"; ".........##......##........."; ".........###....###........."; ".........####..####........."; ".........##.####.##........."; ".........##..##..##........."; ".........##......##........."; ".........##......##........."; ".........##......##........."; ".........##......##........."; ".........##......##........."; "............................"; "............................" |] let ignore color = [| (* width height num_colors chars_per_pixel *) " 20 14 2 1"; (* colors *) " c None"; "* c #" ^ color; (* pixels *) " "; " ***** "; " ** ** "; " ** ** "; " ** "; " ** "; " ** "; " ** "; " ** "; " "; " "; " ** "; " ** "; " " |] let success = [| (* width height num_colors chars_per_pixel *) " 20 14 2 1"; (* colors *) " c None"; "* c #00dd00"; (* pixels *) " "; " "; " *** "; " ****** "; " ***** * "; " **** "; " *** *** "; " *** ** "; " ****** "; " *** "; " ** "; " ** "; " * "; " " |] let failure = [| (* width height num_colors chars_per_pixel *) " 20 14 2 1"; (* colors *) " c None"; "* c #ff0000"; (* pixels *) " * * "; " *** ** "; " *** *** "; " ** ** "; " ** ** "; " ***** "; " **** "; " *** "; " ***** "; " ** ** "; " ** ** "; " ** *** "; " *** ** "; " *** " |] (***********************************************************************) (* Some alternative arrow shapes (not currently used)... *) (***********************************************************************) let copyAB_asym = [| (* width height num_colors chars_per_pixel *) " 28 14 2 1"; (* colors *) ". c None"; "# c #3cf834"; (* pixels *) "............................"; "............................"; "............................"; ".......................#...."; "......................###..."; ".......................####."; "..##########################"; "..##########################"; ".........................##."; ".......................####."; "......................###..."; "............................"; "............................"; "............................" |] let copyABblack_asym = [| (* width height num_colors chars_per_pixel *) " 28 14 2 1"; (* colors *) ". c None"; "# c #000000"; (* pixels *) "............................"; "............................"; "............................"; ".......................#...."; "......................###..."; ".......................####."; "..##########################"; "..##########################"; ".........................##."; ".......................####."; "......................###..."; "............................"; "............................"; "............................" |] let copyBA_asym = [| (* width height num_colors chars_per_pixel *) " 28 14 2 1"; (* colors *) ". c None"; "# c #3cf834"; (* pixels *) "............................"; "............................"; "............................"; ".....#......................"; "....###....................."; "..####......................"; "##########################.."; "##########################.."; "..##........................"; "..####......................"; "....###....................."; "............................"; "............................"; "............................" |] let copyBAblack_asym = [| (* width height num_colors chars_per_pixel *) " 28 14 2 1"; (* colors *) ". c None"; "# c #000000"; (* pixels *) "............................"; "............................"; "............................"; ".....#......................"; "....###....................."; "..####......................"; "##########################.."; "##########################.."; "..##........................"; "..####......................"; "....###....................."; "............................"; "............................"; "............................" |] (***********************************************************************) (* Busy-Interactive mous pointer *) (***********************************************************************) let left_ptr_watch = "\ \x00\x00\x00\x00\x00\x00\x00\x00\x04\x00\x00\x00\ \x0c\x00\x00\x00\x1c\x00\x00\x00\x3c\x00\x00\x00\ \x7c\x00\x00\x00\xfc\x00\x00\x00\xfc\x01\x00\x00\ \xfc\x3b\x00\x00\x7c\x38\x00\x00\x6c\x54\x00\x00\ \xc4\xdc\x00\x00\xc0\x44\x00\x00\x80\x39\x00\x00\ \x80\x39\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00" (***********************************************************************) (* Unison icon *) (***********************************************************************) let icon_data = "\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\001\019\020\006\134\ \000\000\000\001\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\001\ \019\020\006\134\000\000\000\001\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\00022\016\152\1594\ 12\016\153\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\00022\016\156\ \159412\016\148\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000/0\015w9R\ :00\016x\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\00000\016|;\ R8//\015s\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ *+\014V\145\1470RR\ R\145\1470**\014V\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000+,\014Z\149\1511R\ RR\141\143.()\013Q\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\030\031\n6\ rt%RRR\ RRsu&\030\030\n6\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \"#\011:vx'RR\ RRRop$\ \029\029\t2\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\015\015\005\030XZ\029\ RRRR\ RRRYZ\029\ \015\015\005\030\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\014\014\004 \ \\]\030RRR\ RRRQ\ VW\028\008\008\003\027\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\014FG\023P\ RRRR\ RRRP\ GH\023\000\000\000\014\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\015IJ\024\ PRRR\ RRRR\ NEF\022\000\000\000\012\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\005;<\019LR\ RRRR\ RRRR\ L;<\019\000\000\000\005\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\006<=\019L\ QQQP\ PPPP\ PI99\018\000\000\000\004\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ 45\017GRR\ RRRR\ RRRR\ RG45\017\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\00155\017FP\ POOO\ OOON\ NNB42\016\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\020\020\006\133\ IJ\024~\128)~\128)A\ RRQQ\ QQQ<\ ~~(}}(II\023\020\020\006\134\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \020\020\006\138KI\023}{'}z'\ ?NMM\ MMMM\ 6}x&}x&FC\021\ \020\019\006\129\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\014\ \000\000\000\015\000\000\000\015\000\000\000\028}}(\ PPOO\ OOOdb \ \000\000\000\015\000\000\000\015\000\000\000\015\000\000\000\014\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\014\000\000\000\015\000\000\000\015\000\000\000 \ \131}(LKK\ KKKK\ ^Y\028\000\000\000\015\000\000\000\015\000\000\000\015\ \000\000\000\013\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\014}z'\ NNMM\ MMMdb\031\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\019\ \130{'JII\ IIII\ _Y\028\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\014}x'\ MMLL\ LLLd_\031\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\019\ \130x&IHH\ HHHH\ _W\027\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\014|v&\ KKJJ\ JJJd]\030\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\019\ \130v%GFF\ FFFF\ _U\027\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\014|t%\ IIHH\ HHHd\\\029\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\019\ \130s$EDD\ DDDD\ _T\026\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\014|q$\ GGFF\ FFFdZ\028\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\019\ \129q#CBB\ BBBB\ ^R\025\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\014|o#\ FFEE\ EEEdX\028\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\019\ \129o#BAA\ AAAA\ ^P\025\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\014{m\"\ DDCC\ CCCcV\027\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\019\ \129l\"@??\ ????\ ^N\024\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\014{j!\ BBAA\ AAAcU\026\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\019\ \129j!>==\ ====\ ^L\023\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\014{h \ @@??\ ???cR\026\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\019\ \128g\031<;;\ ;;;;\ ^K\022\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\014{f \ ?>>>\ >>=cP\025\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\019\ \128e\030::9\ 9999\ ^I\022\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\014{d\031\ ==<<\ <<\018\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\014yV\025\ 2211\ 111bD\020\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\019\ ~T\024.\159-\159-\ \158-\158-\157-\157-\ \\<\017\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\014yT\024\ 00//\ ///aB\019\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\019\ ~R\023\156,\155+\155+\ \154+\154+\153+\153+\ \\;\016\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\012uO\023\ /...\ .\159.\159-b@\018\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\019\ }O\022\151*\150*\150*\ \149*\149)\148)\147)\ [7\016\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\003jE\020\ \157-\156,\156,\155,\ \155,\154,\154,b?\018\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\027\ \134R\023\144'\143'\142'\ \141&\140&\140&\139%\ W3\014\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000d@\018\ \152+\152+\152*\151*\ \151*\150*\150*d>\017\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000)\ \151V\023\135$\134$\133#\ \132#\131#\130\"\129\"\ U.\012\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000a<\017\ \147)\146)\145(\144(\ \144(\143'\142'd<\016\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\0008\ Y\023} | { \ {\031z\031y\031x\030\ R)\n\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000^7\015\ \138%\137%\136$\135$\ \134$\133#\132#h:\015\ \000\000\000\002\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\016\008\002L\ Z\023s\028s\028r\028\ q\027p\027o\027n\026\ O$\t\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000Z1\013\ \129!\128!\127 ~ \ } |\031{\031\129C\017\ \000\000\000\023\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\"\016\004d\ Y\021j\024j\024i\024\ h\023g\023f\023e\022\ K \007\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000M'\n\ w\030v\030u\029t\029\ s\029r\028q\028\158L\019\ \000\000\0002\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000*\018\004z\ W\020`\021`\021_\021\ ^\020]\020\\\020[\019\ >\024\005\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000;\028\007\ n\026m\026l\025k\025\ j\025i\024h\024a\022\ 3\022\005\158\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000/\018\004\ U\017W\017W\017V\017\ U\016T\016S\016P\015\ /\016\003\153\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000-\020\004\139\ ]\021c\022b\021a\021\ a\021`\020_\020^\020\ ]%\008\000\000\000\014\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\006X\030\005\ O\014N\013M\013L\013\ L\012K\012J\012>\t\ %\012\002l\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\017\007\001N\ F\015Z\019Y\018X\018\ W\018V\017U\017U\017\ N\0159\020\004\000\000\000\016\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\002&\012\002=\n\ E\011D\nD\nC\n\ B\tA\t@\t\155*\005\ \004\001\0005\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\n\ _!\006Q\015P\014O\014\ N\014M\013L\013L\013\ K\012F\011<\019\003\016\005\001X\ \000\000\000\002\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \008\002\000\0261\013\0025\006=\007\ <\007;\006;\006:\006\ 9\0058\0057\005O\019\001\ \000\000\000\001\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ 2\016\002D\nF\011E\n\ E\nD\tC\tB\t\ A\008@\008?\0080\005\ 5\014\0026\014\002.\012\001\157(\n\001w\ \030\007\001^-\011\001\142.\011\001N\019\002\ \139!\0025\0045\0044\003\ 3\0032\0021\0020\002\ 0\001/\001+\001/\t\000\148\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \t\002\000\024X\024\003=\007<\006\ ;\006:\0069\0059\005\ 8\0057\0046\0045\004\ 4\0033\0032\003+\002\ '\002-\002/\001.\001\ -\001,\000+\000+\000\ +\000+\000+\000+\000\ +\000+\000T\016\000\000\000\000\020\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000%\008\001U\153#\0023\003\ 2\0031\0020\002/\001\ /\001.\001-\000+\000\ +\000+\000+\000+\000\ +\000+\000+\000+\000\ +\000+\000+\000+\000\ +\000+\000+\000+\000\ +\000\145\027\000%\007\000U\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\0003\n\000p\128\024\000\ +\000+\000+\000+\000\ +\000+\000+\000+\000\ +\000+\000+\000+\000\ +\000+\000+\000+\000\ +\000+\000+\000+\000\ +\000+\000+\000+\000\ \152\029\0006\n\000y\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\030\006\000J\ j\020\000*\000+\000+\000\ +\000+\000+\000+\000\ +\000+\000+\000+\000\ +\000+\000+\000+\000\ +\000+\000+\000+\000\ +\000+\000+\000x\022\000\ &\007\000_\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\0211\t\000k\020\000(\000\ +\000+\000+\000+\000\ +\000+\000+\000+\000\ +\000+\000+\000+\000\ +\000+\000+\000+\000\ )\000w\022\0007\n\000\017\003\000$\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\n4\n\000\147\ G\013\000_\018\000ݣ\031\000&\000\ +\000+\000+\000+\000\ +\000+\000+\000+\000\ (\000!\000o\021\000O\015\000\ 9\011\000\000\000\000\018\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\002\003\001\000<)\008\000z\ -\t\000\1502\t\000:\011\000B\012\000\ H\014\000@\012\0009\011\000.\t\000\ ,\008\000\136\004\001\000L\000\000\000\007\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\ \000\000\000\000\000\000\000\000\000\000\000\000\000\000\000\000" unison-2.40.102/props.mli0000644006131600613160000000241211361646373015254 0ustar bcpiercebcpierce(* Unison file synchronizer: src/props.mli *) (* Copyright 1999-2009, Benjamin C. Pierce (see COPYING for details) *) (* File properties: time, permission, length, etc. *) type t val dummy : t val hash : t -> int -> int val similar : t -> t -> bool val override : t -> t -> t val strip : t -> t val diff : t -> t -> t val toString : t -> string val syncedPartsToString : t -> string val set : Fspath.t -> Path.local -> [`Set | `Update] -> t -> unit val get : Unix.LargeFile.stats -> Osx.info -> t val check : Fspath.t -> Path.local -> Unix.LargeFile.stats -> t -> unit val init : bool -> unit val same_time : t -> t -> bool val length : t -> Uutil.Filesize.t val setLength : t -> Uutil.Filesize.t -> t val time : t -> float val setTime : t -> float -> t val perms : t -> int val fileDefault : t val fileSafe : t val dirDefault : t val syncModtimes : bool Prefs.t val permMask : int Prefs.t val dontChmod : bool Prefs.t (* We are reusing the directory length to store a flag indicating that the directory is unchanged *) type dirChangedStamp val freshDirStamp : unit -> dirChangedStamp val changedDirStamp : dirChangedStamp val setDirChangeFlag : t -> dirChangedStamp -> int -> t * bool val dirMarkedUnchanged : t -> dirChangedStamp -> int -> bool val validatePrefs: unit -> unit unison-2.40.102/winmain.c0000644006131600613160000000033111361646373015212 0ustar bcpiercebcpierce#include #include extern char **__argv; int WINAPI WinMain(HINSTANCE h, HINSTANCE hPrevInstance, LPSTR lpCmdLine, int nCmdShow) { caml_main(__argv); return 0; } unison-2.40.102/bytearray.mli0000644006131600613160000000112311361646373016111 0ustar bcpiercebcpierce(* Unison file synchronizer: src/bytearray.mli *) (* Copyright 1999-2009, Benjamin C. Pierce (see COPYING for details) *) type t = (char, Bigarray.int8_unsigned_elt, Bigarray.c_layout) Bigarray.Array1.t val create : int -> t val length : t -> int val to_string : t -> string val of_string : string -> t val sub : t -> int -> int -> string val blit_from_string : string -> int -> t -> int -> int -> unit val blit_to_string : t -> int -> string -> int -> int -> unit val prefix : t -> t -> int -> bool val marshal : 'a -> Marshal.extern_flags list -> t val unmarshal : t -> int -> 'a unison-2.40.102/uimacbridge.ml0000644006131600613160000004416711361646373016230 0ustar bcpiercebcpierce(* ML side of a bridge to C for the Mac GUI *) open Common;; open Lwt;; let debug = Trace.debug "startup" let unisonNonGuiStartup() = begin (* If there's no GUI, don't print progress in the GUI *) Uutil.setProgressPrinter (fun _ _ _ -> ()); Main.nonGuiStartup() (* If this returns the GUI should be started *) end;; Callback.register "unisonNonGuiStartup" unisonNonGuiStartup;; type stateItem = { mutable ri : reconItem; mutable bytesTransferred : Uutil.Filesize.t; mutable whatHappened : Util.confirmation option; mutable statusMessage : string option };; let theState = ref [| |];; let unisonDirectory() = System.fspathToPrintString Os.unisonDir ;; Callback.register "unisonDirectory" unisonDirectory;; (* Defined in MyController.m, used to redisplay the table when the status for a row changes *) external displayStatus : string -> unit = "displayStatus";; (* Defined in MyController.m, used to redisplay the table when the status for a row changes *) external reloadTable : int -> unit = "reloadTable";; (* from uigtk2 *) let showProgress i bytes dbg = (* Trace.status "showProgress"; *) (* XXX There should be a way to reset the amount of bytes transferred... *) let i = Uutil.File.toLine i in let item = !theState.(i) in item.bytesTransferred <- Uutil.Filesize.add item.bytesTransferred bytes; let b = item.bytesTransferred in let len = Common.riLength item.ri in let newstatus = if b = Uutil.Filesize.zero || len = Uutil.Filesize.zero then "start " else if len = Uutil.Filesize.zero then Printf.sprintf "%5s " (Uutil.Filesize.toString b) else Util.percent2string (Uutil.Filesize.percentageOfTotalSize b len) in item.statusMessage <- Some newstatus; (* FIX: No status window in Mac version, see GTK version for how to do it *) reloadTable i;; let unisonGetVersion() = Uutil.myVersion ;; Callback.register "unisonGetVersion" unisonGetVersion;; (* snippets from Uicommon, duplicated for now *) (* BCP: Duplicating this is a bad idea!!! *) (* First initialization sequence *) (* Returns a string option: command line profile, if any *) let unisonInit0() = ignore (Gc.set {(Gc.get ()) with Gc.max_overhead = 150}); (* Install an appropriate function for finding preference files. (We put this in Util just because the Prefs module lives below the Os module in the dependency hierarchy, so Prefs can't call Os directly.) *) Util.supplyFileInUnisonDirFn (fun n -> Os.fileInUnisonDir(n)); (* Display status in GUI instead of on stderr *) let formatStatus major minor = (Util.padto 30 (major ^ " ")) ^ minor in Trace.messageDisplayer := displayStatus; Trace.statusFormatter := formatStatus; Trace.sendLogMsgsToStderr := false; (* Display progress in GUI *) Uutil.setProgressPrinter showProgress; (* Make sure we have a directory for archives and profiles *) Os.createUnisonDir(); (* Extract any command line profile or roots *) let clprofile = ref None in begin try let args = Prefs.scanCmdLine Uicommon.usageMsg in match Util.StringMap.find "rest" args with [] -> () | [profile] -> clprofile := Some profile | [root2;root1] -> Globals.setRawRoots [root1;root2] | [root2;root1;profile] -> Globals.setRawRoots [root1;root2]; clprofile := Some profile | _ -> (Printf.eprintf "%s was invoked incorrectly (too many roots)" Uutil.myName; exit 1) with Not_found -> () end; (* Print header for debugging output *) debug (fun() -> Printf.eprintf "%s, version %s\n\n" Uutil.myName Uutil.myVersion); debug (fun() -> Util.msg "initializing UI"); debug (fun () -> (match !clprofile with None -> Util.msg "No profile given on command line" | Some s -> Printf.eprintf "Profile '%s' given on command line" s); (match Globals.rawRoots() with [] -> Util.msg "No roots given on command line" | [root1;root2] -> Printf.eprintf "Roots '%s' and '%s' given on command line" root1 root2 | _ -> assert false)); begin match !clprofile with None -> () | Some n -> let f = Prefs.profilePathname n in if not(System.file_exists f) then (Printf.eprintf "Profile %s does not exist" (System.fspathToPrintString f); exit 1) end; !clprofile ;; Callback.register "unisonInit0" unisonInit0;; (* The first time we load preferences, we also read the command line arguments; if we re-load prefs (because the user selected a new profile) we ignore the command line *) let firstTime = ref(true) (* After figuring out the profile name *) let unisonInit1 profileName = (* Load the profile and command-line arguments *) (* Restore prefs to their default values, if necessary *) if not !firstTime then Prefs.resetToDefaults(); (* Tell the preferences module the name of the profile *) Prefs.profileName := Some(profileName); (* If the profile does not exist, create an empty one (this should only happen if the profile is 'default', since otherwise we will already have checked that the named one exists). *) if not(System.file_exists (Prefs.profilePathname profileName)) then Prefs.addComment "Unison preferences file"; (* Load the profile *) (Trace.debug "" (fun() -> Util.msg "about to load prefs"); Prefs.loadTheFile()); (* Parse the command line. This will temporarily override settings from the profile. *) if !firstTime then begin Trace.debug "" (fun() -> Util.msg "about to parse command line"); Prefs.parseCmdLine Uicommon.usageMsg; end; firstTime := false; (* Print the preference settings *) Trace.debug "" (fun() -> Prefs.dumpPrefsToStderr() ); (* FIX: if no roots, ask the user *) Recon.checkThatPreferredRootIsValid(); let localRoots,remoteRoots = Safelist.partition (function Clroot.ConnectLocal _ -> true | _ -> false) (Safelist.map Clroot.parseRoot (Globals.rawRoots())) in match remoteRoots with [r] -> (* FIX: tell the user the next step (contacting server) might take a while *) Remote.openConnectionStart r | _::_::_ -> raise(Util.Fatal "cannot synchronize more than one remote root"); | _ -> None ;; Callback.register "unisonInit1" unisonInit1;; Callback.register "openConnectionPrompt" Remote.openConnectionPrompt;; Callback.register "openConnectionReply" Remote.openConnectionReply;; Callback.register "openConnectionEnd" Remote.openConnectionEnd;; Callback.register "openConnectionCancel" Remote.openConnectionCancel;; let unisonInit2 () = (* Canonize the names of the roots and install them in Globals. *) Globals.installRoots2(); (* If both roots are local, disable the xferhint table to save time *) begin match Globals.roots() with ((Local,_),(Local,_)) -> Prefs.set Xferhint.xferbycopying false | _ -> () end; (* If no paths were specified, then synchronize the whole replicas *) if Prefs.read Globals.paths = [] then Prefs.set Globals.paths [Path.empty]; (* Expand any "wildcard" paths [with final component *] *) Globals.expandWildcardPaths(); Update.storeRootsName (); Trace.debug "" (fun() -> Printf.eprintf "Roots: \n"; Safelist.iter (fun clr -> Printf.eprintf " %s\n" clr) (Globals.rawRoots ()); Printf.eprintf " i.e. \n"; Safelist.iter (fun clr -> Printf.eprintf " %s\n" (Clroot.clroot2string (Clroot.parseRoot clr))) (Globals.rawRoots ()); Printf.eprintf " i.e. (in canonical order)\n"; Safelist.iter (fun r -> Printf.eprintf " %s\n" (root2string r)) (Globals.rootsInCanonicalOrder()); Printf.eprintf "\n" ); Lwt_unix.run (Uicommon.validateAndFixupPrefs () >>= Globals.propagatePrefs); (* Initializes some backups stuff according to the preferences just loaded from the profile. Important to do it here, after prefs are propagated, because the function will also be run on the server, if any. Also, this should be done each time a profile is reloaded on this side, that's why it's here. *) Stasher.initBackups (); (* Turn on GC messages, if the '-debug gc' flag was provided *) if Trace.enabled "gc" then Gc.set {(Gc.get ()) with Gc.verbose = 0x3F}; (* BCPFIX: Should/can this be done earlier?? *) Files.processCommitLogs(); (* from Uigtk2 *) (* detect updates and reconcile *) let _ = Globals.roots () in let t = Trace.startTimer "Checking for updates" in let findUpdates () = Trace.status "Looking for changes"; let updates = Update.findUpdates () in Trace.showTimer t; updates in let reconcile updates = Recon.reconcileAll updates in let (reconItemList, thereAreEqualUpdates, dangerousPaths) = reconcile (findUpdates ()) in if reconItemList = [] then if thereAreEqualUpdates then Trace.status "Replicas have been changed only in identical ways since last sync" else Trace.status "Everything is up to date" else Trace.status "Check and/or adjust selected actions; then press Go"; Trace.status (Printf.sprintf "There are %d reconitems" (Safelist.length reconItemList)); let stateItemList = Safelist.map (fun ri -> { ri = ri; bytesTransferred = Uutil.Filesize.zero; whatHappened = None; statusMessage = None }) reconItemList in theState := Array.of_list stateItemList; if dangerousPaths <> [] then begin Prefs.set Globals.batch false; Util.warn (Uicommon.dangerousPathMsg dangerousPaths) end; !theState ;; Callback.register "unisonInit2" unisonInit2;; let unisonRiToDetails ri = match ri.whatHappened with Some (Util.Failed s) -> (Path.toString ri.ri.path1) ^ "\n" ^ s | _ -> (Path.toString ri.ri.path1) ^ "\n" ^ (Uicommon.details2string ri.ri " ");; Callback.register "unisonRiToDetails" unisonRiToDetails;; let unisonRiToPath ri = Path.toString ri.ri.path1;; Callback.register "unisonRiToPath" unisonRiToPath;; let rcToString rc = match rc.status with `Deleted -> "Deleted" | `Modified -> "Modified" | `PropsChanged -> "PropsChanged" | `Created -> "Created" | `Unchanged -> "";; let unisonRiToLeft ri = match ri.ri.replicas with Problem _ -> "" | Different diff -> rcToString diff.rc1;; Callback.register "unisonRiToLeft" unisonRiToLeft;; let unisonRiToRight ri = match ri.ri.replicas with Problem _ -> "" | Different diff -> rcToString diff.rc2;; Callback.register "unisonRiToRight" unisonRiToRight;; let direction2niceString = function (* from Uicommon where it's not exported *) Conflict -> "<-?->" | Replica1ToReplica2 -> "---->" | Replica2ToReplica1 -> "<----" | Merge -> "<-M->" let unisonRiToDirection ri = match ri.ri.replicas with Problem _ -> "XXXXX" | Different diff -> direction2niceString diff.direction;; Callback.register "unisonRiToDirection" unisonRiToDirection;; let unisonRiSetLeft ri = match ri.ri.replicas with Problem _ -> () | Different diff -> diff.direction <- Replica2ToReplica1;; Callback.register "unisonRiSetLeft" unisonRiSetLeft;; let unisonRiSetRight ri = match ri.ri.replicas with Problem _ -> () | Different diff -> diff.direction <- Replica1ToReplica2;; Callback.register "unisonRiSetRight" unisonRiSetRight;; let unisonRiSetConflict ri = match ri.ri.replicas with Problem _ -> () | Different diff -> diff.direction <- Conflict;; Callback.register "unisonRiSetConflict" unisonRiSetConflict;; let unisonRiSetMerge ri = match ri.ri.replicas with Problem _ -> () | Different diff -> diff.direction <- Merge;; Callback.register "unisonRiSetMerge" unisonRiSetMerge;; let unisonRiForceOlder ri = Recon.setDirection ri.ri `Older `Force;; Callback.register "unisonRiForceOlder" unisonRiForceOlder;; let unisonRiForceNewer ri = Recon.setDirection ri.ri `Newer `Force;; Callback.register "unisonRiForceNewer" unisonRiForceNewer;; let unisonRiToProgress ri = match (ri.statusMessage, ri.whatHappened,ri.ri.replicas) with (None,None,_) -> "" | (Some s,None,_) -> s | (_,_,Different {direction = Conflict}) -> "" | (_,_,Problem _) -> "" | (_,Some Util.Succeeded,_) -> "done" | (_,Some (Util.Failed s),_) -> "FAILED";; Callback.register "unisonRiToProgress" unisonRiToProgress;; let unisonSynchronize () = if Array.length !theState = 0 then Trace.status "Nothing to synchronize" else begin Trace.status "Propagating changes"; Transport.logStart (); let t = Trace.startTimer "Propagating changes" in let im = Array.length !theState in let rec loop i actions pRiThisRound = if i < im then begin let theSI = !theState.(i) in let action = match theSI.whatHappened with None -> if not (pRiThisRound theSI.ri) then return () else catch (fun () -> Transport.transportItem theSI.ri (Uutil.File.ofLine i) (fun title text -> Trace.status (Printf.sprintf "MERGE %s: %s" title text); true) >>= (fun () -> return Util.Succeeded)) (fun e -> match e with Util.Transient s -> return (Util.Failed s) | _ -> fail e) >>= (fun res -> theSI.whatHappened <- Some res; return ()) | Some _ -> return () (* Already processed this one (e.g. merged it) *) in loop (i + 1) (action :: actions) pRiThisRound end else return actions in Lwt_unix.run (loop 0 [] (fun ri -> not (Common.isDeletion ri)) >>= (fun actions -> Lwt_util.join actions)); Lwt_unix.run (loop 0 [] Common.isDeletion >>= (fun actions -> Lwt_util.join actions)); Transport.logFinish (); Trace.showTimer t; Trace.status "Updating synchronizer state"; let t = Trace.startTimer "Updating synchronizer state" in Update.commitUpdates(); Trace.showTimer t; let failures = let count = Array.fold_left (fun l si -> l + (match si.whatHappened with Some(Util.Failed(_)) -> 1 | _ -> 0)) 0 !theState in if count = 0 then "" else Printf.sprintf "%d failure%s" count (if count=1 then "" else "s") in let skipped = let count = Array.fold_left (fun l si -> l + (if problematic si.ri then 1 else 0)) 0 !theState in if count = 0 then "" else Printf.sprintf "%d skipped" count in Trace.status (Printf.sprintf "Synchronization complete %s%s%s" failures (if failures=""||skipped="" then "" else ", ") skipped); end;; Callback.register "unisonSynchronize" unisonSynchronize;; let unisonIgnorePath si = Uicommon.addIgnorePattern (Uicommon.ignorePath si.ri.path1);; let unisonIgnoreExt si = Uicommon.addIgnorePattern (Uicommon.ignoreExt si.ri.path1);; let unisonIgnoreName si = Uicommon.addIgnorePattern (Uicommon.ignoreName si.ri.path1);; Callback.register "unisonIgnorePath" unisonIgnorePath;; Callback.register "unisonIgnoreExt" unisonIgnoreExt;; Callback.register "unisonIgnoreName" unisonIgnoreName;; (* Update the state to take into account ignore patterns. Return the new index of the first state item that is not ignored starting at old index i. *) let unisonUpdateForIgnore i = let l = ref [] in let num = ref(-1) in let newI = ref None in (* FIX: we should actually test whether any prefix is now ignored *) let keep s = not (Globals.shouldIgnore s.ri.path1) in for j = 0 to (Array.length !theState - 1) do let s = !theState.(j) in if keep s then begin l := s :: !l; num := !num + 1; if (j>=i && !newI=None) then newI := Some !num end done; theState := Array.of_list (Safelist.rev !l); match !newI with None -> (Array.length !theState - 1) | Some i' -> i';; Callback.register "unisonUpdateForIgnore" unisonUpdateForIgnore;; let unisonState () = !theState;; Callback.register "unisonState" unisonState;; (* from Uicommon *) let roots2niceStrings length = function (Local,fspath1), (Local,fspath2) -> let name1, name2 = Fspath.differentSuffix fspath1 fspath2 in (Util.truncateString name1 length, Util.truncateString name2 length) | (Local,fspath1), (Remote host, fspath2) -> (Util.truncateString "local" length, Util.truncateString host length) | (Remote host, fspath1), (Local,fspath2) -> (Util.truncateString host length, Util.truncateString "local" length) | _ -> assert false (* BOGUS? *);; let unisonFirstRootString() = let replica1, replica2 = roots2niceStrings 32 (Globals.roots()) in replica1;; let unisonSecondRootString() = let replica1, replica2 = roots2niceStrings 32 (Globals.roots()) in replica2;; Callback.register "unisonFirstRootString" unisonFirstRootString;; Callback.register "unisonSecondRootString" unisonSecondRootString;; (* Note, this returns whether the files conflict, NOT whether the current setting is Conflict *) let unisonRiIsConflict ri = match ri.ri.replicas with | Different {default_direction = Conflict} -> true | _ -> false;; Callback.register "unisonRiIsConflict" unisonRiIsConflict;; let unisonRiRevert ri = match ri.ri.replicas with | Different diff -> diff.direction <- diff.default_direction | _ -> ();; Callback.register "unisonRiRevert" unisonRiRevert;; let unisonProfileInit (profileName:string) (r1:string) (r2:string) = Prefs.resetToDefaults(); Prefs.profileName := Some(profileName); Prefs.addComment "Unison preferences file"; (* Creates the file, assumes it doesn't exist *) ignore (Prefs.add "root" r1); ignore (Prefs.add "root" r2);; Callback.register "unisonProfileInit" unisonProfileInit;; Callback.register "unisonPasswordMsg" Terminal.password;; Callback.register "unisonAuthenticityMsg" Terminal.authenticity;; let unisonExnInfo e = match e with Util.Fatal s -> Printf.sprintf "Fatal error: %s" s | Invalid_argument s -> Printf.sprintf "Invalid argument: %s" s | Unix.Unix_error(ue,s1,s2) -> Printf.sprintf "Unix error(%s,%s,%s)" (Unix.error_message ue) s1 s2 | _ -> Printexc.to_string e;; Callback.register "unisonExnInfo" unisonExnInfo;; unison-2.40.102/uutil.mli0000644006131600613160000000413112025627377015254 0ustar bcpiercebcpierce(* Unison file synchronizer: src/uutil.mli *) (* Copyright 1999-2009, Benjamin C. Pierce (see COPYING for details) *) (* This module collects a number of low-level, Unison-specific utility functions. It is kept separate from the Util module so that that module can be re-used by other programs. *) (* Identification *) val myMajorVersion : string val myVersion : string val myName : string val myNameAndVersion : string (* Hashing *) val hash2 : int -> int -> int (* Hash function (OCaml 3.x version) *) val hash : 'a -> int module type FILESIZE = sig type t val zero : t val dummy : t val add : t -> t -> t val sub : t -> t -> t val ofFloat : float -> t val toFloat : t -> float val toString : t -> string val ofInt : int -> t val ofInt64 : int64 -> t val toInt : t -> int val toInt64 : t -> int64 val fromStats : Unix.LargeFile.stats -> t val hash : t -> int val percentageOfTotalSize : t -> t -> float end module Filesize : FILESIZE (* The UI may (if it likes) supply a function to be used to show progress of *) (* file transfers. *) module File : sig type t val ofLine : int -> t val toLine : t -> int val toString : t -> string val dummy : t end val setProgressPrinter : (File.t -> Filesize.t -> string -> unit) -> unit val showProgress : File.t -> Filesize.t -> string -> unit val setUpdateStatusPrinter : (string -> unit) option -> unit val showUpdateStatus : string -> unit (* Utility function to transfer bytes from one file descriptor to another until EOF *) val readWrite : in_channel (* source *) -> out_channel (* target *) -> (int -> unit) (* progress notification *) -> unit (* Utility function to transfer a given number of bytes from one file descriptor to another *) val readWriteBounded : in_channel (* source *) -> out_channel (* target *) -> Filesize.t -> (int -> unit) (* progress notification *) -> unit (* Escape shell parameters *) val quotes : string -> string unison-2.40.102/fs.ml0000644006131600613160000000431311361646373014352 0ustar bcpiercebcpierce(* Unison file synchronizer: src/fs.ml *) (* Copyright 1999-2009, Benjamin C. Pierce This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . *) module System = System_impl.Fs type fspath = Fspath.t type dir_handle = System.dir_handle = { readdir : unit -> string; closedir : unit -> unit } let symlink l f = System.symlink l (Fspath.toString f) let readlink f = System.readlink (Fspath.toString f) let chown f usr grp = System.chown (Fspath.toString f) usr grp let chmod f mode = System.chmod (Fspath.toString f) mode let utimes f t1 t2 = System.utimes (Fspath.toString f) t1 t2 let unlink f = System.unlink (Fspath.toString f) let rmdir f = System.rmdir (Fspath.toString f) let mkdir f mode = System.mkdir (Fspath.toString f) mode let rename f f' = System.rename (Fspath.toString f) (Fspath.toString f') let stat f = System.stat (Fspath.toString f) let lstat f = System.lstat (Fspath.toString f) let openfile f flags perms = System.openfile (Fspath.toString f) flags perms let opendir f = System.opendir (Fspath.toString f) let open_in_gen flags mode f = System.open_in_gen flags mode (Fspath.toString f) let open_out_gen flags mode f = System.open_out_gen flags mode (Fspath.toString f) (****) let open_in_bin f = open_in_gen [Open_rdonly; Open_binary] 0 f let file_exists f = try ignore (stat f); true with Unix.Unix_error ((Unix.ENOENT | Unix.ENOTDIR), _, _) -> false (****) let fingerprint f = System.fingerprint (Fspath.toString f) let canSetTime f = System.canSetTime (Fspath.toString f) let hasInodeNumbers () = System.hasInodeNumbers () let setUnicodeEncoding = System.setUnicodeEncoding unison-2.40.102/.depend0000644006131600613160000004601511361646373014655 0ustar bcpiercebcpierceabort.cmi: uutil.cmi bytearray.cmi: case.cmi: ubase/prefs.cmi checksum.cmi: clroot.cmi: common.cmi: uutil.cmi props.cmi path.cmi osx.cmi os.cmi name.cmi fspath.cmi \ fileinfo.cmi copy.cmi: uutil.cmi props.cmi path.cmi osx.cmi os.cmi lwt/lwt.cmi fspath.cmi \ fileinfo.cmi common.cmi external.cmi: lwt/lwt.cmi fileinfo.cmi: system.cmi props.cmi ubase/prefs.cmi path.cmi osx.cmi \ fspath.cmi files.cmi: uutil.cmi system.cmi props.cmi path.cmi lwt/lwt_util.cmi \ lwt/lwt.cmi common.cmi fileutil.cmi: fingerprint.cmi: uutil.cmi path.cmi fspath.cmi fpcache.cmi: system.cmi props.cmi path.cmi osx.cmi os.cmi fspath.cmi \ fileinfo.cmi fs.cmi: system/system_intf.cmo fspath.cmi fspath.cmi: system.cmi path.cmi name.cmi globals.cmi: ubase/prefs.cmi pred.cmi path.cmi lwt/lwt.cmi common.cmi lock.cmi: system.cmi name.cmi: os.cmi: system.cmi props.cmi path.cmi name.cmi fspath.cmi fileinfo.cmi osx.cmi: uutil.cmi ubase/prefs.cmi path.cmi fspath.cmi fingerprint.cmi path.cmi: pred.cmi name.cmi pred.cmi: props.cmi: uutil.cmi ubase/prefs.cmi path.cmi osx.cmi fspath.cmi recon.cmi: props.cmi path.cmi common.cmi remote.cmi: ubase/prefs.cmi lwt/lwt.cmi fspath.cmi common.cmi clroot.cmi \ bytearray.cmi sortri.cmi: common.cmi stasher.cmi: update.cmi ubase/prefs.cmi path.cmi os.cmi fspath.cmi strings.cmi: system.cmi: system/system_intf.cmo terminal.cmi: lwt/lwt_unix.cmi test.cmi: transfer.cmi: uutil.cmi lwt/lwt.cmi bytearray.cmi transport.cmi: uutil.cmi lwt/lwt.cmi common.cmi tree.cmi: ui.cmi: uicommon.cmi: uutil.cmi ubase/prefs.cmi path.cmi lwt/lwt.cmi common.cmi uigtk.cmi: uicommon.cmi uigtk2.cmi: uicommon.cmi uitext.cmi: uicommon.cmi unicode.cmi: update.cmi: uutil.cmi tree.cmi props.cmi path.cmi osx.cmi os.cmi name.cmi \ lwt/lwt.cmi fspath.cmi fileinfo.cmi common.cmi uutil.cmi: xferhint.cmi: ubase/prefs.cmi path.cmi os.cmi fspath.cmi abort.cmo: uutil.cmi ubase/util.cmi ubase/trace.cmi ubase/prefs.cmi abort.cmi abort.cmx: uutil.cmx ubase/util.cmx ubase/trace.cmx ubase/prefs.cmx abort.cmi bytearray.cmo: bytearray.cmi bytearray.cmx: bytearray.cmi case.cmo: ubase/util.cmi unicode.cmi ubase/prefs.cmi case.cmi case.cmx: ubase/util.cmx unicode.cmx ubase/prefs.cmx case.cmi checksum.cmo: checksum.cmi checksum.cmx: checksum.cmi clroot.cmo: ubase/util.cmi ubase/rx.cmi ubase/prefs.cmi clroot.cmi clroot.cmx: ubase/util.cmx ubase/rx.cmx ubase/prefs.cmx clroot.cmi common.cmo: uutil.cmi ubase/util.cmi ubase/safelist.cmi props.cmi path.cmi \ osx.cmi os.cmi name.cmi fspath.cmi fileinfo.cmi common.cmi common.cmx: uutil.cmx ubase/util.cmx ubase/safelist.cmx props.cmx path.cmx \ osx.cmx os.cmx name.cmx fspath.cmx fileinfo.cmx common.cmi copy.cmo: xferhint.cmi uutil.cmi ubase/util.cmi update.cmi transfer.cmi \ ubase/trace.cmi ubase/safelist.cmi remote.cmi props.cmi ubase/prefs.cmi \ path.cmi osx.cmi os.cmi lwt/lwt_util.cmi lwt/lwt.cmi globals.cmi \ fspath.cmi fs.cmi fpcache.cmi fingerprint.cmi fileinfo.cmi external.cmi \ common.cmi clroot.cmi bytearray.cmi abort.cmi copy.cmi copy.cmx: xferhint.cmx uutil.cmx ubase/util.cmx update.cmx transfer.cmx \ ubase/trace.cmx ubase/safelist.cmx remote.cmx props.cmx ubase/prefs.cmx \ path.cmx osx.cmx os.cmx lwt/lwt_util.cmx lwt/lwt.cmx globals.cmx \ fspath.cmx fs.cmx fpcache.cmx fingerprint.cmx fileinfo.cmx external.cmx \ common.cmx clroot.cmx bytearray.cmx abort.cmx copy.cmi external.cmo: ubase/util.cmi system.cmi ubase/safelist.cmi lwt/lwt_util.cmi \ lwt/lwt_unix.cmi lwt/lwt.cmi external.cmi external.cmx: ubase/util.cmx system.cmx ubase/safelist.cmx lwt/lwt_util.cmx \ lwt/lwt_unix.cmx lwt/lwt.cmx external.cmi fileinfo.cmo: ubase/util.cmi system.cmi props.cmi ubase/prefs.cmi path.cmi \ osx.cmi fspath.cmi fs.cmi fileinfo.cmi fileinfo.cmx: ubase/util.cmx system.cmx props.cmx ubase/prefs.cmx path.cmx \ osx.cmx fspath.cmx fs.cmx fileinfo.cmi files.cmo: xferhint.cmi uutil.cmi ubase/util.cmi update.cmi ubase/trace.cmi \ system.cmi stasher.cmi ubase/safelist.cmi ubase/rx.cmi remote.cmi \ props.cmi ubase/prefs.cmi path.cmi osx.cmi os.cmi name.cmi \ lwt/lwt_util.cmi lwt/lwt_unix.cmi lwt/lwt.cmi globals.cmi fspath.cmi \ fs.cmi fingerprint.cmi fileinfo.cmi external.cmi copy.cmi common.cmi \ abort.cmi files.cmi files.cmx: xferhint.cmx uutil.cmx ubase/util.cmx update.cmx ubase/trace.cmx \ system.cmx stasher.cmx ubase/safelist.cmx ubase/rx.cmx remote.cmx \ props.cmx ubase/prefs.cmx path.cmx osx.cmx os.cmx name.cmx \ lwt/lwt_util.cmx lwt/lwt_unix.cmx lwt/lwt.cmx globals.cmx fspath.cmx \ fs.cmx fingerprint.cmx fileinfo.cmx external.cmx copy.cmx common.cmx \ abort.cmx files.cmi fileutil.cmo: fileutil.cmi fileutil.cmx: fileutil.cmi fingerprint.cmo: uutil.cmi ubase/util.cmi fspath.cmi fs.cmi fingerprint.cmi fingerprint.cmx: uutil.cmx ubase/util.cmx fspath.cmx fs.cmx fingerprint.cmi fpcache.cmo: uutil.cmi ubase/util.cmi ubase/trace.cmi system.cmi \ ubase/safelist.cmi props.cmi path.cmi osx.cmi os.cmi fileinfo.cmi \ fpcache.cmi fpcache.cmx: uutil.cmx ubase/util.cmx ubase/trace.cmx system.cmx \ ubase/safelist.cmx props.cmx path.cmx osx.cmx os.cmx fileinfo.cmx \ fpcache.cmi fs.cmo: fspath.cmi fs.cmi fs.cmx: fspath.cmx fs.cmi fspath.cmo: uutil.cmi ubase/util.cmi system.cmi ubase/rx.cmi path.cmi \ name.cmi fileutil.cmi fspath.cmi fspath.cmx: uutil.cmx ubase/util.cmx system.cmx ubase/rx.cmx path.cmx \ name.cmx fileutil.cmx fspath.cmi globals.cmo: ubase/util.cmi ubase/trace.cmi ubase/safelist.cmi remote.cmi \ ubase/prefs.cmi pred.cmi path.cmi os.cmi name.cmi lwt/lwt_util.cmi \ lwt/lwt_unix.cmi lwt/lwt.cmi common.cmi clroot.cmi globals.cmi globals.cmx: ubase/util.cmx ubase/trace.cmx ubase/safelist.cmx remote.cmx \ ubase/prefs.cmx pred.cmx path.cmx os.cmx name.cmx lwt/lwt_util.cmx \ lwt/lwt_unix.cmx lwt/lwt.cmx common.cmx clroot.cmx globals.cmi library_info.cmo: library_info.cmx: linkgtk.cmo: uigtk.cmi main.cmo linkgtk.cmx: uigtk.cmx main.cmx linkgtk2.cmo: uigtk2.cmi main.cmo linkgtk2.cmx: uigtk2.cmx main.cmx linktext.cmo: uitext.cmi main.cmo linktext.cmx: uitext.cmx main.cmx lock.cmo: ubase/util.cmi system.cmi lock.cmi lock.cmx: ubase/util.cmx system.cmx lock.cmi main.cmo: uutil.cmi ubase/util.cmi uitext.cmi uicommon.cmi strings.cmi \ ubase/safelist.cmi remote.cmi ubase/prefs.cmi os.cmi main.cmx: uutil.cmx ubase/util.cmx uitext.cmx uicommon.cmx strings.cmx \ ubase/safelist.cmx remote.cmx ubase/prefs.cmx os.cmx mkProjectInfo.cmo: mkProjectInfo.cmx: name.cmo: ubase/util.cmi ubase/rx.cmi case.cmi name.cmi name.cmx: ubase/util.cmx ubase/rx.cmx case.cmx name.cmi os.cmo: uutil.cmi ubase/util.cmi system.cmi ubase/safelist.cmi props.cmi \ ubase/prefs.cmi path.cmi osx.cmi name.cmi fspath.cmi fs.cmi \ fingerprint.cmi fileinfo.cmi os.cmi os.cmx: uutil.cmx ubase/util.cmx system.cmx ubase/safelist.cmx props.cmx \ ubase/prefs.cmx path.cmx osx.cmx name.cmx fspath.cmx fs.cmx \ fingerprint.cmx fileinfo.cmx os.cmi osx.cmo: uutil.cmi ubase/util.cmi ubase/trace.cmi system.cmi \ ubase/safelist.cmi ubase/prefs.cmi path.cmi name.cmi fspath.cmi fs.cmi \ fingerprint.cmi osx.cmi osx.cmx: uutil.cmx ubase/util.cmx ubase/trace.cmx system.cmx \ ubase/safelist.cmx ubase/prefs.cmx path.cmx name.cmx fspath.cmx fs.cmx \ fingerprint.cmx osx.cmi path.cmo: ubase/util.cmi ubase/safelist.cmi ubase/rx.cmi pred.cmi name.cmi \ fileutil.cmi case.cmi path.cmi path.cmx: ubase/util.cmx ubase/safelist.cmx ubase/rx.cmx pred.cmx name.cmx \ fileutil.cmx case.cmx path.cmi pixmaps.cmo: pixmaps.cmx: pred.cmo: ubase/util.cmi ubase/safelist.cmi ubase/rx.cmi ubase/prefs.cmi \ case.cmi pred.cmi pred.cmx: ubase/util.cmx ubase/safelist.cmx ubase/rx.cmx ubase/prefs.cmx \ case.cmx pred.cmi props.cmo: uutil.cmi ubase/util.cmi ubase/prefs.cmi path.cmi osx.cmi \ lwt/lwt_unix.cmi fspath.cmi fs.cmi external.cmi props.cmi props.cmx: uutil.cmx ubase/util.cmx ubase/prefs.cmx path.cmx osx.cmx \ lwt/lwt_unix.cmx fspath.cmx fs.cmx external.cmx props.cmi recon.cmo: ubase/util.cmi update.cmi tree.cmi ubase/trace.cmi sortri.cmi \ ubase/safelist.cmi props.cmi ubase/prefs.cmi pred.cmi path.cmi name.cmi \ globals.cmi fileinfo.cmi common.cmi recon.cmi recon.cmx: ubase/util.cmx update.cmx tree.cmx ubase/trace.cmx sortri.cmx \ ubase/safelist.cmx props.cmx ubase/prefs.cmx pred.cmx path.cmx name.cmx \ globals.cmx fileinfo.cmx common.cmx recon.cmi remote.cmo: uutil.cmi ubase/util.cmi ubase/trace.cmi terminal.cmi system.cmi \ ubase/safelist.cmi ubase/prefs.cmi os.cmi lwt/lwt_util.cmi \ lwt/lwt_unix.cmi lwt/lwt.cmi fspath.cmi fs.cmi common.cmi clroot.cmi \ case.cmi bytearray.cmi remote.cmi remote.cmx: uutil.cmx ubase/util.cmx ubase/trace.cmx terminal.cmx system.cmx \ ubase/safelist.cmx ubase/prefs.cmx os.cmx lwt/lwt_util.cmx \ lwt/lwt_unix.cmx lwt/lwt.cmx fspath.cmx fs.cmx common.cmx clroot.cmx \ case.cmx bytearray.cmx remote.cmi sortri.cmo: ubase/util.cmi ubase/safelist.cmi ubase/prefs.cmi pred.cmi \ path.cmi common.cmi sortri.cmi sortri.cmx: ubase/util.cmx ubase/safelist.cmx ubase/prefs.cmx pred.cmx \ path.cmx common.cmx sortri.cmi stasher.cmo: xferhint.cmi ubase/util.cmi update.cmi system.cmi \ ubase/safelist.cmi remote.cmi props.cmi ubase/prefs.cmi pred.cmi path.cmi \ osx.cmi os.cmi lwt/lwt_unix.cmi lwt/lwt.cmi globals.cmi fspath.cmi \ fingerprint.cmi fileutil.cmi fileinfo.cmi copy.cmi common.cmi stasher.cmi stasher.cmx: xferhint.cmx ubase/util.cmx update.cmx system.cmx \ ubase/safelist.cmx remote.cmx props.cmx ubase/prefs.cmx pred.cmx path.cmx \ osx.cmx os.cmx lwt/lwt_unix.cmx lwt/lwt.cmx globals.cmx fspath.cmx \ fingerprint.cmx fileutil.cmx fileinfo.cmx copy.cmx common.cmx stasher.cmi strings.cmo: strings.cmi strings.cmx: strings.cmi system.cmo: system.cmi system.cmx: system.cmi terminal.cmo: system.cmi ubase/rx.cmi lwt/lwt_unix.cmi lwt/lwt.cmi \ terminal.cmi terminal.cmx: system.cmx ubase/rx.cmx lwt/lwt_unix.cmx lwt/lwt.cmx \ terminal.cmi test.cmo: uutil.cmi ubase/util.cmi update.cmi uicommon.cmi transport.cmi \ ubase/trace.cmi stasher.cmi ubase/safelist.cmi remote.cmi recon.cmi \ ubase/prefs.cmi path.cmi os.cmi lwt/lwt_util.cmi lwt/lwt_unix.cmi \ lwt/lwt.cmi globals.cmi fspath.cmi fs.cmi fingerprint.cmi common.cmi \ test.cmi test.cmx: uutil.cmx ubase/util.cmx update.cmx uicommon.cmx transport.cmx \ ubase/trace.cmx stasher.cmx ubase/safelist.cmx remote.cmx recon.cmx \ ubase/prefs.cmx path.cmx os.cmx lwt/lwt_util.cmx lwt/lwt_unix.cmx \ lwt/lwt.cmx globals.cmx fspath.cmx fs.cmx fingerprint.cmx common.cmx \ test.cmi transfer.cmo: uutil.cmi ubase/util.cmi ubase/trace.cmi ubase/safelist.cmi \ lwt/lwt.cmi checksum.cmi bytearray.cmi transfer.cmi transfer.cmx: uutil.cmx ubase/util.cmx ubase/trace.cmx ubase/safelist.cmx \ lwt/lwt.cmx checksum.cmx bytearray.cmx transfer.cmi transport.cmo: uutil.cmi ubase/util.cmi ubase/trace.cmi remote.cmi props.cmi \ ubase/prefs.cmi path.cmi osx.cmi lwt/lwt_util.cmi lwt/lwt.cmi globals.cmi \ files.cmi common.cmi abort.cmi transport.cmi transport.cmx: uutil.cmx ubase/util.cmx ubase/trace.cmx remote.cmx props.cmx \ ubase/prefs.cmx path.cmx osx.cmx lwt/lwt_util.cmx lwt/lwt.cmx globals.cmx \ files.cmx common.cmx abort.cmx transport.cmi tree.cmo: ubase/safelist.cmi tree.cmi tree.cmx: ubase/safelist.cmx tree.cmi uicommon.cmo: xferhint.cmi uutil.cmi ubase/util.cmi update.cmi \ ubase/trace.cmi system.cmi stasher.cmi ubase/safelist.cmi remote.cmi \ recon.cmi props.cmi ubase/prefs.cmi path.cmi osx.cmi os.cmi name.cmi \ lwt/lwt_unix.cmi lwt/lwt.cmi globals.cmi fspath.cmi files.cmi \ fileinfo.cmi common.cmi clroot.cmi case.cmi uicommon.cmi uicommon.cmx: xferhint.cmx uutil.cmx ubase/util.cmx update.cmx \ ubase/trace.cmx system.cmx stasher.cmx ubase/safelist.cmx remote.cmx \ recon.cmx props.cmx ubase/prefs.cmx path.cmx osx.cmx os.cmx name.cmx \ lwt/lwt_unix.cmx lwt/lwt.cmx globals.cmx fspath.cmx files.cmx \ fileinfo.cmx common.cmx clroot.cmx case.cmx uicommon.cmi uigtk.cmo: uutil.cmi ubase/util.cmi update.cmi uitext.cmi uicommon.cmi \ transport.cmi ubase/trace.cmi system.cmi strings.cmi sortri.cmi \ ubase/safelist.cmi remote.cmi recon.cmi ubase/prefs.cmi pixmaps.cmo \ path.cmi os.cmi lwt/lwt_util.cmi lwt/lwt_unix.cmi lwt/lwt.cmi globals.cmi \ files.cmi common.cmi clroot.cmi uigtk.cmi uigtk.cmx: uutil.cmx ubase/util.cmx update.cmx uitext.cmx uicommon.cmx \ transport.cmx ubase/trace.cmx system.cmx strings.cmx sortri.cmx \ ubase/safelist.cmx remote.cmx recon.cmx ubase/prefs.cmx pixmaps.cmx \ path.cmx os.cmx lwt/lwt_util.cmx lwt/lwt_unix.cmx lwt/lwt.cmx globals.cmx \ files.cmx common.cmx clroot.cmx uigtk.cmi uigtk2.cmo: uutil.cmi ubase/util.cmi update.cmi unicode.cmi uitext.cmi \ uicommon.cmi transport.cmi ubase/trace.cmi system.cmi strings.cmi \ sortri.cmi ubase/safelist.cmi remote.cmi recon.cmi ubase/prefs.cmi \ pixmaps.cmo path.cmi os.cmi lwt/lwt_util.cmi lwt/lwt_unix.cmi lwt/lwt.cmi \ globals.cmi files.cmi common.cmi clroot.cmi case.cmi uigtk2.cmi uigtk2.cmx: uutil.cmx ubase/util.cmx update.cmx unicode.cmx uitext.cmx \ uicommon.cmx transport.cmx ubase/trace.cmx system.cmx strings.cmx \ sortri.cmx ubase/safelist.cmx remote.cmx recon.cmx ubase/prefs.cmx \ pixmaps.cmx path.cmx os.cmx lwt/lwt_util.cmx lwt/lwt_unix.cmx lwt/lwt.cmx \ globals.cmx files.cmx common.cmx clroot.cmx case.cmx uigtk2.cmi uimacbridge.cmo: xferhint.cmi uutil.cmi ubase/util.cmi update.cmi \ uicommon.cmi transport.cmi ubase/trace.cmi terminal.cmi system.cmi \ stasher.cmi ubase/safelist.cmi remote.cmi recon.cmi ubase/prefs.cmi \ path.cmi os.cmi main.cmo lwt/lwt_util.cmi lwt/lwt_unix.cmi lwt/lwt.cmi \ globals.cmi fspath.cmi files.cmi common.cmi clroot.cmi uimacbridge.cmx: xferhint.cmx uutil.cmx ubase/util.cmx update.cmx \ uicommon.cmx transport.cmx ubase/trace.cmx terminal.cmx system.cmx \ stasher.cmx ubase/safelist.cmx remote.cmx recon.cmx ubase/prefs.cmx \ path.cmx os.cmx main.cmx lwt/lwt_util.cmx lwt/lwt_unix.cmx lwt/lwt.cmx \ globals.cmx fspath.cmx files.cmx common.cmx clroot.cmx uimacbridgenew.cmo: xferhint.cmi uutil.cmi ubase/util.cmi update.cmi \ unicode.cmi uicommon.cmi transport.cmi ubase/trace.cmi terminal.cmi \ system.cmi stasher.cmi ubase/safelist.cmi remote.cmi recon.cmi \ ubase/prefs.cmi path.cmi os.cmi main.cmo lwt/lwt_util.cmi \ lwt/lwt_unix.cmi lwt/lwt.cmi globals.cmi fspath.cmi files.cmi common.cmi \ clroot.cmi uimacbridgenew.cmx: xferhint.cmx uutil.cmx ubase/util.cmx update.cmx \ unicode.cmx uicommon.cmx transport.cmx ubase/trace.cmx terminal.cmx \ system.cmx stasher.cmx ubase/safelist.cmx remote.cmx recon.cmx \ ubase/prefs.cmx path.cmx os.cmx main.cmx lwt/lwt_util.cmx \ lwt/lwt_unix.cmx lwt/lwt.cmx globals.cmx fspath.cmx files.cmx common.cmx \ clroot.cmx uitext.cmo: uutil.cmi ubase/util.cmi update.cmi uicommon.cmi transport.cmi \ ubase/trace.cmi system.cmi ubase/safelist.cmi remote.cmi recon.cmi \ ubase/prefs.cmi path.cmi lwt/lwt_util.cmi lwt/lwt_unix.cmi lwt/lwt.cmi \ globals.cmi common.cmi uitext.cmi uitext.cmx: uutil.cmx ubase/util.cmx update.cmx uicommon.cmx transport.cmx \ ubase/trace.cmx system.cmx ubase/safelist.cmx remote.cmx recon.cmx \ ubase/prefs.cmx path.cmx lwt/lwt_util.cmx lwt/lwt_unix.cmx lwt/lwt.cmx \ globals.cmx common.cmx uitext.cmi unicode.cmo: unicode_tables.cmo unicode.cmi unicode.cmx: unicode_tables.cmx unicode.cmi unicode_tables.cmo: unicode_tables.cmx: update.cmo: xferhint.cmi uutil.cmi ubase/util.cmi tree.cmi ubase/trace.cmi \ system.cmi ubase/safelist.cmi remote.cmi props.cmi ubase/proplist.cmi \ ubase/prefs.cmi pred.cmi path.cmi osx.cmi os.cmi name.cmi ubase/myMap.cmi \ lwt/lwt_unix.cmi lwt/lwt.cmi lock.cmi globals.cmi fspath.cmi fpcache.cmi \ fingerprint.cmi fileinfo.cmi common.cmi case.cmi update.cmi update.cmx: xferhint.cmx uutil.cmx ubase/util.cmx tree.cmx ubase/trace.cmx \ system.cmx ubase/safelist.cmx remote.cmx props.cmx ubase/proplist.cmx \ ubase/prefs.cmx pred.cmx path.cmx osx.cmx os.cmx name.cmx ubase/myMap.cmx \ lwt/lwt_unix.cmx lwt/lwt.cmx lock.cmx globals.cmx fspath.cmx fpcache.cmx \ fingerprint.cmx fileinfo.cmx common.cmx case.cmx update.cmi uutil.cmo: ubase/util.cmi ubase/trace.cmi uutil.cmi uutil.cmx: ubase/util.cmx ubase/trace.cmx uutil.cmi xferhint.cmo: ubase/util.cmi ubase/trace.cmi ubase/prefs.cmi path.cmi os.cmi \ fspath.cmi xferhint.cmi xferhint.cmx: ubase/util.cmx ubase/trace.cmx ubase/prefs.cmx path.cmx os.cmx \ fspath.cmx xferhint.cmi lwt/lwt.cmo: lwt/lwt.cmi lwt/lwt.cmx: lwt/lwt.cmi lwt/lwt_unix.cmo: lwt/lwt_unix.cmi lwt/lwt_unix.cmx: lwt/lwt_unix.cmi lwt/lwt_util.cmo: lwt/lwt.cmi lwt/lwt_util.cmi lwt/lwt_util.cmx: lwt/lwt.cmx lwt/lwt_util.cmi lwt/pqueue.cmo: lwt/pqueue.cmi lwt/pqueue.cmx: lwt/pqueue.cmi system/system_generic.cmo: system/system_generic.cmx: system/system_intf.cmo: system/system_intf.cmx: system/system_win.cmo: unicode.cmi system/system_generic.cmo ubase/rx.cmi system/system_win.cmx: unicode.cmx system/system_generic.cmx ubase/rx.cmx ubase/myMap.cmo: ubase/myMap.cmi ubase/myMap.cmx: ubase/myMap.cmi ubase/prefs.cmo: ubase/util.cmi ubase/uarg.cmi system.cmi ubase/safelist.cmi \ ubase/prefs.cmi ubase/prefs.cmx: ubase/util.cmx ubase/uarg.cmx system.cmx ubase/safelist.cmx \ ubase/prefs.cmi ubase/proplist.cmo: ubase/util.cmi ubase/proplist.cmi ubase/proplist.cmx: ubase/util.cmx ubase/proplist.cmi ubase/rx.cmo: ubase/rx.cmi ubase/rx.cmx: ubase/rx.cmi ubase/safelist.cmo: ubase/safelist.cmi ubase/safelist.cmx: ubase/safelist.cmi ubase/trace.cmo: ubase/util.cmi system.cmi ubase/safelist.cmi ubase/prefs.cmi \ ubase/trace.cmi ubase/trace.cmx: ubase/util.cmx system.cmx ubase/safelist.cmx ubase/prefs.cmx \ ubase/trace.cmi ubase/uarg.cmo: ubase/util.cmi system.cmi ubase/safelist.cmi ubase/uarg.cmi ubase/uarg.cmx: ubase/util.cmx system.cmx ubase/safelist.cmx ubase/uarg.cmi ubase/uprintf.cmo: ubase/uprintf.cmi ubase/uprintf.cmx: ubase/uprintf.cmi ubase/util.cmo: ubase/uprintf.cmi system.cmi ubase/safelist.cmi \ ubase/util.cmi ubase/util.cmx: ubase/uprintf.cmx system.cmx ubase/safelist.cmx \ ubase/util.cmi lwt/lwt.cmi: lwt/lwt_unix.cmi: lwt/lwt.cmi lwt/lwt_util.cmi: lwt/lwt.cmi lwt/pqueue.cmi: ubase/myMap.cmi: ubase/prefs.cmi: ubase/util.cmi system.cmi ubase/proplist.cmi: ubase/rx.cmi: ubase/safelist.cmi: ubase/trace.cmi: ubase/prefs.cmi ubase/uarg.cmi: ubase/uprintf.cmi: ubase/util.cmi: system.cmi lwt/example/editor.cmo: lwt/lwt_unix.cmi lwt/example/editor.cmx: lwt/lwt_unix.cmx lwt/example/relay.cmo: lwt/lwt_unix.cmi lwt/lwt.cmi lwt/example/relay.cmx: lwt/lwt_unix.cmx lwt/lwt.cmx lwt/generic/lwt_unix_impl.cmo: lwt/pqueue.cmi lwt/lwt.cmi lwt/generic/lwt_unix_impl.cmx: lwt/pqueue.cmx lwt/lwt.cmx lwt/win/lwt_unix_impl.cmo: lwt/pqueue.cmi lwt/lwt.cmi lwt/win/lwt_unix_impl.cmx: lwt/pqueue.cmx lwt/lwt.cmx system/generic/system_impl.cmo: system/system_generic.cmo system/generic/system_impl.cmx: system/system_generic.cmx system/win/system_impl.cmo: system/system_win.cmo system/system_generic.cmo system/win/system_impl.cmx: system/system_win.cmx system/system_generic.cmx unison-2.40.102/Makefile0000644006131600613160000002522411552376632015054 0ustar bcpiercebcpierce####################################################################### # $I1: Unison file synchronizer: src/Makefile $ # $I2: Last modified by bcpierce on Sun, 22 Aug 2004 22:29:04 -0400 $ # $I3: Copyright 1999-2004 (see COPYING for details) $ ####################################################################### ## User Settings # Set NATIVE=false if you are not using the native code compiler (ocamlopt) # This is not advised, though: Unison runs much slower when byte-compiled. # # If you set NATIVE=false, then make sure that the THREADS option below is # also set to false unless your OCaml installation has true posix-compliant # threads (i.e., -with-pthreads was given as an option to the config script). NATIVE=true # Use THREADS=false if your OCaml installation is not configured with the # -with-pthreads option. (Unison will crash when compiled with THREADS=true # if the -with-pthreads configuration option was not used.) THREADS=false # User interface style. For legal values, see Makefile.OCaml. # You probably don't need to set this yourself -- it will be set to # an appropriate value automatically, depending on whether the lablgtk # library is available. # # UISTYLE=text ######################################################################## ######################################################################## # (There should be no need to change anything from here on) ## ######################################################################## ###################################################################### # Building installation instructions all:: strings.ml buildexecutable all:: INSTALL .PHONY: all clean install doinstall installtext text \ setupdemo-old setupdemo modifydemo demo \ run runbatch runt rundebug runp runtext runsort runprefer \ prefsdocs runtest repeattest \ selftest selftestdebug selftestremote testmerge \ checkin installremote .DELETE_ON_ERROR: # to avoid problems when e.g. mkProjectInfo fails to run INSTALL: $(NAME)$(EXEC_EXT) # file isn't made for OS X, so check that it's there first (if [ -f $(NAME) ]; then ./$(NAME) -doc install > INSTALLATION; fi) ######################################################################## ## Miscellaneous developer-only switches DEBUGGING=true PROFILING=false STATIC=false # NAME, VERSION, and MAJORVERSION, automatically generated -include Makefile.ProjectInfo Makefile.ProjectInfo: mkProjectInfo $(wildcard ../.bzr/branch/last-revision) ./mkProjectInfo > $@ # BCP (4/11): simplified from this: # ocaml str.cma unix.cma ./mkProjectInfo.ml > $@ mkProjectInfo: mkProjectInfo.ml ocamlc -o $@ unix.cma str.cma $^ clean:: $(RM) mkProjectInfo $(RM) Makefile.ProjectInfo ######################################################################## ### Compilation rules include Makefile.OCaml ###################################################################### # Installation INSTALLDIR = $(HOME)/bin/ # This has two names because on OSX the file INSTALL shadows the target 'install'! install: doinstall installtext: $(MAKE) -C .. installtext text: $(MAKE) -C .. text doinstall: $(NAME)$(EXEC_EXT) -mv $(INSTALLDIR)/$(NAME)$(EXEC_EXT) /tmp/$(NAME)-$(shell echo $$$$) cp $(NAME)$(EXEC_EXT) $(INSTALLDIR) cp $(NAME)$(EXEC_EXT) $(INSTALLDIR)$(NAME)-$(MAJORVERSION)$(EXEC_EXT) ###################################################################### # Demo setupdemo-old: all -mkdir alice.tmp bob.tmp -touch alice.tmp/letter alice.tmp/curriculum -mkdir bob.tmp/curriculum -touch bob.tmp/curriculum/french -touch bob.tmp/curriculum/german -mkdir bob.tmp/good_friends -mkdir bob.tmp/good_friends/addresses -mkdir alice.tmp/good_friends -touch alice.tmp/good_friends/addresses -touch bob.tmp/good_friends/addresses/alice -mkdir alice.tmp/book -mkdir bob.tmp/book echo "first name:alice \n 2234 Chesnut Street \n Philadelphia" \ > bob.tmp/good_friends/addresses/alice echo "ADDRESS 1 : BOB \n firstName : bob \n 2233 Walnut Street" \ > alice.tmp/good_friends/addresses echo "Born in Paris in 1976 ..." > alice.tmp/curriculum echo "Ne a Paris en 1976 ..." > bob.tmp/curriculum/french echo "Geboren in Paris im jahre 1976 ..." > bob.tmp/curriculum/german echo "Dear friend, I received your letter ..." > alice.tmp/letter echo "And then the big bad wolf" > bob.tmp/book/page3 echo "Title : three little pigs" > alice.tmp/book/page1 echo "there was upon a time ..." > alice.tmp/book/page2 setupdemo: rm -rf a.tmp b.tmp mkdir a.tmp touch a.tmp/a a.tmp/b a.tmp/c mkdir a.tmp/d touch a.tmp/d/f touch a.tmp/d/g cp -r a.tmp b.tmp modifydemo: -rm a.tmp/a echo "Hello" > a.tmp/b echo "Hello" > b.tmp/b date > b.tmp/c echo "Hi there" > a.tmp/d/h echo "Hello there" > b.tmp/d/h demo: all setupdemo @$(MAKE) run @$(MAKE) modifydemo @$(MAKE) run run: all -mkdir a.tmp b.tmp -date > a.tmp/x -date > b.tmp/y ./$(NAME) default a.tmp b.tmp runbatch: all -mkdir a.tmp b.tmp -date > a.tmp/x -date > b.tmp/y ./$(NAME) default a.tmp b.tmp -batch runt: all -mkdir a.tmp b.tmp -date > a.tmp/x -date > b.tmp/y ./$(NAME) default a.tmp b.tmp -timers rundebug: all -date > a.tmp/x -date > b.tmp/y ./$(NAME) a.tmp b.tmp -debug all -ui text runp: all -echo cat > a.tmp/cat -echo cat > b.tmp/cat -chmod 765 a.tmp/cat -chmod 700 b.tmp/cat ./$(NAME) a.tmp b.tmp runtext: all -mkdir a.tmp b.tmp -date > a.tmp/x -date > b.tmp/y ./$(NAME) -ui text a.tmp b.tmp runsort: all -mkdir a.tmp b.tmp -date > a.tmp/b -date > b.tmp/m -date > b.tmp/z -date > b.tmp/f -date >> b.tmp/f -date > b.tmp/c.$(shell echo $$$$) -date > b.tmp/y.$(shell echo $$$$) ./$(NAME) default a.tmp b.tmp -debug sort runprefer: all -mkdir a.tmp b.tmp -date > a.tmp/b -date > b.tmp/m -date > b.tmp/z -echo Hello > a.tmp/z -date > b.tmp/f -date >> b.tmp/f -date > b.tmp/c.$(shell echo $$$$) -date > b.tmp/y.$(shell echo $$$$) ./$(NAME) default a.tmp b.tmp -force b.tmp prefsdocs: all ./$(NAME) -prefsdocs 2> prefsdocsjunk.tmp mv -f prefsdocsjunk.tmp prefsdocs.tmp # For developers runtest: $(MAKE) NATIVE=false DEBUG=true text ./unison test repeattest: $(MAKE) all NATIVE=false DEBUG=true UISTYLE=text ./unison noprofile a.tmp b.tmp -repeat foo.tmp -debug ui selftest: $(MAKE) all NATIVE=false DEBUG=true UISTYLE=text ./unison -selftest -ui text -batch selftestdebug: $(MAKE) all NATIVE=false DEBUG=true UISTYLE=text ./unison -selftest -ui text -batch -debug all selftestremote: $(MAKE) all NATIVE=false DEBUG=true UISTYLE=text ./unison -selftest -ui text -batch test.tmp ssh://eniac.seas.upenn.edu/test.tmp testmerge: $(MAKE) all NATIVE=false UISTYLE=text -rm -rf a.tmp b.tmp -rm -rf $(HOME)/.unison/backup/file.txt* mkdir a.tmp b.tmp @echo @echo ----------------------------------------------------------- @echo ./unison testmerge -ui text -batch echo 1OO >> a.tmp/file.txt echo 2oo >> a.tmp/file.txt echo 3oo >> a.tmp/file.txt echo 4oo >> a.tmp/file.txt echo 5oo >> a.tmp/file.txt echo 6oo >> a.tmp/file.txt echo 7oo >> a.tmp/file.txt echo 8oo >> a.tmp/file.txt echo 9oo >> a.tmp/file.txt echo 0oo >> a.tmp/file.txt echo 1oo >> a.tmp/file.txt echo 2oo >> a.tmp/file.txt echo 3oo >> a.tmp/file.txt echo 4oo >> a.tmp/file.txt echo 5oo >> a.tmp/file.txt echo 6oo >> a.tmp/file.txt echo 5oo >> a.tmp/file.txt echo 6oo >> a.tmp/file.txt echo 7oo >> a.tmp/file.txt echo 8oo >> a.tmp/file.txt echo 9oo >> a.tmp/file.txt echo 0oo >> a.tmp/file.txt echo 1oo >> a.tmp/file.txt echo 2oo >> a.tmp/file.txt echo 3OO >> a.tmp/file.txt echo 4oo >> a.tmp/file.txt ./unison testmerge -ui text -batch rm a.tmp/file.txt b.tmp/file.txt echo 1OO >> a.tmp/file.txt echo second >> a.tmp/file.txt echo 3oo >> a.tmp/file.txt echo 4oo >> a.tmp/file.txt echo 5oo >> a.tmp/file.txt echo 6oo >> a.tmp/file.txt echo 7oo >> a.tmp/file.txt echo 8oo >> a.tmp/file.txt echo 9oo >> a.tmp/file.txt echo 0oo >> a.tmp/file.txt echo 1oo >> a.tmp/file.txt echo 2oo >> a.tmp/file.txt echo 3oo >> a.tmp/file.txt echo 4oo >> a.tmp/file.txt echo 5oo >> a.tmp/file.txt echo 6oo >> a.tmp/file.txt echo 5oo >> a.tmp/file.txt echo 6oo >> a.tmp/file.txt echo 7oo >> a.tmp/file.txt echo 8oo >> a.tmp/file.txt echo 9oo >> a.tmp/file.txt echo 0oo >> a.tmp/file.txt echo 1oo >> a.tmp/file.txt echo 2oo >> a.tmp/file.txt echo 3OO >> a.tmp/file.txt echo 4oo >> a.tmp/file.txt echo --- echo 1OO >> b.tmp/file.txt echo 2oo >> b.tmp/file.txt echo 3oo >> b.tmp/file.txt echo 4oo >> b.tmp/file.txt echo 5oo >> b.tmp/file.txt echo 6oo >> b.tmp/file.txt echo 7oo >> b.tmp/file.txt echo 8oo >> b.tmp/file.txt echo 9oo >> b.tmp/file.txt echo 0oo >> b.tmp/file.txt echo 1oo >> b.tmp/file.txt echo 2oo >> b.tmp/file.txt echo 3oo >> b.tmp/file.txt echo 4oo >> b.tmp/file.txt echo 5oo >> b.tmp/file.txt echo 6oo >> b.tmp/file.txt echo 5oo >> b.tmp/file.txt echo 6oo >> b.tmp/file.txt echo 7oo >> b.tmp/file.txt echo 8oo >> b.tmp/file.txt echo 9oo >> b.tmp/file.txt echo 0oo >> b.tmp/file.txt echo 1oo >> b.tmp/file.txt echo 2oo >> b.tmp/file.txt echo 3OO >> b.tmp/file.txt echo end >> b.tmp/file.txt @echo @echo ----------------------------------------------------------- @echo ./unison testmerge -ui text -batch -debug files -debug update -debug backup @echo @echo ----------------------------------------------------------- @echo ./unison testmerge -ui text -batch @echo @echo ----------------------------------------------------------- @echo cat a.tmp/file.txt cat b.tmp/file.txt cat $(HOME)/.unison/backup/file.txt ###################################################################### # Tags # In Windows, tags and TAGS are the same, so make tags stops working # after the first invocation. The .PHONY declaration makes it work # again. .PHONY: tags tags: -if [ -f `which $(ETAGS)` ]; then \ $(ETAGS) *.mli */*.mli *.ml */*.ml */*.m *.c */*.c *.txt \ ; fi all:: TAGS TAGS: $(MAKE) tags ###################################################################### # Misc clean:: -$(RM) *.log *.aux *.log *.dvi *.out *.bak -$(RM) -r obsolete -$(RM) $(NAME) $(NAME).exe -$(RM) $(NAME)-blob.o clean:: $(MAKE) -C ubase clean $(MAKE) -C lwt clean ifeq (${OSARCH},osx) clean:: -(cd $(UIMACDIR); xcodebuild clean) -(cd $(UIMACDIR); $(RM) -r build ExternalSettings.xcconfig) endif checkin: $(MAKE) -C .. checkin installremote: $(MAKE) UISTYLE=text -unison eniac -path current/unison/trunk/src -batch ssh eniac.seas.upenn.edu make -C current/unison/trunk/src installtext #################################################################### # Documentation strings # Cons up a fake strings.ml if necessary (the real one is generated when # we build the documentation, but we need to be able to compile the # executable here to do that!) strings.ml: echo "(* Dummy strings.ml *)" > strings.ml echo "let docs = []" >> strings.ml unison-2.40.102/transport.mli0000644006131600613160000000114411361646373016146 0ustar bcpiercebcpierce(* Unison file synchronizer: src/transport.mli *) (* Copyright 1999-2009, Benjamin C. Pierce (see COPYING for details) *) (* Executes the actions implied by the reconItem list. *) val transportItem : Common.reconItem (* Updates that need to be performed *) -> Uutil.File.t (* id for progress reports *) -> (string->string->bool) (* fn to display title / result of merge and confirm *) -> unit Lwt.t (* Should be called respectively when starting the synchronization and once it is finished *) val logStart : unit -> unit val logFinish : unit -> unit unison-2.40.102/NEWS0000644006131600613160000000011612050210654014065 0ustar bcpiercebcpierceDocumentation topic news not recognized: Type "unison -doc topics" for a list unison-2.40.102/linkgtk.ml0000644006131600613160000000142511361646373015406 0ustar bcpiercebcpierce(* Unison file synchronizer: src/linkgtk.ml *) (* Copyright 1999-2009, Benjamin C. Pierce This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . *) module TopLevel = Main.Body(Uigtk.Body) unison-2.40.102/clroot.ml0000644006131600613160000002027711361646373015253 0ustar bcpiercebcpierce(* Unison file synchronizer: src/clroot.ml *) (* Copyright 1999-2009, Benjamin C. Pierce This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . *) (* This file parses the unison command-line arguments that specify replicas. The syntax for replicas is based on that of URI's, described in RFC 2396. They have the following grammar: replica ::= [protocol:]//[user@][host][:port][/path] | path protocol ::= file | socket | ssh | rsh user ::= [-_a-zA-Z0-9]+ host ::= [-_a-zA-Z0-9.]+ port ::= [0-9]+ path is any string that does not begin with protocol: or //. *) (* Command-line roots *) type clroot = ConnectLocal of string option (* root *) | ConnectByShell of string (* shell = "rsh" or "ssh" *) * string (* name of host *) * string option (* user name to log in as *) * string option (* port *) * string option (* root of replica in host fs *) | ConnectBySocket of string (* name of host *) * string (* port where server should be listening *) * string option (* root of replica in host fs *) (* Internal datatypes used in parsing command-line roots *) type protocol = File | Rsh | Socket | Ssh type uri = protocol (* - a protocol *) * string option (* - an optional user *) * string option (* - an optional host *) * int option (* - an optional port *) * string option (* - an optional path *) (* Regular expressions, used in parsing *) let protocolColonSlashSlashRegexp = Str.regexp "[a-zA-Z]+://" let protocolColonRegexp = Str.regexp "[a-zA-Z]+:" let slashSlashRegexp = Str.regexp "//" let getProtocolSlashSlash s = if Str.string_match protocolColonSlashSlashRegexp s 0 then let matched = Str.matched_string s in let len = String.length matched in let remainder = Str.string_after s len in let protocolName = String.sub matched 0 (len-3) in let protocol = match protocolName with "file" -> File | "rsh" -> Rsh | "socket" -> Socket | "ssh" -> Ssh | "unison" -> raise(Invalid_argument (Printf.sprintf "protocol unison has been deprecated, use file, ssh, rsh, or socket instead" )) | _ -> raise(Invalid_argument (Printf.sprintf "unrecognized protocol %s" protocolName)) in Some(protocol,remainder) else if Str.string_match slashSlashRegexp s 0 then Some(File,String.sub s 2 (String.length s - 2)) else if Str.string_match protocolColonRegexp s 0 then let matched = Str.matched_string s in match matched with "file:" | "ssh:" | "rsh:" | "socket:" -> raise(Util.Fatal (Printf.sprintf "ill-formed root specification %s (%s must be followed by //)" s matched)) | _ -> None else None let userAtRegexp = Str.regexp "[-_a-zA-Z0-9.]+@" let getUser s = if Str.string_match userAtRegexp s 0 then let userAt = Str.matched_string s in let len = String.length userAt in let afterAt = Str.string_after s len in let beforeAt = String.sub userAt 0 (len-1) in (Some beforeAt,afterAt) else (None,s) let hostRegexp = Str.regexp "[-_a-zA-Z0-9.]+" let getHost s = if Str.string_match hostRegexp s 0 then let host = Str.matched_string s in let s' = Str.string_after s (String.length host) in (Some host,s') else (None,s) let colonPortRegexp = Str.regexp ":[^/]+" let getPort s = if Str.string_match colonPortRegexp s 0 then let colonPort = Str.matched_string s in let len = String.length colonPort in let port = String.sub colonPort 1 (len-1) in let s' = Str.string_after s len in (Some port,s') else (None,s) (* parseUri : string -> protocol * user option * host option * port option * path option where user, host, port, and path are strings, and path is guaranteed to be non-empty *) let parseUri s = match getProtocolSlashSlash s with None -> (File,None,None,None,Some s) | Some(protocol,s0) -> let (userOpt,s1) = getUser s0 in let (hostOpt,s2) = getHost s1 in let (portOpt,s3) = getPort s2 in let pathOpt = let len = String.length s3 in if len <= 0 then None else if String.get s3 0 = '/' then if len=1 then None else Some(String.sub s3 1 (len-1)) else raise(Util.Fatal (Printf.sprintf "ill-formed root specification %s" s)) in (protocol,userOpt,hostOpt,portOpt,pathOpt) (* These should succeed *) let t1 = "socket://tjim@saul.cis.upenn.edu:4040/hello/world" let t2 = "ssh://tjim@saul/hello/world" let t3 = "rsh://saul:4040/hello/world" let t4 = "rsh://saul/hello/world" let t5 = "rsh://saul" let t6 = "rsh:///hello/world" let t7 = "///hello/world" let t8 = "//raptor/usr/local/bin" let t9 = "file://raptor/usr/local/bin" let t9 = "//turtle/c:/winnt/" let t9 = "file://turtle/c:/winnt/" (* These should fail *) let b1 = "//saul:40a4/hello" let b2 = "RSH://saul/hello" let b3 = "rsh:/saul/hello" let b4 = "//s%aul/hello" let cannotAbbrevFileRx = Rx.rx "(file:|ssh:|rsh:|socket:).*" let networkNameRx = Rx.rx "//.*" (* Main external printing function *) let clroot2string = function ConnectLocal None -> "." | ConnectLocal(Some s) -> if Rx.match_string cannotAbbrevFileRx s then if Rx.match_string networkNameRx s then Printf.sprintf "file:%s" s else Printf.sprintf "file:///%s" s else s | ConnectBySocket(h,p,s) -> Printf.sprintf "socket://%s:%s/%s" h p (match s with None -> "" | Some x -> x) | ConnectByShell(sh,h,u,p,s) -> let user = match u with None -> "" | Some x -> x^"@" in let port = match p with None -> "" | Some x -> ":"^x in let path = match s with None -> "" | Some x -> x in Printf.sprintf "%s://%s%s%s/%s" sh user h port path let sshversion = Prefs.createString "sshversion" "" "*optional version suffix for ssh command [1 or 2]" ("This preference can be used to control which version " ^ "of ssh should be used to connect to the server. Legal values are " ^ "1 and 2, which will cause unison to try to use \\verb|ssh1| or" ^ "\\verb|ssh2| instead of just \\verb|ssh| to invoke ssh. " ^ "The default value is empty, which will make unison use whatever " ^ "version of ssh is installed as the default `ssh' command.") (* Main external function *) let parseRoot string = let illegal2 s = raise(Prefs.IllegalValue (Printf.sprintf "%s: %s" string s)) in let (protocol,user,host,port,path) = parseUri string in let clroot = match protocol,user,host,port with | _,_,None,Some _ | _,Some _,None,None | Rsh,_,None,_ | Ssh,_,None,_ -> illegal2 "missing host" | Rsh,_,_,Some _ -> illegal2 "ill-formed (cannot use a port number with rsh)" | File,_,_,Some _ -> illegal2 "ill-formed (cannot use a port number with file)" | File,_,Some h,None -> let prefix = "//"^h^"/" in (match path with None -> ConnectLocal(Some prefix) | Some p -> ConnectLocal(Some(prefix^p))) | File,None,None,None -> ConnectLocal(path) | Socket,None,Some h,Some p -> ConnectBySocket(h,p,path) | Socket,Some _,_,_ -> illegal2 "ill-formed (cannot use a user with socket)" | Socket,_,_,None -> illegal2 "ill-formed (must give a port number with socket)" | Rsh,_,Some h,_ -> ConnectByShell("rsh",h,user,port,path) | Ssh,_,Some h,_ -> ConnectByShell("ssh"^(Prefs.read sshversion),h,user,port,path) in clroot unison-2.40.102/COPYING0000644006131600613160000010451311361646373014446 0ustar bcpiercebcpierce GNU GENERAL PUBLIC LICENSE Version 3, 29 June 2007 Copyright (C) 2007 Free Software Foundation, Inc. Everyone is permitted to copy and distribute verbatim copies of this license document, but changing it is not allowed. Preamble The GNU General Public License is a free, copyleft license for software and other kinds of works. The licenses for most software and other practical works are designed to take away your freedom to share and change the works. By contrast, the GNU General Public License is intended to guarantee your freedom to share and change all versions of a program--to make sure it remains free software for all its users. We, the Free Software Foundation, use the GNU General Public License for most of our software; it applies also to any other work released this way by its authors. You can apply it to your programs, too. When we speak of free software, we are referring to freedom, not price. Our General Public Licenses are designed to make sure that you have the freedom to distribute copies of free software (and charge for them if you wish), that you receive source code or can get it if you want it, that you can change the software or use pieces of it in new free programs, and that you know you can do these things. To protect your rights, we need to prevent others from denying you these rights or asking you to surrender the rights. Therefore, you have certain responsibilities if you distribute copies of the software, or if you modify it: responsibilities to respect the freedom of others. For example, if you distribute copies of such a program, whether gratis or for a fee, you must pass on to the recipients the same freedoms that you received. You must make sure that they, too, receive or can get the source code. And you must show them these terms so they know their rights. Developers that use the GNU GPL protect your rights with two steps: (1) assert copyright on the software, and (2) offer you this License giving you legal permission to copy, distribute and/or modify it. For the developers' and authors' protection, the GPL clearly explains that there is no warranty for this free software. For both users' and authors' sake, the GPL requires that modified versions be marked as changed, so that their problems will not be attributed erroneously to authors of previous versions. Some devices are designed to deny users access to install or run modified versions of the software inside them, although the manufacturer can do so. This is fundamentally incompatible with the aim of protecting users' freedom to change the software. The systematic pattern of such abuse occurs in the area of products for individuals to use, which is precisely where it is most unacceptable. Therefore, we have designed this version of the GPL to prohibit the practice for those products. If such problems arise substantially in other domains, we stand ready to extend this provision to those domains in future versions of the GPL, as needed to protect the freedom of users. Finally, every program is threatened constantly by software patents. States should not allow patents to restrict development and use of software on general-purpose computers, but in those that do, we wish to avoid the special danger that patents applied to a free program could make it effectively proprietary. To prevent this, the GPL assures that patents cannot be used to render the program non-free. The precise terms and conditions for copying, distribution and modification follow. TERMS AND CONDITIONS 0. Definitions. "This License" refers to version 3 of the GNU General Public License. "Copyright" also means copyright-like laws that apply to other kinds of works, such as semiconductor masks. "The Program" refers to any copyrightable work licensed under this License. Each licensee is addressed as "you". "Licensees" and "recipients" may be individuals or organizations. To "modify" a work means to copy from or adapt all or part of the work in a fashion requiring copyright permission, other than the making of an exact copy. The resulting work is called a "modified version" of the earlier work or a work "based on" the earlier work. A "covered work" means either the unmodified Program or a work based on the Program. To "propagate" a work means to do anything with it that, without permission, would make you directly or secondarily liable for infringement under applicable copyright law, except executing it on a computer or modifying a private copy. Propagation includes copying, distribution (with or without modification), making available to the public, and in some countries other activities as well. To "convey" a work means any kind of propagation that enables other parties to make or receive copies. Mere interaction with a user through a computer network, with no transfer of a copy, is not conveying. An interactive user interface displays "Appropriate Legal Notices" to the extent that it includes a convenient and prominently visible feature that (1) displays an appropriate copyright notice, and (2) tells the user that there is no warranty for the work (except to the extent that warranties are provided), that licensees may convey the work under this License, and how to view a copy of this License. If the interface presents a list of user commands or options, such as a menu, a prominent item in the list meets this criterion. 1. Source Code. The "source code" for a work means the preferred form of the work for making modifications to it. "Object code" means any non-source form of a work. A "Standard Interface" means an interface that either is an official standard defined by a recognized standards body, or, in the case of interfaces specified for a particular programming language, one that is widely used among developers working in that language. The "System Libraries" of an executable work include anything, other than the work as a whole, that (a) is included in the normal form of packaging a Major Component, but which is not part of that Major Component, and (b) serves only to enable use of the work with that Major Component, or to implement a Standard Interface for which an implementation is available to the public in source code form. A "Major Component", in this context, means a major essential component (kernel, window system, and so on) of the specific operating system (if any) on which the executable work runs, or a compiler used to produce the work, or an object code interpreter used to run it. The "Corresponding Source" for a work in object code form means all the source code needed to generate, install, and (for an executable work) run the object code and to modify the work, including scripts to control those activities. However, it does not include the work's System Libraries, or general-purpose tools or generally available free programs which are used unmodified in performing those activities but which are not part of the work. For example, Corresponding Source includes interface definition files associated with source files for the work, and the source code for shared libraries and dynamically linked subprograms that the work is specifically designed to require, such as by intimate data communication or control flow between those subprograms and other parts of the work. The Corresponding Source need not include anything that users can regenerate automatically from other parts of the Corresponding Source. The Corresponding Source for a work in source code form is that same work. 2. Basic Permissions. All rights granted under this License are granted for the term of copyright on the Program, and are irrevocable provided the stated conditions are met. This License explicitly affirms your unlimited permission to run the unmodified Program. The output from running a covered work is covered by this License only if the output, given its content, constitutes a covered work. This License acknowledges your rights of fair use or other equivalent, as provided by copyright law. You may make, run and propagate covered works that you do not convey, without conditions so long as your license otherwise remains in force. You may convey covered works to others for the sole purpose of having them make modifications exclusively for you, or provide you with facilities for running those works, provided that you comply with the terms of this License in conveying all material for which you do not control copyright. Those thus making or running the covered works for you must do so exclusively on your behalf, under your direction and control, on terms that prohibit them from making any copies of your copyrighted material outside their relationship with you. Conveying under any other circumstances is permitted solely under the conditions stated below. Sublicensing is not allowed; section 10 makes it unnecessary. 3. Protecting Users' Legal Rights From Anti-Circumvention Law. No covered work shall be deemed part of an effective technological measure under any applicable law fulfilling obligations under article 11 of the WIPO copyright treaty adopted on 20 December 1996, or similar laws prohibiting or restricting circumvention of such measures. When you convey a covered work, you waive any legal power to forbid circumvention of technological measures to the extent such circumvention is effected by exercising rights under this License with respect to the covered work, and you disclaim any intention to limit operation or modification of the work as a means of enforcing, against the work's users, your or third parties' legal rights to forbid circumvention of technological measures. 4. Conveying Verbatim Copies. You may convey verbatim copies of the Program's source code as you receive it, in any medium, provided that you conspicuously and appropriately publish on each copy an appropriate copyright notice; keep intact all notices stating that this License and any non-permissive terms added in accord with section 7 apply to the code; keep intact all notices of the absence of any warranty; and give all recipients a copy of this License along with the Program. You may charge any price or no price for each copy that you convey, and you may offer support or warranty protection for a fee. 5. Conveying Modified Source Versions. You may convey a work based on the Program, or the modifications to produce it from the Program, in the form of source code under the terms of section 4, provided that you also meet all of these conditions: a) The work must carry prominent notices stating that you modified it, and giving a relevant date. b) The work must carry prominent notices stating that it is released under this License and any conditions added under section 7. This requirement modifies the requirement in section 4 to "keep intact all notices". c) You must license the entire work, as a whole, under this License to anyone who comes into possession of a copy. This License will therefore apply, along with any applicable section 7 additional terms, to the whole of the work, and all its parts, regardless of how they are packaged. This License gives no permission to license the work in any other way, but it does not invalidate such permission if you have separately received it. d) If the work has interactive user interfaces, each must display Appropriate Legal Notices; however, if the Program has interactive interfaces that do not display Appropriate Legal Notices, your work need not make them do so. A compilation of a covered work with other separate and independent works, which are not by their nature extensions of the covered work, and which are not combined with it such as to form a larger program, in or on a volume of a storage or distribution medium, is called an "aggregate" if the compilation and its resulting copyright are not used to limit the access or legal rights of the compilation's users beyond what the individual works permit. Inclusion of a covered work in an aggregate does not cause this License to apply to the other parts of the aggregate. 6. Conveying Non-Source Forms. You may convey a covered work in object code form under the terms of sections 4 and 5, provided that you also convey the machine-readable Corresponding Source under the terms of this License, in one of these ways: a) Convey the object code in, or embodied in, a physical product (including a physical distribution medium), accompanied by the Corresponding Source fixed on a durable physical medium customarily used for software interchange. b) Convey the object code in, or embodied in, a physical product (including a physical distribution medium), accompanied by a written offer, valid for at least three years and valid for as long as you offer spare parts or customer support for that product model, to give anyone who possesses the object code either (1) a copy of the Corresponding Source for all the software in the product that is covered by this License, on a durable physical medium customarily used for software interchange, for a price no more than your reasonable cost of physically performing this conveying of source, or (2) access to copy the Corresponding Source from a network server at no charge. c) Convey individual copies of the object code with a copy of the written offer to provide the Corresponding Source. This alternative is allowed only occasionally and noncommercially, and only if you received the object code with such an offer, in accord with subsection 6b. d) Convey the object code by offering access from a designated place (gratis or for a charge), and offer equivalent access to the Corresponding Source in the same way through the same place at no further charge. You need not require recipients to copy the Corresponding Source along with the object code. If the place to copy the object code is a network server, the Corresponding Source may be on a different server (operated by you or a third party) that supports equivalent copying facilities, provided you maintain clear directions next to the object code saying where to find the Corresponding Source. Regardless of what server hosts the Corresponding Source, you remain obligated to ensure that it is available for as long as needed to satisfy these requirements. e) Convey the object code using peer-to-peer transmission, provided you inform other peers where the object code and Corresponding Source of the work are being offered to the general public at no charge under subsection 6d. A separable portion of the object code, whose source code is excluded from the Corresponding Source as a System Library, need not be included in conveying the object code work. A "User Product" is either (1) a "consumer product", which means any tangible personal property which is normally used for personal, family, or household purposes, or (2) anything designed or sold for incorporation into a dwelling. In determining whether a product is a consumer product, doubtful cases shall be resolved in favor of coverage. For a particular product received by a particular user, "normally used" refers to a typical or common use of that class of product, regardless of the status of the particular user or of the way in which the particular user actually uses, or expects or is expected to use, the product. A product is a consumer product regardless of whether the product has substantial commercial, industrial or non-consumer uses, unless such uses represent the only significant mode of use of the product. "Installation Information" for a User Product means any methods, procedures, authorization keys, or other information required to install and execute modified versions of a covered work in that User Product from a modified version of its Corresponding Source. The information must suffice to ensure that the continued functioning of the modified object code is in no case prevented or interfered with solely because modification has been made. If you convey an object code work under this section in, or with, or specifically for use in, a User Product, and the conveying occurs as part of a transaction in which the right of possession and use of the User Product is transferred to the recipient in perpetuity or for a fixed term (regardless of how the transaction is characterized), the Corresponding Source conveyed under this section must be accompanied by the Installation Information. But this requirement does not apply if neither you nor any third party retains the ability to install modified object code on the User Product (for example, the work has been installed in ROM). The requirement to provide Installation Information does not include a requirement to continue to provide support service, warranty, or updates for a work that has been modified or installed by the recipient, or for the User Product in which it has been modified or installed. Access to a network may be denied when the modification itself materially and adversely affects the operation of the network or violates the rules and protocols for communication across the network. Corresponding Source conveyed, and Installation Information provided, in accord with this section must be in a format that is publicly documented (and with an implementation available to the public in source code form), and must require no special password or key for unpacking, reading or copying. 7. Additional Terms. "Additional permissions" are terms that supplement the terms of this License by making exceptions from one or more of its conditions. Additional permissions that are applicable to the entire Program shall be treated as though they were included in this License, to the extent that they are valid under applicable law. If additional permissions apply only to part of the Program, that part may be used separately under those permissions, but the entire Program remains governed by this License without regard to the additional permissions. When you convey a copy of a covered work, you may at your option remove any additional permissions from that copy, or from any part of it. (Additional permissions may be written to require their own removal in certain cases when you modify the work.) You may place additional permissions on material, added by you to a covered work, for which you have or can give appropriate copyright permission. Notwithstanding any other provision of this License, for material you add to a covered work, you may (if authorized by the copyright holders of that material) supplement the terms of this License with terms: a) Disclaiming warranty or limiting liability differently from the terms of sections 15 and 16 of this License; or b) Requiring preservation of specified reasonable legal notices or author attributions in that material or in the Appropriate Legal Notices displayed by works containing it; or c) Prohibiting misrepresentation of the origin of that material, or requiring that modified versions of such material be marked in reasonable ways as different from the original version; or d) Limiting the use for publicity purposes of names of licensors or authors of the material; or e) Declining to grant rights under trademark law for use of some trade names, trademarks, or service marks; or f) Requiring indemnification of licensors and authors of that material by anyone who conveys the material (or modified versions of it) with contractual assumptions of liability to the recipient, for any liability that these contractual assumptions directly impose on those licensors and authors. All other non-permissive additional terms are considered "further restrictions" within the meaning of section 10. If the Program as you received it, or any part of it, contains a notice stating that it is governed by this License along with a term that is a further restriction, you may remove that term. If a license document contains a further restriction but permits relicensing or conveying under this License, you may add to a covered work material governed by the terms of that license document, provided that the further restriction does not survive such relicensing or conveying. If you add terms to a covered work in accord with this section, you must place, in the relevant source files, a statement of the additional terms that apply to those files, or a notice indicating where to find the applicable terms. Additional terms, permissive or non-permissive, may be stated in the form of a separately written license, or stated as exceptions; the above requirements apply either way. 8. Termination. You may not propagate or modify a covered work except as expressly provided under this License. Any attempt otherwise to propagate or modify it is void, and will automatically terminate your rights under this License (including any patent licenses granted under the third paragraph of section 11). However, if you cease all violation of this License, then your license from a particular copyright holder is reinstated (a) provisionally, unless and until the copyright holder explicitly and finally terminates your license, and (b) permanently, if the copyright holder fails to notify you of the violation by some reasonable means prior to 60 days after the cessation. Moreover, your license from a particular copyright holder is reinstated permanently if the copyright holder notifies you of the violation by some reasonable means, this is the first time you have received notice of violation of this License (for any work) from that copyright holder, and you cure the violation prior to 30 days after your receipt of the notice. Termination of your rights under this section does not terminate the licenses of parties who have received copies or rights from you under this License. If your rights have been terminated and not permanently reinstated, you do not qualify to receive new licenses for the same material under section 10. 9. Acceptance Not Required for Having Copies. You are not required to accept this License in order to receive or run a copy of the Program. Ancillary propagation of a covered work occurring solely as a consequence of using peer-to-peer transmission to receive a copy likewise does not require acceptance. However, nothing other than this License grants you permission to propagate or modify any covered work. These actions infringe copyright if you do not accept this License. Therefore, by modifying or propagating a covered work, you indicate your acceptance of this License to do so. 10. Automatic Licensing of Downstream Recipients. Each time you convey a covered work, the recipient automatically receives a license from the original licensors, to run, modify and propagate that work, subject to this License. You are not responsible for enforcing compliance by third parties with this License. An "entity transaction" is a transaction transferring control of an organization, or substantially all assets of one, or subdividing an organization, or merging organizations. If propagation of a covered work results from an entity transaction, each party to that transaction who receives a copy of the work also receives whatever licenses to the work the party's predecessor in interest had or could give under the previous paragraph, plus a right to possession of the Corresponding Source of the work from the predecessor in interest, if the predecessor has it or can get it with reasonable efforts. You may not impose any further restrictions on the exercise of the rights granted or affirmed under this License. For example, you may not impose a license fee, royalty, or other charge for exercise of rights granted under this License, and you may not initiate litigation (including a cross-claim or counterclaim in a lawsuit) alleging that any patent claim is infringed by making, using, selling, offering for sale, or importing the Program or any portion of it. 11. Patents. A "contributor" is a copyright holder who authorizes use under this License of the Program or a work on which the Program is based. The work thus licensed is called the contributor's "contributor version". A contributor's "essential patent claims" are all patent claims owned or controlled by the contributor, whether already acquired or hereafter acquired, that would be infringed by some manner, permitted by this License, of making, using, or selling its contributor version, but do not include claims that would be infringed only as a consequence of further modification of the contributor version. For purposes of this definition, "control" includes the right to grant patent sublicenses in a manner consistent with the requirements of this License. Each contributor grants you a non-exclusive, worldwide, royalty-free patent license under the contributor's essential patent claims, to make, use, sell, offer for sale, import and otherwise run, modify and propagate the contents of its contributor version. In the following three paragraphs, a "patent license" is any express agreement or commitment, however denominated, not to enforce a patent (such as an express permission to practice a patent or covenant not to sue for patent infringement). To "grant" such a patent license to a party means to make such an agreement or commitment not to enforce a patent against the party. If you convey a covered work, knowingly relying on a patent license, and the Corresponding Source of the work is not available for anyone to copy, free of charge and under the terms of this License, through a publicly available network server or other readily accessible means, then you must either (1) cause the Corresponding Source to be so available, or (2) arrange to deprive yourself of the benefit of the patent license for this particular work, or (3) arrange, in a manner consistent with the requirements of this License, to extend the patent license to downstream recipients. "Knowingly relying" means you have actual knowledge that, but for the patent license, your conveying the covered work in a country, or your recipient's use of the covered work in a country, would infringe one or more identifiable patents in that country that you have reason to believe are valid. If, pursuant to or in connection with a single transaction or arrangement, you convey, or propagate by procuring conveyance of, a covered work, and grant a patent license to some of the parties receiving the covered work authorizing them to use, propagate, modify or convey a specific copy of the covered work, then the patent license you grant is automatically extended to all recipients of the covered work and works based on it. A patent license is "discriminatory" if it does not include within the scope of its coverage, prohibits the exercise of, or is conditioned on the non-exercise of one or more of the rights that are specifically granted under this License. You may not convey a covered work if you are a party to an arrangement with a third party that is in the business of distributing software, under which you make payment to the third party based on the extent of your activity of conveying the work, and under which the third party grants, to any of the parties who would receive the covered work from you, a discriminatory patent license (a) in connection with copies of the covered work conveyed by you (or copies made from those copies), or (b) primarily for and in connection with specific products or compilations that contain the covered work, unless you entered into that arrangement, or that patent license was granted, prior to 28 March 2007. Nothing in this License shall be construed as excluding or limiting any implied license or other defenses to infringement that may otherwise be available to you under applicable patent law. 12. No Surrender of Others' Freedom. If conditions are imposed on you (whether by court order, agreement or otherwise) that contradict the conditions of this License, they do not excuse you from the conditions of this License. If you cannot convey a covered work so as to satisfy simultaneously your obligations under this License and any other pertinent obligations, then as a consequence you may not convey it at all. For example, if you agree to terms that obligate you to collect a royalty for further conveying from those to whom you convey the Program, the only way you could satisfy both those terms and this License would be to refrain entirely from conveying the Program. 13. Use with the GNU Affero General Public License. Notwithstanding any other provision of this License, you have permission to link or combine any covered work with a work licensed under version 3 of the GNU Affero General Public License into a single combined work, and to convey the resulting work. The terms of this License will continue to apply to the part which is the covered work, but the special requirements of the GNU Affero General Public License, section 13, concerning interaction through a network will apply to the combination as such. 14. Revised Versions of this License. The Free Software Foundation may publish revised and/or new versions of the GNU General Public License from time to time. Such new versions will be similar in spirit to the present version, but may differ in detail to address new problems or concerns. Each version is given a distinguishing version number. If the Program specifies that a certain numbered version of the GNU General Public License "or any later version" applies to it, you have the option of following the terms and conditions either of that numbered version or of any later version published by the Free Software Foundation. If the Program does not specify a version number of the GNU General Public License, you may choose any version ever published by the Free Software Foundation. If the Program specifies that a proxy can decide which future versions of the GNU General Public License can be used, that proxy's public statement of acceptance of a version permanently authorizes you to choose that version for the Program. Later license versions may give you additional or different permissions. However, no additional obligations are imposed on any author or copyright holder as a result of your choosing to follow a later version. 15. Disclaimer of Warranty. THERE IS NO WARRANTY FOR THE PROGRAM, TO THE EXTENT PERMITTED BY APPLICABLE LAW. EXCEPT WHEN OTHERWISE STATED IN WRITING THE COPYRIGHT HOLDERS AND/OR OTHER PARTIES PROVIDE THE PROGRAM "AS IS" WITHOUT WARRANTY OF ANY KIND, EITHER EXPRESSED OR IMPLIED, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE. THE ENTIRE RISK AS TO THE QUALITY AND PERFORMANCE OF THE PROGRAM IS WITH YOU. SHOULD THE PROGRAM PROVE DEFECTIVE, YOU ASSUME THE COST OF ALL NECESSARY SERVICING, REPAIR OR CORRECTION. 16. Limitation of Liability. IN NO EVENT UNLESS REQUIRED BY APPLICABLE LAW OR AGREED TO IN WRITING WILL ANY COPYRIGHT HOLDER, OR ANY OTHER PARTY WHO MODIFIES AND/OR CONVEYS THE PROGRAM AS PERMITTED ABOVE, BE LIABLE TO YOU FOR DAMAGES, INCLUDING ANY GENERAL, SPECIAL, INCIDENTAL OR CONSEQUENTIAL DAMAGES ARISING OUT OF THE USE OR INABILITY TO USE THE PROGRAM (INCLUDING BUT NOT LIMITED TO LOSS OF DATA OR DATA BEING RENDERED INACCURATE OR LOSSES SUSTAINED BY YOU OR THIRD PARTIES OR A FAILURE OF THE PROGRAM TO OPERATE WITH ANY OTHER PROGRAMS), EVEN IF SUCH HOLDER OR OTHER PARTY HAS BEEN ADVISED OF THE POSSIBILITY OF SUCH DAMAGES. 17. Interpretation of Sections 15 and 16. If the disclaimer of warranty and limitation of liability provided above cannot be given local legal effect according to their terms, reviewing courts shall apply local law that most closely approximates an absolute waiver of all civil liability in connection with the Program, unless a warranty or assumption of liability accompanies a copy of the Program in return for a fee. END OF TERMS AND CONDITIONS How to Apply These Terms to Your New Programs If you develop a new program, and you want it to be of the greatest possible use to the public, the best way to achieve this is to make it free software which everyone can redistribute and change under these terms. To do so, attach the following notices to the program. It is safest to attach them to the start of each source file to most effectively state the exclusion of warranty; and each file should have at least the "copyright" line and a pointer to where the full notice is found. Copyright (C) This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . Also add information on how to contact you by electronic and paper mail. If the program does terminal interaction, make it output a short notice like this when it starts in an interactive mode: Copyright (C) This program comes with ABSOLUTELY NO WARRANTY; for details type `show w'. This is free software, and you are welcome to redistribute it under certain conditions; type `show c' for details. The hypothetical commands `show w' and `show c' should show the appropriate parts of the General Public License. Of course, your program's commands might be different; for a GUI interface, you would use an "about box". You should also get your employer (if you work as a programmer) or school, if any, to sign a "copyright disclaimer" for the program, if necessary. For more information on this, and how to apply and follow the GNU GPL, see . The GNU General Public License does not permit incorporating your program into proprietary programs. If your program is a subroutine library, you may consider it more useful to permit linking proprietary applications with the library. If this is what you want to do, use the GNU Lesser General Public License instead of this License. But first, please read . unison-2.40.102/fingerprint.mli0000644006131600613160000000100511361646373016435 0ustar bcpiercebcpierce(* Unison file synchronizer: src/fingerprint.mli *) (* Copyright 1999-2009, Benjamin C. Pierce (see COPYING for details) *) type t (* Os.safeFingerprint should usually be used rather than these functions *) val file : Fspath.t -> Path.local -> t val subfile : Fspath.t -> Int64.t -> Uutil.Filesize.t -> t val string : string -> t val toString : t -> string (* This dummy fingerprint is guaranteed small and distinct from all other fingerprints *) val dummy : t val hash : t -> int val equal : t -> t -> bool unison-2.40.102/globals.mli0000644006131600613160000000761711361646373015550 0ustar bcpiercebcpierce(* Unison file synchronizer: src/globals.mli *) (* Copyright 1999-2009, Benjamin C. Pierce (see COPYING for details) *) (* Global variables and functions needed by top-level modules and user *) (* interfaces *) (* The raw names of the roots as specified in the profile or on the command *) (* line *) val rawRoots : unit -> string list val setRawRoots : string list -> unit val rawRootPair : unit -> string * string (* Parse and canonize roots from their raw names *) val installRoots : (string -> string -> string) option -> unit Lwt.t (* An alternate method (under development?) *) val installRoots2 : unit -> unit (* The roots of the synchronization (with names canonized, but in the same *) (* order as the user gave them) *) val roots : unit -> Common.root * Common.root (* same thing, as a list *) val rootsList : unit -> Common.root list (* same thing, but in a standard order and ensuring that a Local root *) (* comes first *) val rootsInCanonicalOrder : unit -> Common.root list (* a local root *) val localRoot : unit -> Common.root (* Run a command on all roots *) val allRootsIter : (Common.root -> unit Lwt.t) -> unit Lwt.t (* Run a command on all roots *) val allRootsIter2 : (Common.root -> 'a -> unit Lwt.t) -> 'a list -> unit Lwt.t (* Run a command on all roots and collect results *) val allRootsMap : (Common.root -> 'a Lwt.t) -> 'a list Lwt.t (* Run a command on all roots in parallel, and collect the results. *) (* [allRootsMapWIthWaitingAction f wa] calls the function [wa] before *) (* waiting for the result for the corresponding root. *) val allRootsMapWithWaitingAction: (Common.root -> 'a Lwt.t) -> (Common.root -> unit) -> 'a list Lwt.t (* The set of paths to synchronize within the replicas *) val paths : Path.t list Prefs.t (* Expand any paths ending with * *) val expandWildcardPaths : unit -> unit (* Run a command on all hosts in roots *) val allHostsIter : (string -> unit Lwt.t) -> unit Lwt.t (* Run a command on all hosts in roots and collect results *) val allHostsMap : (string -> 'a) -> 'a list (* Make sure that the server has the same settings for its preferences as we *) (* do locally. Should be called whenever the local preferences have *) (* changed. (This isn't conceptually a part of this module, but it can't *) (* live in the Prefs module because that would introduce a circular *) (* dependency.) *) val propagatePrefs : unit -> unit Lwt.t (* User preference: when true, don't ask any questions *) val batch : bool Prefs.t (* User preference: ask for confirmation when propagating a deletion of a whole replica or top-level path *) val confirmBigDeletes : bool Prefs.t (* Predicates on paths *) val shouldIgnore : 'a Path.path -> bool val shouldMerge : 'a Path.path -> bool val ignorePred : Pred.t val ignorenotPred : Pred.t (* Be careful calling this to add new patterns to be ignored: Its value does NOT persist when a new profile is loaded, so it has to be called again whenever this happens. *) val addRegexpToIgnore : string -> unit (* Merging commands *) val mergeCmdForPath : Path.t -> string (* Internal prefs, needed to know whether to do filenames checks *) val someHostIsRunningWindows : bool Prefs.t val allHostsAreRunningWindows : bool Prefs.t val fatFilesystem : bool Prefs.t unison-2.40.102/fileinfo.ml0000644006131600613160000001751211361646373015542 0ustar bcpiercebcpierce(* Unison file synchronizer: src/fileinfo.ml *) (* Copyright 1999-2009, Benjamin C. Pierce This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . *) let debugV = Util.debug "fileinfo+" let allowSymlinks = Prefs.createBoolWithDefault "links" "!allow the synchronization of symbolic links (true/false/default)" ("When set to {\\tt true}, this flag causes Unison to synchronize \ symbolic links. When the flag is set to {\\tt false}, symbolic \ links will result in an error during update detection. \ Ordinarily, when the flag is set to {\\tt default}, symbolic \ links are synchronized except when one of the hosts is running \ Windows. In rare circumstances it may be useful to set the flag \ manually.") let symlinksAllowed = Prefs.createBool "links-aux" true "*Pseudo-preference for internal use only" "" let init b = Prefs.set symlinksAllowed (Prefs.read allowSymlinks = `True || (Prefs.read allowSymlinks = `Default && not b)) type typ = [ `ABSENT | `FILE | `DIRECTORY | `SYMLINK ] let type2string = function `ABSENT -> "nonexistent" | `FILE -> "file" | `DIRECTORY -> "dir" | `SYMLINK -> "symlink" type t = { typ : typ; inode : int; desc : Props.t; osX : Osx.info} (* Stat function that pays attention to pref for following links *) let statFn fromRoot fspath path = let fullpath = Fspath.concat fspath path in let stats = Fs.lstat fullpath in if stats.Unix.LargeFile.st_kind = Unix.S_LNK && fromRoot && Path.followLink path then try Fs.stat fullpath with Unix.Unix_error((Unix.ENOENT | Unix.ENOTDIR),_,_) -> raise (Util.Transient (Printf.sprintf "Path %s is marked 'follow' but its target is missing" (Fspath.toPrintString fullpath))) else stats let get fromRoot fspath path = Util.convertUnixErrorsToTransient "querying file information" (fun () -> try let stats = statFn fromRoot fspath path in debugV (fun () -> Util.msg "%s: %b %f %f\n" (Fspath.toDebugString (Fspath.concat fspath path)) fromRoot stats.Unix.LargeFile.st_ctime stats.Unix.LargeFile.st_mtime); let typ = match stats.Unix.LargeFile.st_kind with Unix.S_REG -> `FILE | Unix.S_DIR -> `DIRECTORY | Unix.S_LNK -> if not fromRoot || Prefs.read symlinksAllowed then `SYMLINK else raise (Util.Transient (Format.sprintf "path %s is a symbolic link" (Fspath.toPrintString (Fspath.concat fspath path)))) | _ -> raise (Util.Transient ("path " ^ (Fspath.toPrintString (Fspath.concat fspath path)) ^ " has unknown file type")) in let osxInfos = Osx.getFileInfos fspath path typ in { typ = typ; inode = (* The inode number is truncated so that it fits in a 31 bit ocaml integer *) stats.Unix.LargeFile.st_ino land 0x3FFFFFFF; desc = Props.get stats osxInfos; osX = osxInfos } with Unix.Unix_error((Unix.ENOENT | Unix.ENOTDIR),_,_) -> { typ = `ABSENT; inode = 0; desc = Props.dummy; osX = Osx.getFileInfos fspath path `ABSENT }) let check fspath path props = Util.convertUnixErrorsToTransient "checking file information" (fun () -> Props.check fspath path (statFn false fspath path) props) let set fspath path action newDesc = let (kind, p) = match action with `Set defDesc -> (* Set the permissions and maybe the other properties *) (* BCP [Nov 2008]: Jerome, in a message to unison-hackers on Oct 5, 2005, suggested that this would be better as `Set, Props.override (get false fspath path).desc newDesc but this does not seem right to me (bcp): if the file was just created, then its permissions are something like 0x600, whereas the default permissions will set the world read bit, etc. *) `Set, Props.override defDesc newDesc | `Copy oldPath -> (* Set the permissions (using the permissions of the file at *) (* [oldPath] as a default) and maybe the other properties *) `Set, Props.override (get false fspath oldPath).desc newDesc | `Update oldDesc -> (* Update the different properties (only if necessary) *) `Update, Props.override (get false fspath path).desc (Props.diff oldDesc newDesc) in Props.set fspath path kind p; check fspath path p type stamp = InodeStamp of int (* inode number, for Unix systems *) | CtimeStamp of float (* creation time, for windows systems *) (* FIX [BCP, 3/07]: The Ctimestamp variant is actually bogus. For file transfers, it appears that using the ctime to detect a file change is completely ineffective as, when a file is deleted (or renamed) and then replaced by another file, the new file inherits the ctime of the old file. It is slightly harmful performancewise, as fastcheck expects ctime to be preserved by renaming. Thus, we should probably not use any stamp under Windows. *) let ignoreInodeNumbers = Prefs.createBool "ignoreinodenumbers" false "!ignore inode number changes when detecting updates" ("When set to true, this preference makes Unison not take advantage \ of inode numbers during fast update detection. \ This switch should be used with care, as it \ is less safe than the standard update detection method, but it \ can be useful with filesystems which do not support inode numbers.") let _ = Prefs.alias ignoreInodeNumbers "pretendwin" let stamp info = (* Was "CtimeStamp info.ctime", but this is bogus: Windows ctimes are not reliable. *) if Prefs.read ignoreInodeNumbers then CtimeStamp 0.0 else if Fs.hasInodeNumbers () then InodeStamp info.inode else CtimeStamp 0.0 let ressStamp info = Osx.stamp info.osX let unchanged fspath path info = (* The call to [Util.time] must be before the call to [get] *) let t0 = Util.time () in let info' = get true fspath path in let dataUnchanged = Props.same_time info.desc info'.desc && stamp info = stamp info' && if Props.time info'.desc = t0 then begin Unix.sleep 1; false end else true in (info', dataUnchanged, Osx.ressUnchanged info.osX.Osx.ressInfo info'.osX.Osx.ressInfo (Some t0) dataUnchanged) (****) let get' f = Util.convertUnixErrorsToTransient "querying file information" (fun () -> try let stats = System.stat f in let typ = `FILE in let osxInfos = Osx.defaultInfos typ in { typ = typ; inode = stats.Unix.LargeFile.st_ino land 0x3FFFFFFF; desc = Props.get stats osxInfos; osX = osxInfos } with Unix.Unix_error((Unix.ENOENT | Unix.ENOTDIR),_,_) -> { typ = `ABSENT; inode = 0; desc = Props.dummy; osX = Osx.defaultInfos `ABSENT }) unison-2.40.102/remote.ml0000644006131600613160000014674411361646373015254 0ustar bcpiercebcpierce(* Unison file synchronizer: src/remote.ml *) (* Copyright 1999-2009, Benjamin C. Pierce This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . *) let (>>=) = Lwt.bind let debug = Trace.debug "remote" let debugV = Trace.debug "remote_emit+" let debugE = Trace.debug "remote+" let debugT = Trace.debug "remote+" (* BCP: The previous definitions of the last two were like this: let debugE = Trace.debug "remote_emit" let debugT = Trace.debug "thread" But that resulted in huge amounts of output from '-debug all'. *) let _ = if Sys.os_type = "Unix" then ignore(Sys.set_signal Sys.sigpipe Sys.Signal_ignore) let _ = if Sys.os_type = "Unix" then ignore(Sys.set_signal Sys.sigpipe Sys.Signal_ignore) (* Flow-control mechanism (only active under Windows). Only one side is allowed to send messages at any given time. Once it has finished sending messages, a special message is sent meaning that the destination is now allowed to send messages. Threads behave in a very controlled way: they only perform possibly blocking I/Os through the remote module, and never call Lwt_unix.yield. This mean that when one side gives up its right to write, we know that no matter how long we wait, it will not have anything to write. This ensures that there is no deadlock. A more robust protocol would be to give up write permission whenever idle (not just after having sent at least one message). But then, there is the risk that the two sides exchange spurious messages. *) (****) let intSize = 5 let intHash x = ((x * 791538121) lsr 23 + 17) land 255 let encodeInt m = let int_buf = Bytearray.create intSize in int_buf.{0} <- Char.chr ( m land 0xff); int_buf.{1} <- Char.chr ((m lsr 8) land 0xff); int_buf.{2} <- Char.chr ((m lsr 16) land 0xff); int_buf.{3} <- Char.chr ((m lsr 24) land 0xff); int_buf.{4} <- Char.chr (intHash m); (int_buf, 0, intSize) let decodeInt int_buf i = let b0 = Char.code (int_buf.{i + 0}) in let b1 = Char.code (int_buf.{i + 1}) in let b2 = Char.code (int_buf.{i + 2}) in let b3 = Char.code (int_buf.{i + 3}) in let m = (b3 lsl 24) lor (b2 lsl 16) lor (b1 lsl 8) lor b0 in if Char.code (int_buf.{i + 4}) <> intHash m then raise (Util.Fatal "Protocol error: corrupted message received;\n\ if it happens to you in a repeatable way, \n\ please post a report on the unison-users mailing list."); m (*************************************************************************) (* LOW-LEVEL IO *) (*************************************************************************) let lostConnection () = Lwt.fail (Util.Fatal "Lost connection with the server") let catchIoErrors th = Lwt.catch th (fun e -> match e with Unix.Unix_error(Unix.ECONNRESET, _, _) | Unix.Unix_error(Unix.EPIPE, _, _) (* Windows may also return the following errors... *) | Unix.Unix_error(Unix.EINVAL, _, _) | Unix.Unix_error(Unix.EUNKNOWNERR (-64), _, _) (* ERROR_NETNAME_DELETED *) | Unix.Unix_error(Unix.EUNKNOWNERR (-233), _, _) -> (* ERROR_PIPE_NOT_CONNECTED *) (* Client has closed its end of the connection *) lostConnection () | _ -> Lwt.fail e) (****) let receivedBytes = ref 0. let emittedBytes = ref 0. (****) (* I/O buffers *) type ioBuffer = { channel : Lwt_unix.file_descr; buffer : string; mutable length : int; mutable opened : bool } let bufferSize = 16384 (* No point in making this larger, as the Ocaml Unix library uses a buffer of this size *) let makeBuffer ch = { channel = ch; buffer = String.create bufferSize; length = 0; opened = true } (****) (* Low-level inputs *) let fillInputBuffer conn = assert (conn.length = 0); catchIoErrors (fun () -> Lwt_unix.read conn.channel conn.buffer 0 bufferSize >>= fun len -> debugV (fun() -> if len = 0 then Util.msg "grab: EOF\n" else Util.msg "grab: %s\n" (String.escaped (String.sub conn.buffer 0 len))); if len = 0 then lostConnection () else begin receivedBytes := !receivedBytes +. float len; conn.length <- len; Lwt.return () end) let rec grabRec conn s pos len = if conn.length = 0 then begin fillInputBuffer conn >>= fun () -> grabRec conn s pos len end else begin let l = min (len - pos) conn.length in Bytearray.blit_from_string conn.buffer 0 s pos l; conn.length <- conn.length - l; if conn.length > 0 then String.blit conn.buffer l conn.buffer 0 conn.length; if pos + l < len then grabRec conn s (pos + l) len else Lwt.return () end let grab conn s len = assert (len > 0); assert (Bytearray.length s <= len); grabRec conn s 0 len let peekWithoutBlocking conn = String.sub conn.buffer 0 conn.length (****) (* Low-level outputs *) let rec sendOutput conn = catchIoErrors (fun () -> begin if conn.opened then Lwt_unix.write conn.channel conn.buffer 0 conn.length else Lwt.return conn.length end >>= fun len -> debugV (fun() -> Util.msg "dump: %s\n" (String.escaped (String.sub conn.buffer 0 len))); emittedBytes := !emittedBytes +. float len; conn.length <- conn.length - len; if conn.length > 0 then String.blit conn.buffer len conn.buffer 0 conn.length; Lwt.return ()) let rec fillBuffer2 conn s pos len = if conn.length = bufferSize then sendOutput conn >>= fun () -> fillBuffer2 conn s pos len else begin let l = min (len - pos) (bufferSize - conn.length) in Bytearray.blit_to_string s pos conn.buffer conn.length l; conn.length <- conn.length + l; if pos + l < len then fillBuffer2 conn s (pos + l) len else Lwt.return () end let rec fillBuffer conn l = match l with (s, pos, len) :: rem -> assert (pos >= 0); assert (len >= 0); assert (pos <= Bytearray.length s - len); fillBuffer2 conn s pos len >>= fun () -> fillBuffer conn rem | [] -> Lwt.return () let rec flushBuffer conn = if conn.length > 0 then sendOutput conn >>= fun () -> flushBuffer conn else Lwt.return () (****) (* Output scheduling *) type kind = Normal | Idle | Last | Urgent type outputQueue = { mutable available : bool; mutable canWrite : bool; mutable flowControl : bool; writes : (kind * (unit -> unit Lwt.t) * unit Lwt.t) Queue.t; urgentWrites : (kind * (unit -> unit Lwt.t) * unit Lwt.t) Queue.t; idleWrites : (kind * (unit -> unit Lwt.t) * unit Lwt.t) Queue.t; flush : outputQueue -> unit Lwt.t } let rec performOutputRec q (kind, action, res) = action () >>= fun () -> Lwt.wakeup res (); popOutputQueues q and popOutputQueues q = if not (Queue.is_empty q.urgentWrites) then performOutputRec q (Queue.take q.urgentWrites) else if not (Queue.is_empty q.writes) && q.canWrite then performOutputRec q (Queue.take q.writes) else if not (Queue.is_empty q.idleWrites) && q.canWrite then performOutputRec q (Queue.take q.idleWrites) else begin q.available <- true; (* Flush asynchronously the output *) Lwt.ignore_result (q.flush q); Lwt.return () end (* Perform an output action in an atomic way *) let performOutput q kind action = if q.available && (kind = Urgent || q.canWrite) then begin q.available <- false; performOutputRec q (kind, action, Lwt.wait ()) end else begin let res = Lwt.wait () in Queue.add (kind, action, res) (match kind with Urgent -> q.urgentWrites | Normal -> q.writes | Idle -> q.idleWrites | Last -> assert false); res end let allowWrites q = assert (not q.canWrite); q.canWrite <- true; q.available <- false; (* We yield to let the receiving thread restart and to let some time to the requests to be processed *) Lwt.ignore_result (Lwt_unix.yield () >>= fun () -> popOutputQueues q) let disableFlowControl q = q.flowControl <- false; if not q.canWrite then allowWrites q let outputQueueIsEmpty q = q.available let makeOutputQueue isServer flush = { available = true; canWrite = isServer; flowControl = true; writes = Queue.create (); urgentWrites = Queue.create (); idleWrites = Queue.create (); flush = flush } (****) type connection = { inputBuffer : ioBuffer; outputBuffer : ioBuffer; outputQueue : outputQueue } let maybeFlush pendingFlush q buf = (* We return immediately if a flush is already scheduled, or if the output buffer is already empty. *) (* If we are doing flow control and we can write, we need to send a write token even when the buffer is empty. *) if !pendingFlush || (buf.length = 0 && not (q.flowControl && q.canWrite)) then Lwt.return () else begin pendingFlush := true; (* Wait a bit, in case there are some new requests being processed *) Lwt_unix.yield () >>= fun () -> pendingFlush := false; (* If there are other writes scheduled, we do not flush yet *) if outputQueueIsEmpty q then begin performOutput q Last (fun () -> if q.flowControl then begin debugE (fun() -> Util.msg "Sending write token\n"); q.canWrite <- false; fillBuffer buf [encodeInt 0] >>= fun () -> flushBuffer buf end else flushBuffer buf) >>= fun () -> Lwt.return () end else Lwt.return () end let makeConnection isServer inCh outCh = let pendingFlush = ref false in let outputBuffer = makeBuffer outCh in { inputBuffer = makeBuffer inCh; outputBuffer = outputBuffer; outputQueue = makeOutputQueue isServer (fun q -> maybeFlush pendingFlush q outputBuffer) } (* Send message [l] *) let dump conn l = performOutput conn.outputQueue Normal (fun () -> fillBuffer conn.outputBuffer l) (* Send message [l] when idle *) let dumpIdle conn l = performOutput conn.outputQueue Idle (fun () -> fillBuffer conn.outputBuffer l) (* Send message [l], even if write are disabled. This is used for aborting rapidly a stream. This works as long as only one small message is written at a time (the write will succeed as the pipe will not be full) *) let dumpUrgent conn l = performOutput conn.outputQueue Urgent (fun () -> fillBuffer conn.outputBuffer l >>= fun () -> flushBuffer conn.outputBuffer) (****) (* Initialize the connection *) let setupIO isServer inCh outCh = makeConnection isServer inCh outCh (* XXX *) module Thread = struct let unwindProtect f cleanup = Lwt.catch f (fun e -> match e with Util.Transient err | Util.Fatal err -> debugT (fun () -> Util.msg "Exception caught by Thread.unwindProtect: %s\n" err); Lwt.catch (fun () -> cleanup e) (fun e' -> Util.encodeException "Thread.unwindProtect" `Fatal e') >>= (fun () -> Lwt.fail e) | _ -> Lwt.fail e) end (*****************************************************************************) (* MARSHALING *) (*****************************************************************************) type tag = Bytearray.t type 'a marshalFunction = 'a -> (Bytearray.t * int * int) list -> (Bytearray.t * int * int) list type 'a unmarshalFunction = Bytearray.t -> 'a type 'a marshalingFunctions = 'a marshalFunction * 'a unmarshalFunction let registeredSet = ref Util.StringSet.empty let rec first_chars len msg = match msg with [] -> "" | (s, p, l) :: rem -> if l < len then Bytearray.sub s p l ^ first_chars (len - l) rem else Bytearray.sub s p len let safeMarshal marshalPayload tag data rem = let (rem', length) = marshalPayload data rem in let l = Bytearray.length tag in debugE (fun() -> let start = first_chars (min length 10) rem' in let start = if length > 10 then start ^ "..." else start in let start = String.escaped start in Util.msg "send [%s] '%s' %d bytes\n" (Bytearray.to_string tag) start length); (encodeInt (l + length) :: (tag, 0, l) :: rem') let safeUnmarshal unmarshalPayload tag buf = let taglength = Bytearray.length tag in if Bytearray.prefix tag buf 0 then unmarshalPayload buf taglength else let identifier = String.escaped (Bytearray.sub buf 0 (min taglength (Bytearray.length buf))) in raise (Util.Fatal (Printf.sprintf "[safeUnmarshal] expected '%s' but got '%s'" (String.escaped (Bytearray.to_string tag)) identifier)) let registerTag string = if Util.StringSet.mem string !registeredSet then raise (Util.Fatal (Printf.sprintf "tag %s is already registered" string)) else registeredSet := Util.StringSet.add string !registeredSet; Bytearray.of_string string let defaultMarshalingFunctions = (fun data rem -> let s = Bytearray.marshal data [Marshal.No_sharing] in let l = Bytearray.length s in ((s, 0, l) :: rem, l)), (fun buf pos -> Bytearray.unmarshal buf pos) let makeMarshalingFunctions payloadMarshalingFunctions string = let (marshalPayload, unmarshalPayload) = payloadMarshalingFunctions in let tag = registerTag string in let marshal (data : 'a) rem = safeMarshal marshalPayload tag data rem in let unmarshal buf = (safeUnmarshal unmarshalPayload tag buf : 'a) in (marshal, unmarshal) (*****************************************************************************) (* SERVER SETUP *) (*****************************************************************************) (* BCPFIX: Now that we've beefed up the clroot data structure, shouldn't these be part of it too? *) let sshCmd = Prefs.createString "sshcmd" "ssh" ("!path to the ssh executable") ("This preference can be used to explicitly set the name of the " ^ "ssh executable (e.g., giving a full path name), if necessary.") let rshCmd = Prefs.createString "rshcmd" "rsh" ("*path to the rsh executable") ("This preference can be used to explicitly set the name of the " ^ "rsh executable (e.g., giving a full path name), if necessary.") let rshargs = Prefs.createString "rshargs" "" "*other arguments (if any) for remote shell command" ("The string value of this preference will be passed as additional " ^ "arguments (besides the host name and the name of the Unison " ^ "executable on the remote system) to the \\verb|rsh| " ^ "command used to invoke the remote server. " ) let sshargs = Prefs.createString "sshargs" "" "!other arguments (if any) for remote shell command" ("The string value of this preference will be passed as additional " ^ "arguments (besides the host name and the name of the Unison " ^ "executable on the remote system) to the \\verb|ssh| " ^ "command used to invoke the remote server. " ) let serverCmd = Prefs.createString "servercmd" "" ("!name of " ^ Uutil.myName ^ " executable on remote server") ("This preference can be used to explicitly set the name of the " ^ "Unison executable on the remote server (e.g., giving a full " ^ "path name), if necessary.") let addversionno = Prefs.createBool "addversionno" false ("!add version number to name of " ^ Uutil.myName ^ " on server") ("When this flag is set to {\\tt true}, Unison " ^ "will use \\texttt{unison-\\ARG{currentversionnumber}} instead of " ^ "just \\verb|unison| as the remote server command. This allows " ^ "multiple binaries for different versions of unison to coexist " ^ "conveniently on the same server: whichever version is run " ^ "on the client, the same version will be selected on the server.") (* List containing the connected hosts and the file descriptors of the communication. *) let connectionsByHosts = ref [] (* Gets the Read/Write file descriptors for a host; the connection must have been set up by canonizeRoot before calling *) let hostConnection host = try Safelist.assoc host !connectionsByHosts with Not_found -> raise(Util.Fatal "Remote.hostConnection") (* connectedHosts is a list of command-line roots and their corresponding canonical host names. Local command-line roots are not in the list. Although there can only be one remote host per sync, it's possible connectedHosts to hold more than one hosts if more than one sync is performed. It's also possible for there to be two connections open for the same canonical root. *) let connectedHosts = ref [] (********************************************************************** CLIENT/SERVER PROTOCOLS **********************************************************************) (* Each protocol has a name, a client side, and a server side. The server remembers the server side of each protocol in a table indexed by protocol name. The function of the server is to wait for the client to invoke a protocol, and carry out the appropriate server side. Protocols are invoked on the client with arguments for the server side. The result of the protocol is the result of the server side. In types, serverSide : 'a -> 'b That is, the server side takes arguments of type 'a from the client, and returns a result of type 'b. A protocol is started by the client sending a Request packet and then a packet containing the protocol name to the server. The server looks up the server side of the protocol in its table. Next, the client sends a packet containing marshaled arguments for the server side. The server unmarshals the arguments and invokes the server side with the arguments from the client. When the server side completes it gives a result. The server marshals the result and sends it to the client. (Instead of a result, the server may also send back either a Transient or a Fatal error packet). Finally, the client can receive the result packet from the server and unmarshal it. The protocol is fully symmetric, so the server may send a Request packet to invoke a function remotely on the client. In this case, the two switch roles.) *) let receivePacket conn = (* Get the length of the packet *) let int_buf = Bytearray.create intSize in grab conn.inputBuffer int_buf intSize >>= (fun () -> let length = decodeInt int_buf 0 in assert (length >= 0); (* Get packet *) let buf = Bytearray.create length in grab conn.inputBuffer buf length >>= (fun () -> (debugE (fun () -> let start = if length > 10 then (Bytearray.sub buf 0 10) ^ "..." else Bytearray.sub buf 0 length in let start = String.escaped start in Util.msg "receive '%s' %d bytes\n" start length); Lwt.return buf))) type servercmd = connection -> Bytearray.t -> ((Bytearray.t * int * int) list -> (Bytearray.t * int * int) list) Lwt.t let serverCmds = ref (Util.StringMap.empty : servercmd Util.StringMap.t) type serverstream = connection -> Bytearray.t -> unit let serverStreams = ref (Util.StringMap.empty : serverstream Util.StringMap.t) type header = NormalResult | TransientExn of string | FatalExn of string | Request of string | Stream of string | StreamAbort let ((marshalHeader, unmarshalHeader) : header marshalingFunctions) = makeMarshalingFunctions defaultMarshalingFunctions "rsp" let processRequest conn id cmdName buf = let cmd = try Util.StringMap.find cmdName !serverCmds with Not_found -> raise (Util.Fatal (cmdName ^ " not registered!")) in Lwt.try_bind (fun () -> cmd conn buf) (fun marshal -> debugE (fun () -> Util.msg "Sending result (id: %d)\n" (decodeInt id 0)); dump conn ((id, 0, intSize) :: marshalHeader NormalResult (marshal []))) (function Util.Transient s -> debugE (fun () -> Util.msg "Sending transient exception (id: %d)\n" (decodeInt id 0)); dump conn ((id, 0, intSize) :: marshalHeader (TransientExn s) []) | Util.Fatal s -> debugE (fun () -> Util.msg "Sending fatal exception (id: %d)\n" (decodeInt id 0)); dump conn ((id, 0, intSize) :: marshalHeader (FatalExn s) []) | e -> Lwt.fail e) let streamAbortedSrc = ref 0 let streamAbortedDst = ref false let streamError = Hashtbl.create 7 let abortStream conn id = if not !streamAbortedDst then begin streamAbortedDst := true; let request = encodeInt id :: marshalHeader StreamAbort [] in dumpUrgent conn request end else Lwt.return () let processStream conn id cmdName buf = let id = decodeInt id 0 in if Hashtbl.mem streamError id then abortStream conn id else begin begin try let cmd = try Util.StringMap.find cmdName !serverStreams with Not_found -> raise (Util.Fatal (cmdName ^ " not registered!")) in cmd conn buf; Lwt.return () with e -> Hashtbl.add streamError id e; abortStream conn id end end (* Message ids *) type msgId = int module MsgIdMap = Map.Make (struct type t = msgId let compare = compare end) (* An integer just a little smaller than the maximum representable in 30 bits *) let hugeint = 1000000000 let ids = ref 1 let newMsgId () = incr ids; if !ids = hugeint then ids := 2; !ids (* Threads waiting for a response from the other side *) let receivers = ref MsgIdMap.empty let find_receiver id = let thr = MsgIdMap.find id !receivers in receivers := MsgIdMap.remove id !receivers; thr (* Receiving thread: read a message and dispatch it to the right thread or create a new thread to process requests. *) let rec receive conn = begin debugE (fun () -> Util.msg "Waiting for next message\n"); (* Get the message ID *) let id = Bytearray.create intSize in grab conn.inputBuffer id intSize >>= (fun () -> let num_id = decodeInt id 0 in if num_id = 0 then begin debugE (fun () -> Util.msg "Received the write permission\n"); allowWrites conn.outputQueue; receive conn end else begin debugE (fun () -> Util.msg "Message received (id: %d)\n" num_id); (* Read the header *) receivePacket conn >>= (fun buf -> let req = unmarshalHeader buf in begin match req with Request cmdName -> receivePacket conn >>= (fun buf -> (* We yield before starting processing the request. This way, the request may call [Lwt_unix.run] and this will not block the receiving thread. *) Lwt.ignore_result (Lwt_unix.yield () >>= (fun () -> processRequest conn id cmdName buf)); receive conn) | NormalResult -> receivePacket conn >>= (fun buf -> Lwt.wakeup (find_receiver num_id) buf; receive conn) | TransientExn s -> debugV (fun() -> Util.msg "receive: Transient remote error '%s']" s); Lwt.wakeup_exn (find_receiver num_id) (Util.Transient s); receive conn | FatalExn s -> debugV (fun() -> Util.msg "receive: Fatal remote error '%s']" s); Lwt.wakeup_exn (find_receiver num_id) (Util.Fatal ("Server: " ^ s)); receive conn | Stream cmdName -> receivePacket conn >>= fun buf -> processStream conn id cmdName buf >>= fun () -> receive conn | StreamAbort -> streamAbortedSrc := num_id; receive conn end) end) end let wait_for_reply id = let res = Lwt.wait () in receivers := MsgIdMap.add id res !receivers; (* We yield to let the receiving thread restart. This way, the thread may call [Lwt_unix.run] and this will not block the receiving thread. *) Lwt.catch (fun () -> res >>= (fun v -> Lwt_unix.yield () >>= (fun () -> Lwt.return v))) (fun e -> Lwt_unix.yield () >>= (fun () -> Lwt.fail e)) let registerSpecialServerCmd (cmdName : string) marshalingFunctionsArgs marshalingFunctionsResult (serverSide : connection -> 'a -> 'b Lwt.t) = (* Check that this command name has not already been bound *) if (Util.StringMap.mem cmdName !serverCmds) then raise (Util.Fatal (cmdName ^ " already registered!")); (* Create marshaling and unmarshaling functions *) let ((marshalArgs,unmarshalArgs) : 'a marshalingFunctions) = makeMarshalingFunctions marshalingFunctionsArgs (cmdName ^ "-args") in let ((marshalResult,unmarshalResult) : 'b marshalingFunctions) = makeMarshalingFunctions marshalingFunctionsResult (cmdName ^ "-res") in (* Create a server function and remember it *) let server conn buf = let args = unmarshalArgs buf in serverSide conn args >>= (fun answer -> Lwt.return (marshalResult answer)) in serverCmds := Util.StringMap.add cmdName server !serverCmds; (* Create a client function and return it *) let client conn serverArgs = let id = newMsgId () in (* Message ID *) assert (id >= 0); (* tracking down an assert failure in receivePacket... *) let request = encodeInt id :: marshalHeader (Request cmdName) (marshalArgs serverArgs []) in let reply = wait_for_reply id in debugE (fun () -> Util.msg "Sending request (id: %d)\n" id); dump conn request >>= (fun () -> reply >>= (fun buf -> Lwt.return (unmarshalResult buf))) in client let registerServerCmd name f = registerSpecialServerCmd name defaultMarshalingFunctions defaultMarshalingFunctions f (* RegisterHostCmd is a simpler version of registerClientServer [registerServerCmd?]. It is used to create remote procedure calls: the only communication between the client and server is the sending of arguments from client to server, and the sending of the result from the server to the client. Thus, server side does not need the file descriptors for communication with the client. RegisterHostCmd recognizes the case where the server is the local host, and it avoids socket communication in this case. *) let registerHostCmd cmdName cmd = let serverSide = (fun _ args -> cmd args) in let client0 = registerServerCmd cmdName serverSide in let client host args = let conn = hostConnection host in client0 conn args in (* Return a function that runs either the proxy or the local version, depending on whether the call is to the local host or a remote one *) fun host args -> match host with "" -> cmd args | _ -> client host args let hostOfRoot root = match root with (Common.Local, _) -> "" | (Common.Remote host, _) -> host let connectionToRoot root = hostConnection (hostOfRoot root) (* RegisterRootCmd is like registerHostCmd but it indexes connections by root instead of host. *) let registerRootCmd (cmdName : string) (cmd : (Fspath.t * 'a) -> 'b) = let r = registerHostCmd cmdName cmd in fun root args -> r (hostOfRoot root) ((snd root), args) let registerRootCmdWithConnection (cmdName : string) (cmd : connection -> 'a -> 'b) = let client0 = registerServerCmd cmdName cmd in (* Return a function that runs either the proxy or the local version, depending on whether the call is to the local host or a remote one *) fun localRoot remoteRoot args -> match (hostOfRoot localRoot) with "" -> let conn = hostConnection (hostOfRoot remoteRoot) in cmd conn args | _ -> let conn = hostConnection (hostOfRoot localRoot) in client0 conn args let streamReg = Lwt_util.make_region 1 let streamingActivated = Prefs.createBool "stream" true ("!use a streaming protocol for transferring file contents") "When this preference is set, Unison will use an experimental \ streaming protocol for transferring file contents more efficiently. \ The default value is \\texttt{true}." let registerStreamCmd (cmdName : string) marshalingFunctionsArgs (serverSide : connection -> 'a -> unit) = let cmd = registerSpecialServerCmd cmdName marshalingFunctionsArgs defaultMarshalingFunctions (fun conn v -> serverSide conn v; Lwt.return ()) in let ping = registerServerCmd (cmdName ^ "Ping") (fun conn (id : int) -> try let e = Hashtbl.find streamError id in Hashtbl.remove streamError id; streamAbortedDst := false; Lwt.fail e with Not_found -> Lwt.return ()) in (* Check that this command name has not already been bound *) if (Util.StringMap.mem cmdName !serverStreams) then raise (Util.Fatal (cmdName ^ " already registered!")); (* Create marshaling and unmarshaling functions *) let ((marshalArgs,unmarshalArgs) : 'a marshalingFunctions) = makeMarshalingFunctions marshalingFunctionsArgs (cmdName ^ "-str") in (* Create a server function and remember it *) let server conn buf = let args = unmarshalArgs buf in serverSide conn args in serverStreams := Util.StringMap.add cmdName server !serverStreams; (* Create a client function and return it *) let client conn id serverArgs = debugE (fun () -> Util.msg "Sending stream chunk (id: %d)\n" id); if !streamAbortedSrc = id then raise (Util.Transient "Streaming aborted"); let request = encodeInt id :: marshalHeader (Stream cmdName) (marshalArgs serverArgs []) in dumpIdle conn request in fun conn sender -> if not (Prefs.read streamingActivated) then sender (fun v -> cmd conn v) else begin (* At most one active stream at a time *) let id = newMsgId () in (* Message ID *) Lwt.try_bind (fun () -> Lwt_util.run_in_region streamReg 1 (fun () -> sender (fun v -> client conn id v))) (fun v -> ping conn id >>= fun () -> Lwt.return v) (fun e -> ping conn id >>= fun () -> Lwt.fail e) end let commandAvailable = registerRootCmd "commandAvailable" (fun (_, cmdName) -> Lwt.return (Util.StringMap.mem cmdName !serverCmds)) (**************************************************************************** BUILDING CONNECTIONS TO THE SERVER ****************************************************************************) let connectionHeader = "Unison " ^ Uutil.myMajorVersion ^ "\n" let rec checkHeader conn buffer pos len = if pos = len then Lwt.return () else begin (grab conn.inputBuffer buffer 1 >>= (fun () -> if buffer.{0} <> connectionHeader.[pos] then let prefix = String.sub connectionHeader 0 pos ^ Bytearray.to_string buffer in let rest = peekWithoutBlocking conn.inputBuffer in Lwt.fail (Util.Fatal ("Received unexpected header from the server:\n \ expected \"" ^ String.escaped (* (String.sub connectionHeader 0 (pos + 1)) *) connectionHeader ^ "\" but received \"" ^ String.escaped (prefix ^ rest) ^ "\", \n" ^ "which differs at \"" ^ String.escaped prefix ^ "\".\n" ^ "This can happen because you have different versions of Unison\n" ^ "installed on the client and server machines, or because\n" ^ "your connection is failing and somebody is printing an error\n" ^ "message, or because your remote login shell is printing\n" ^ "something itself before starting Unison.")) else checkHeader conn buffer (pos + 1) len)) end (****) (* Disable flow control if possible. Both hosts must use non-blocking I/O (otherwise a dead-lock is possible with ssh). *) let halfduplex = Prefs.createBool "halfduplex" false "!force half-duplex communication with the server" "When this flag is set to {\\tt true}, Unison network communication \ is forced to be half duplex (the client and the server never \ simultaneously emit data). If you experience unstabilities with \ your network link, this may help. The communication is always \ half-duplex when synchronizing with a Windows machine due to a \ limitation of Unison current implementation that could result \ in a deadlock." let negociateFlowControlLocal conn () = disableFlowControl conn.outputQueue; Lwt.return false let negociateFlowControlRemote = registerServerCmd "negociateFlowControl" negociateFlowControlLocal let negociateFlowControl conn = (* Flow control negociation can be done asynchronously. *) if not (Prefs.read halfduplex) then Lwt.ignore_result (negociateFlowControlRemote conn () >>= fun needed -> if not needed then negociateFlowControlLocal conn () else Lwt.return true) (****) let initConnection in_ch out_ch = let conn = setupIO false in_ch out_ch in checkHeader conn (Bytearray.create 1) 0 (String.length connectionHeader) >>= (fun () -> Lwt.ignore_result (receive conn); negociateFlowControl conn; Lwt.return conn) let rec findFirst f l = match l with [] -> Lwt.return None | x :: r -> f x >>= fun v -> match v with None -> findFirst f r | Some _ as v -> Lwt.return v let printAddr host addr = match addr with Unix.ADDR_UNIX s -> assert false | Unix.ADDR_INET (s, p) -> Format.sprintf "%s[%s]:%d" host (Unix.string_of_inet_addr s) p let buildSocket host port kind = let attemptCreation ai = Lwt.catch (fun () -> let socket = Lwt_unix.socket ai.Unix.ai_family ai.Unix.ai_socktype ai.Unix.ai_protocol in Lwt.catch (fun () -> begin match kind with `Connect -> (* Connect (synchronously) to the remote host *) Lwt_unix.connect socket ai.Unix.ai_addr | `Bind -> (* Allow reuse of local addresses for bind *) Lwt_unix.setsockopt socket Unix.SO_REUSEADDR true; (* Bind the socket to portnum on the local host *) Lwt_unix.bind socket ai.Unix.ai_addr; (* Start listening, allow up to 1 pending request *) Lwt_unix.listen socket 1; Lwt.return () end >>= fun () -> Lwt.return (Some socket)) (fun e -> match e with Unix.Unix_error _ -> Lwt_unix.close socket; Lwt.fail e | _ -> Lwt.fail e)) (fun e -> match e with Unix.Unix_error (error, _, _) -> begin match error with Unix.EAFNOSUPPORT | Unix.EPROTONOSUPPORT | Unix.EINVAL -> () | _ -> let msg = match kind with `Connect -> Printf.sprintf "Can't connect to server %s: %s\n" (printAddr host ai.Unix.ai_addr) (Unix.error_message error) | `Bind -> Printf.sprintf "Can't bind socket to port %s at address [%s]: %s\n" port (match ai.Unix.ai_addr with Unix.ADDR_INET (addr, _) -> Unix.string_of_inet_addr addr | _ -> assert false) (Unix.error_message error) in Util.warn msg end; Lwt.return None | _ -> Lwt.fail e) in let options = match kind with `Connect -> [ Unix.AI_SOCKTYPE Unix.SOCK_STREAM ] | `Bind -> [ Unix.AI_SOCKTYPE Unix.SOCK_STREAM ; Unix.AI_PASSIVE ] in findFirst attemptCreation (Unix.getaddrinfo host port options) >>= fun res -> match res with Some socket -> Lwt.return socket | None -> let msg = match kind with `Connect -> Printf.sprintf "Failed to connect to the server on host %s:%s" host port | `Bind -> if host = "" then Printf.sprintf "Can't bind socket to port %s" port else Printf.sprintf "Can't bind socket to port %s on host %s" port host in Lwt.fail (Util.Fatal msg) let buildSocketConnection host port = buildSocket host port `Connect >>= fun socket -> initConnection socket socket let buildShellConnection shell host userOpt portOpt rootName termInteract = let remoteCmd = (if Prefs.read serverCmd="" then Uutil.myName else Prefs.read serverCmd) ^ (if Prefs.read addversionno then "-" ^ Uutil.myMajorVersion else "") ^ " -server" in let userArgs = match userOpt with None -> [] | Some user -> ["-l"; user] in let portArgs = match portOpt with None -> [] | Some port -> ["-p"; port] in let shellCmd = (if shell = "ssh" then Prefs.read sshCmd else if shell = "rsh" then Prefs.read rshCmd else shell) in let shellCmdArgs = (if shell = "ssh" then Prefs.read sshargs else if shell = "rsh" then Prefs.read rshargs else "") in let preargs = ([shellCmd]@userArgs@portArgs@ [host]@ (if shell="ssh" then ["-e none"] else [])@ [shellCmdArgs;remoteCmd]) in (* Split compound arguments at space chars, to make create_process happy *) let args = Safelist.concat (Safelist.map (fun s -> Util.splitIntoWords s ' ') preargs) in let argsarray = Array.of_list args in let (i1,o1) = Lwt_unix.pipe_out () in let (i2,o2) = Lwt_unix.pipe_in () in (* We need to make sure that there is only one reader and one writer by pipe, so that, when one side of the connection dies, the other side receives an EOF or a SIGPIPE. *) Lwt_unix.set_close_on_exec i2; Lwt_unix.set_close_on_exec o1; (* We add CYGWIN=binmode to the environment before calling ssh because the cygwin implementation on Windows sometimes puts the pipe in text mode (which does end of line translation). Specifically, if unison is invoked from a DOS command prompt or other non-cygwin context, the pipe goes into text mode; this does not happen if unison is invoked from cygwin's bash. By setting CYGWIN=binmode we force the pipe to remain in binary mode. *) System.putenv "CYGWIN" "binmode"; debug (fun ()-> Util.msg "Shell connection: %s (%s)\n" shellCmd (String.concat ", " args)); let term = Util.convertUnixErrorsToFatal "starting shell connection" (fun () -> match termInteract with None -> ignore (System.create_process shellCmd argsarray i1 o2 Unix.stderr); None | Some callBack -> fst (Terminal.create_session shellCmd argsarray i1 o2 Unix.stderr)) in Unix.close i1; Unix.close o2; begin match term, termInteract with | Some fdTerm, Some callBack -> Terminal.handlePasswordRequests fdTerm (callBack rootName) | _ -> () end; initConnection i2 o1 let canonizeLocally s unicode = (* We need to select the proper API in order to compute correctly the canonical fspath *) Fs.setUnicodeEncoding unicode; Fspath.canonize s let canonizeOnServer = registerServerCmd "canonizeOnServer" (fun _ (s, unicode) -> Lwt.return (Os.myCanonicalHostName, canonizeLocally s unicode)) let canonize clroot = (* connection for clroot must have been set up already *) match clroot with Clroot.ConnectLocal s -> (Common.Local, canonizeLocally s (Case.useUnicodeAPI ())) | _ -> match try Some (Safelist.assoc clroot !connectedHosts) with Not_found -> None with None -> raise (Util.Fatal "Remote.canonize") | Some (h, fspath, _) -> (Common.Remote h, fspath) let listReplace v l = v :: Safelist.remove_assoc (fst v) l let rec hostFspath clroot = try let (_, _, ioServer) = Safelist.assoc clroot !connectedHosts in Some (Lwt.return ioServer) with Not_found -> None let canonizeRoot rootName clroot termInteract = let unicode = Case.useUnicodeAPI () in let finish ioServer s = (* We need to always compute the fspath as it depends on unicode settings *) canonizeOnServer ioServer (s, unicode) >>= (fun (host, fspath) -> connectedHosts := listReplace (clroot, (host, fspath, ioServer)) !connectedHosts; connectionsByHosts := listReplace (host, ioServer) !connectionsByHosts; Lwt.return (Common.Remote host,fspath)) in match clroot with Clroot.ConnectLocal s -> Lwt.return (Common.Local, canonizeLocally s unicode) | Clroot.ConnectBySocket(host,port,s) -> begin match hostFspath clroot with Some x -> x | None -> buildSocketConnection host port end >>= fun ioServer -> finish ioServer s | Clroot.ConnectByShell(shell,host,userOpt,portOpt,s) -> begin match hostFspath clroot with Some x -> x | None -> buildShellConnection shell host userOpt portOpt rootName termInteract end >>= fun ioServer -> finish ioServer s (* A new interface, useful for terminal interaction, it should eventually replace canonizeRoot and buildShellConnection *) (* A preconnection is None if there's nothing more to do, and Some if terminal interaction might be required (for ssh password) *) type preconnection = (Unix.file_descr * Lwt_unix.file_descr * Lwt_unix.file_descr * Unix.file_descr * string option * Lwt_unix.file_descr option * Clroot.clroot * int) let openConnectionStart clroot = match clroot with Clroot.ConnectLocal s -> None | Clroot.ConnectBySocket(host,port,s) -> Lwt_unix.run (begin match hostFspath clroot with Some x -> x | None -> buildSocketConnection host port end >>= fun ioServer -> (* We need to always compute the fspath as it depends on unicode settings *) let unicode = Case.useUnicodeAPI () in canonizeOnServer ioServer (s, unicode) >>= fun (host, fspath) -> connectedHosts := listReplace (clroot, (host, fspath, ioServer)) !connectedHosts; connectionsByHosts := listReplace (host, ioServer) !connectionsByHosts; Lwt.return ()); None | Clroot.ConnectByShell(shell,host,userOpt,portOpt,s) -> match hostFspath clroot with Some x -> let unicode = Case.useUnicodeAPI () in (* We recompute the fspath as it may have changed due to unicode settings *) Lwt_unix.run (x >>= fun ioServer -> canonizeOnServer ioServer (s, unicode) >>= fun (host, fspath) -> connectedHosts := listReplace (clroot, (host, fspath, ioServer)) !connectedHosts; connectionsByHosts := listReplace (host, ioServer) !connectionsByHosts; Lwt.return ()); None | None -> let remoteCmd = (if Prefs.read serverCmd="" then Uutil.myName else Prefs.read serverCmd) ^ (if Prefs.read addversionno then "-" ^ Uutil.myMajorVersion else "") ^ " -server" in let userArgs = match userOpt with None -> [] | Some user -> ["-l"; user] in let portArgs = match portOpt with None -> [] | Some port -> ["-p"; port] in let shellCmd = (if shell = "ssh" then Prefs.read sshCmd else if shell = "rsh" then Prefs.read rshCmd else shell) in let shellCmdArgs = (if shell = "ssh" then Prefs.read sshargs else if shell = "rsh" then Prefs.read rshargs else "") in let preargs = ([shellCmd]@userArgs@portArgs@ [host]@ (if shell="ssh" then ["-e none"] else [])@ [shellCmdArgs;remoteCmd]) in (* Split compound arguments at space chars, to make create_process happy *) let args = Safelist.concat (Safelist.map (fun s -> Util.splitIntoWords s ' ') preargs) in let argsarray = Array.of_list args in let (i1,o1) = Lwt_unix.pipe_out() in let (i2,o2) = Lwt_unix.pipe_in() in (* We need to make sure that there is only one reader and one writer by pipe, so that, when one side of the connection dies, the other side receives an EOF or a SIGPIPE. *) Lwt_unix.set_close_on_exec i2; Lwt_unix.set_close_on_exec o1; (* We add CYGWIN=binmode to the environment before calling ssh because the cygwin implementation on Windows sometimes puts the pipe in text mode (which does end of line translation). Specifically, if unison is invoked from a DOS command prompt or other non-cygwin context, the pipe goes into text mode; this does not happen if unison is invoked from cygwin's bash. By setting CYGWIN=binmode we force the pipe to remain in binary mode. *) System.putenv "CYGWIN" "binmode"; debug (fun ()-> Util.msg "Shell connection: %s (%s)\n" shellCmd (String.concat ", " args)); let (term,pid) = Terminal.create_session shellCmd argsarray i1 o2 Unix.stderr in (* after terminal interact, remember to close i1 and o2 *) Some(i1,i2,o1,o2,s,term,clroot,pid) let openConnectionPrompt = function (i1,i2,o1,o2,s,Some fdTerm,clroot,pid) -> let x = Terminal.termInput fdTerm i2 in x | _ -> None let openConnectionReply = function (i1,i2,o1,o2,s,Some fdTerm,clroot,pid) -> (fun response -> (* FIX: should loop until everything is written... *) ignore (Lwt_unix.run (Lwt_unix.write fdTerm (response ^ "\n") 0 (String.length response + 1)))) | _ -> (fun _ -> ()) let openConnectionEnd (i1,i2,o1,o2,s,_,clroot,pid) = Unix.close i1; Unix.close o2; Lwt_unix.run (initConnection i2 o1 >>= fun ioServer -> let unicode = Case.useUnicodeAPI () in canonizeOnServer ioServer (s, unicode) >>= fun (host, fspath) -> connectedHosts := listReplace (clroot, (host, fspath, ioServer)) !connectedHosts; connectionsByHosts := listReplace (host, ioServer) !connectionsByHosts; Lwt.return ()) let openConnectionCancel (i1,i2,o1,o2,s,fdopt,clroot,pid) = try Unix.kill pid Sys.sigkill with Unix.Unix_error _ -> (); try Unix.close i1 with Unix.Unix_error _ -> (); try Lwt_unix.close i2 with Unix.Unix_error _ -> (); try Lwt_unix.close o1 with Unix.Unix_error _ -> (); try Unix.close o2 with Unix.Unix_error _ -> (); match fdopt with None -> () | Some fd -> (try Lwt_unix.close fd with Unix.Unix_error _ -> ()) (****************************************************************************) (* SERVER-MODE COMMAND PROCESSING LOOP *) (****************************************************************************) let showWarningOnClient = (registerServerCmd "showWarningOnClient" (fun _ str -> Lwt.return (Util.warn str))) let forwardMsgToClient = (registerServerCmd "forwardMsgToClient" (fun _ str -> (*msg "forwardMsgToClient: %s\n" str; *) Lwt.return (Trace.displayMessageLocally str))) (* This function loops, waits for commands, and passes them to the relevant functions. *) let commandLoop in_ch out_ch = Trace.runningasserver := true; (* Send header indicating to the client that it has successfully connected to the server *) let conn = setupIO true in_ch out_ch in Lwt.catch (fun e -> dump conn [(Bytearray.of_string connectionHeader, 0, String.length connectionHeader)] >>= (fun () -> (* Set the local warning printer to make an RPC to the client and show the warning there; ditto for the message printer *) Util.warnPrinter := Some (fun str -> Lwt_unix.run (showWarningOnClient conn str)); Trace.messageForwarder := Some (fun str -> Lwt_unix.run (forwardMsgToClient conn str)); receive conn >>= Lwt.wait)) (fun e -> match e with Util.Fatal "Lost connection with the server" -> debug (fun () -> Util.msg "Connection closed by the client\n"); (* We prevents new writes and wait for any current write to terminate. As we don't have a good way to wait for the writer to terminate, we just yield a bit. *) let rec wait n = if n = 0 then Lwt.return () else begin Lwt_unix.yield () >>= fun () -> wait (n - 1) end in conn.outputBuffer.opened <- false; wait 10 | _ -> Lwt.fail e) let killServer = Prefs.createBool "killserver" false "!kill server when done (even when using sockets)" ("When set to \\verb|true|, this flag causes Unison to kill the remote " ^ "server process when the synchronization is finished. This behavior " ^ "is the default for \\verb|ssh| connections, so this preference is not " ^ "normally needed when running over \\verb|ssh|; it is provided so " ^ "that socket-mode servers can be killed off after a single run of " ^ "Unison, rather than waiting to accept future connections. (Some " ^ "users prefer to start a remote socket server for each run of Unison, " ^ "rather than leaving one running all the time.)") (* For backward compatibility *) let _ = Prefs.alias killServer "killServer" (* Used by the socket mechanism: Create a socket on portNum and wait for a request. Each request is processed by commandLoop. When a session finishes, the server waits for another request. *) let waitOnPort hostOpt port = Util.convertUnixErrorsToFatal "waiting on port" (fun () -> let host = match hostOpt with Some host -> host | None -> "" in let listening = Lwt_unix.run (buildSocket host port `Bind) in Util.msg "server started\n"; let rec handleClients () = let (connected, _) = Lwt_unix.run (Lwt_unix.accept listening) in Lwt_unix.setsockopt connected Unix.SO_KEEPALIVE true; begin try (* Accept a connection *) Lwt_unix.run (commandLoop connected connected) with Util.Fatal "Lost connection with the server" -> () end; (* The client has closed its end of the connection *) begin try Lwt_unix.close connected with Unix.Unix_error _ -> () end; if not (Prefs.read killServer) then handleClients () in handleClients ()) let beAServer () = begin try let home = System.getenv "HOME" in Util.convertUnixErrorsToFatal "changing working directory" (fun () -> System.chdir (System.fspathFromString home)) with Not_found -> Util.msg "Environment variable HOME unbound: \ executing server in current directory\n" end; Lwt_unix.run (commandLoop (Lwt_unix.of_unix_file_descr Unix.stdin) (Lwt_unix.of_unix_file_descr Unix.stdout)) unison-2.40.102/external.mli0000644006131600613160000000036011361646373015733 0ustar bcpiercebcpierce(* Unison file synchronizer: src/external.mli *) (* Copyright 1999-2009, Benjamin C. Pierce (see COPYING for details) *) val runExternalProgram : string -> (Unix.process_status * string) Lwt.t val readChannelTillEof : in_channel -> string unison-2.40.102/pred.ml0000644006131600613160000001451511361646373014701 0ustar bcpiercebcpierce(* Unison file synchronizer: src/pred.ml *) (* Copyright 1999-2009, Benjamin C. Pierce This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . *) let debug = Util.debug "pred" (********************************************************************) (* TYPES *) (********************************************************************) type t = { pref: string list Prefs.t; name: string; (* XXX better to get it from Prefs! *) mutable default: string list; mutable last_pref : string list; mutable last_def : string list; mutable last_mode : Case.mode; mutable compiled: Rx.t; mutable associated_strings : (Rx.t * string) list; } let error_msg s = Printf.sprintf "bad pattern: %s\n\ A pattern must be introduced by one of the following keywords:\n\ \032 Name, Path, BelowPath or Regex." s (* [select str [(p1, f1), ..., (pN, fN)] fO]: (roughly) *) (* match str with *) (* p1 p' -> f1 p' *) (* ... *) (* pN p' -> fN p' *) (* otherwise -> fO str *) let rec select str l f = match l with [] -> f str | (pref, g)::r -> if Util.startswith str pref then let l = String.length pref in let s = Util.trimWhitespace (String.sub str l (String.length str - l)) in g ((Case.ops())#normalizePattern s) else select str r f let mapSeparator = "->" (* Compile a pattern (in string form) to a regular expression *) let compile_pattern clause = let (p,v) = match Util.splitIntoWordsByString clause mapSeparator with [p] -> (p,None) | [p;v] -> (p, Some (Util.trimWhitespace v)) | [] -> raise (Prefs.IllegalValue "Empty pattern") | _ -> raise (Prefs.IllegalValue ("Malformed pattern: " ^ "\"" ^ clause ^ "\"\n" ^ "Only one instance of " ^ mapSeparator ^ " allowed.")) in let compiled = begin try select p [("Name ", fun str -> Rx.seq [Rx.rx "(.*/)?"; Rx.globx str]); ("Path ", fun str -> if str<>"" && str.[0] = '/' then raise (Prefs.IllegalValue ("Malformed pattern: " ^ "\"" ^ p ^ "\"\n" ^ "'Path' patterns may not begin with a slash; " ^ "only relative paths are allowed.")); Rx.globx str); ("BelowPath ", fun str -> if str<>"" && str.[0] = '/' then raise (Prefs.IllegalValue ("Malformed pattern: " ^ "\"" ^ p ^ "\"\n" ^ "'BelowPath' patterns may not begin with a slash; " ^ "only relative paths are allowed.")); Rx.seq [Rx.globx str; Rx.rx "(/.*)?"]); ("Regex ", Rx.rx)] (fun str -> raise (Prefs.IllegalValue (error_msg p))) with Rx.Parse_error | Rx.Not_supported -> raise (Prefs.IllegalValue ("Malformed pattern \"" ^ p ^ "\".")) end in (compiled, v) let create name ?(local=false) ?(advanced=false) fulldoc = let pref = Prefs.create name ~local [] ((if advanced then "!" else "") ^ "add a pattern to the " ^ name ^ " list") fulldoc (fun oldList string -> ignore (compile_pattern string); (* Check well-formedness *) string :: oldList) (fun l -> l) in {pref = pref; name = name; last_pref = []; default = []; last_def = []; last_mode = (Case.ops())#mode; compiled = Rx.empty; associated_strings = []} let addDefaultPatterns p pats = p.default <- Safelist.append pats p.default let alias p n = Prefs.alias p.pref n let recompile mode p = let pref = Prefs.read p.pref in let compiledList = Safelist.map compile_pattern (Safelist.append p.default pref) in let compiled = Rx.alt (Safelist.map fst compiledList) in let handleCase rx = if (Case.ops())#caseInsensitiveMatch then Rx.case_insensitive rx else rx in let strings = Safelist.filterMap (fun (rx,vo) -> match vo with None -> None | Some v -> Some (handleCase rx,v)) compiledList in p.compiled <- handleCase compiled; p.associated_strings <- strings; p.last_pref <- pref; p.last_def <- p.default; p.last_mode <- mode let recompile_if_needed p = let mode = (Case.ops())#mode in if p.last_mode <> mode || p.last_pref != Prefs.read p.pref || p.last_def != p.default then recompile mode p (********************************************************************) (* IMPORT / EXPORT *) (********************************************************************) let intern p regexpStringList = Prefs.set p.pref regexpStringList let extern p = Prefs.read p.pref let extern_associated_strings p = recompile_if_needed p; Safelist.map snd p.associated_strings (********************************************************************) (* TESTING *) (********************************************************************) let test p s = recompile_if_needed p; let res = Rx.match_string p.compiled ((Case.ops())#normalizeMatchedString s) in debug (fun() -> Util.msg "%s '%s' = %b\n" p.name s res); res let assoc p s = recompile_if_needed p; let s = (Case.ops())#normalizeMatchedString s in snd (Safelist.find (fun (rx,v) -> Rx.match_string rx s) p.associated_strings) let assoc_all p s = recompile_if_needed p; let s = (Case.ops())#normalizeMatchedString s in Safelist.map snd (Safelist.filter (fun (rx,v) -> Rx.match_string rx s) p.associated_strings) unison-2.40.102/ROADMAP.txt0000644006131600613160000000567711361646373015252 0ustar bcpiercebcpierceFINDING YOUR WAY AROUND THE UNISON SOURCES ------------------------------------------ Although parts of it are somewhat intricate, Unison is not a very large program. If you want to get familiar with the code, the best place to start is probably with the textual user interface module, uitext.ml. The 'start' function at the bottom is a simple driver for all the rest of the major modules in the program. (See below for some more details.) After that, check out main.ml to see how things get set up. Again, the bottom is the most interesting part. Next, look at the interface files in this order: globals.mli common low-level datatype definitions common.mli common high-level datatype definitions update.mli update detection recon.mli reconciliation of updates (i.e. deciding what to do) transport.mli propagation of changes (also files.mi) From here, you probably know your way around enough to decide where to look next. Here's a summary of the most interesting modules: pred implements "predicates" (e.g. ignore) based on regexps prefs command-line and preference file parsing main the top-level program os low-level filesystem operations trace tracing messages uicommon stuff common to the two UIs uitext the textual UI uigtk the graphical UI (Gtk version) The files linktext.ml and linkgtk.ml contain linking commands for assembling unision with either a textual or a graphical user interface. (The Main module, which takes the UI as a paramter, is the only part of the program that is functorized.) The module Remote handles RPC communication between clients and remote servers. It's pretty tricky, but the rest of the system doesn't need to know much about how it works. ________________________________ In a little more detail, here is the flow of control at startup time: - The first code to execute (not counting some small per-module initialization stuff) is the call to Main.init() from Main.Body. This handles a few special preferences like -version, -doc, and -server. If it returns, then Main.Body next calls the start function of whatever UI module has been provided as an argument to the Main module. - The start function in each of the UI modules (Uitext, Uigtk2, etc.) behaves slightly differently, but they all have quite a bit of common structure; this is captured in the function Uicommon.uiInit, which is where all the heavy lifting happens (parsing command line and preference files, connecting to the server, etc.); when this returns, the user interface continues with the actual synchronization. - The core functions that do the real work (of synchronization) are: Update.findUpdates() find out what changed Recon.reconcileAll build the list of "recon items" Transport.transportItem perform the action described by a recon item unison-2.40.102/unicode.ml0000644006131600613160000020621111375176016015366 0ustar bcpiercebcpierce(* Unison file synchronizer: src/unicode.ml *) (* Copyright 1999-2009, Benjamin C. Pierce This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . *) open Unicode_tables exception Invalid let fail () = raise Invalid let get s i = Char.code (String.unsafe_get s i) let set s i v = String.unsafe_set s i (Char.unsafe_chr v) (****) let rec decode_char s i l = if i = l then fail () else let c = get s i in if c < 0x80 then cont s (i + 1) l c else if c < 0xE0 then begin (* 80 - 7FF *) if c < 0xc2 || i + 1 >= l then fail () else let c1 = get s (i + 1) in if c1 land 0xc0 <> 0x80 then fail () else let v = c lsl 6 + c1 - 0x3080 in cont s (i + 2) l v end else if c < 0xF0 then begin (* 800 - FFFF *) if i + 2 >= l then fail () else let c1 = get s (i + 1) in let c2 = get s (i + 2) in if (c1 lor c2) land 0xc0 <> 0x80 then fail () else let v = c lsl 12 + c1 lsl 6 + c2 - 0xe2080 in if v < 0x800 then fail () else cont s (i + 3) l v end else begin (* 10000 - 10FFFF *) if i + 3 >= l then fail () else let c1 = get s (i + 1) in let c2 = get s (i + 2) in let c3 = get s (i + 3) in if (c1 lor c2 lor c3) land 0xc0 <> 0x80 then fail () else let v = c lsl 18 + c1 lsl 12 + c2 lsl 6 + c3 - 0x03c82080 in if v < 0x10000 || v > 0x10ffff then fail () else cont s (i + 4) l v end and cont s i l v = (v, i) let encode_char s i l c = if c < 0x80 then begin if i >= l then fail () else begin set s i c; i + 1 end end else if c < 0x800 then begin if i + 1 >= l then fail () else begin set s i (c lsr 6 + 0xC0); set s (i + 1) (c land 0x3f + 0x80); i + 2 end end else if c < 0x10000 then begin if i + 1 >= l then fail () else begin set s i (c lsr 12 + 0xE0); set s (i + 1) ((c lsr 6) land 0x3f + 0x80); set s (i + 2) (c land 0x3f + 0x80); i + 3 end end else begin if i + 1 >= l then fail () else begin set s i (c lsr 18 + 0xF0); set s (i + 1) ((c lsr 12) land 0x3f + 0x80); set s (i + 2) ((c lsr 6) land 0x3f + 0x80); set s (i + 3) (c land 0x3f + 0x80); i + 4 end end let rec prev_char s i = let i = i - 1 in if i < 0 then fail () else if (get s i) land 0xc0 <> 0x80 then i else prev_char s i (****) let combining_property_bitmap = "\ \x00\x00\x00\x01\x02\x03\x04\x05\ \x00\x06\x07\x08\x09\x0A\x0B\x0C\ \x0D\x00\x00\x00\x00\x00\x00\x0E\ \x0F\x10\x00\x00\x00\x00\x00\x00\ \x11\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x12\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x13\x00\x00\x14\x00\ \xE6\xE6\xE6\xE6\xE6\xE6\xE6\xE6\ \xE6\xE6\xE6\xE6\xE6\xE6\xE6\xE6\ \xE6\xE6\xE6\xE6\xE6\xE8\xDC\xDC\ \xDC\xDC\xE8\xD8\xDC\xDC\xDC\xDC\ \xDC\xCA\xCA\xDC\xDC\xDC\xDC\xCA\ \xCA\xDC\xDC\xDC\xDC\xDC\xDC\xDC\ \xDC\xDC\xDC\xDC\x01\x01\x01\x01\ \x01\xDC\xDC\xDC\xDC\xE6\xE6\xE6\ \xE6\xE6\xE6\xE6\xE6\xF0\xE6\xDC\ \xDC\xDC\xE6\xE6\xE6\xDC\xDC\x00\ \xE6\xE6\xE6\xDC\xDC\xDC\xDC\xE6\ \x00\x00\x00\x00\x00\xEA\xEA\xE9\ \xEA\xEA\xE9\xE6\xE6\xE6\xE6\xE6\ \xE6\xE6\xE6\xE6\xE6\xE6\xE6\xE6\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\xE6\xE6\xE6\xE6\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\xDC\xE6\xE6\xE6\xE6\xDC\xE6\ \xE6\xE6\xDE\xDC\xE6\xE6\xE6\xE6\ \xE6\xE6\x00\xDC\xDC\xDC\xDC\xDC\ \xE6\xE6\xDC\xE6\xE6\xDE\xE4\xE6\ \x0A\x0B\x0C\x0D\x0E\x0F\x10\x11\ \x12\x13\x00\x14\x15\x16\x00\x17\ \x00\x18\x19\x00\xE6\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \xE6\xE6\xE6\xE6\xE6\xE6\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x1B\x1C\x1D\x1E\x1F\ \x20\x21\x22\xE6\xE6\xDC\xDC\xE6\ \xE6\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x23\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\xE6\xE6\ \xE6\xE6\xE6\xE6\xE6\x00\x00\xE6\ \xE6\xE6\xE6\xDC\xE6\x00\x00\xE6\ \xE6\x00\xDC\xE6\xE6\xDC\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x24\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \xE6\xDC\xE6\xE6\xDC\xE6\xE6\xDC\ \xDC\xDC\xE6\xDC\xDC\xE6\xDC\xE6\ \xE6\xE6\xDC\xE6\xDC\xE6\xDC\xE6\ \xDC\xE6\xE6\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x07\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x09\x00\x00\ \x00\xE6\xDC\xE6\xE6\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x07\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x09\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x07\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x09\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x07\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x09\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x07\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x09\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x09\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x09\x00\x00\ \x00\x00\x00\x00\x00\x54\x5B\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x07\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x09\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x09\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x09\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x67\x67\x09\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x6B\x6B\x6B\x6B\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x76\x76\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x7A\x7A\x7A\x7A\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \xDC\xDC\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\xDC\x00\xDC\ \x00\xD8\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x81\x82\x00\x84\x00\x00\x00\ \x00\x00\x82\x82\x82\x82\x00\x00\ \x82\x00\xE6\xE6\x09\x00\xE6\xE6\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\xDC\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x07\ \x00\x09\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x09\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x09\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x09\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\xE6\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\xE4\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\xDE\xE6\xDC\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \xE6\xE6\x01\x01\xE6\xE6\xE6\xE6\ \x01\x01\x01\xE6\xE6\x00\x00\x00\ \x00\xE6\x00\x00\x00\x01\x01\xE6\ \xDC\xE6\x01\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\xDA\xE4\xE8\xDE\xE0\xE0\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x08\x08\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x1A\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \xE6\xE6\xE6\xE6\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00" let combining_class c = if c > 0xffff then 0 else let v = get combining_property_bitmap (c lsr 8) in if v = 0 then 0 else get combining_property_bitmap (v lsl 8 + c land 0xff) let rec find_loc s i l p = if i = 0 then i else let i' = prev_char s i in let (v, _) = decode_char s i' l in let p' = combining_class v in if p' <= p then i else find_loc s i' l p let rec scan s i l p = if i < l then begin let c = get s i in if c < 0x80 then scan s (i + 1) l 0 else if c < 0xE0 then begin (* 80 - 7FF *) if i + 1 >= l then fail () else let c1 = get s (i + 1) in let v = c lsl 6 + c1 - 0x3080 in cont s i l (i + 2) p v end else if c < 0xF0 then begin (* 800 - FFFF *) if i + 2 >= l then fail () else let c1 = get s (i + 1) in let c2 = get s (i + 2) in let v = c lsl 12 + c1 lsl 6 + c2 - 0xe2080 in cont s i l (i + 3) p v end else begin (* 10000 - 10FFFF *) if i + 3 >= l then fail () else scan s (i + 4) l 0 end end and cont s i l j p v = let p' = combining_class v in if p' = 0 || p <= p' then scan s j l p' else begin (* move char to the right location *) let k = find_loc s i l p' in let d = j - i in let s' = String.sub s i d in String.blit s k s (k + d) (i - k); String.blit s' 0 s k d; scan s j l p end let order s = scan s 0 (String.length s) 0 (****) let hangul_sbase = 0xAC00 let hangul_lbase = 0x1100 let hangul_vbase = 0x1161 let hangul_tbase = 0x11A7 let hangul_scount = 11172 let hangul_lcount = 19 let hangul_vcount = 21 let hangul_tcount = 28 let hangul_ncount = hangul_vcount * hangul_tcount let set_char_3 s i c = set s i (c lsr 12 + 0xE0); set s (i + 1) ((c lsr 6) land 0x3f + 0x80); set s (i + 2) (c land 0x3f + 0x80) let rec norm s i l s' j = if i < l then begin let c = get s i in if c < 0x80 then begin set s' j (get norm_ascii c); norm s (i + 1) l s' (j + 1) end else if c < 0xE0 then begin (* 80 - 7FF *) if c < 0xc2 || i + 1 >= l then raise Invalid; let c1 = get s (i + 1) in if c1 land 0xc0 <> 0x80 then raise Invalid; let idx = get norm_prim (c - 0xc0) in let idx = idx lsl 6 + c1 - 0x80 in let k = get norm_second_high idx in if k = 0 then begin set s' j c; set s' (j + 1) c1; norm s (i + 2) l s' (j + 2) end else begin let k = (k - 2) lsl 8 + get norm_second_low idx in let n = get norm_repl k in String.blit norm_repl (k + 1) s' j n; norm s (i + 2) l s' (j + n) end end else if c < 0xF0 then begin (* 800 - FFFF *) if i + 2 >= l then raise Invalid; let c1 = get s (i + 1) in if c1 land 0xc0 <> 0x80 then raise Invalid; let idx = c lsl 6 + c1 - 0x3880 in if idx < 0x20 then raise Invalid; let c2 = get s (i + 2) in if c2 land 0xc0 <> 0x80 then raise Invalid; let idx = get norm_prim idx in let idx = idx lsl 6 + c2 - 0x80 in let k = get norm_second_high idx in if k = 0 then begin set s' j c; set s' (j + 1) c1; set s' (j + 2) c2; norm s (i + 3) l s' (j + 3) end else if k = 1 then begin let v = c lsl 12 + c1 lsl 6 + c2 - (0x000E2080 + hangul_sbase) in if v >= hangul_scount then begin set s' j c; set s' (j + 1) c1; set s' (j + 2) c2; norm s (i + 3) l s' (j + 3) end else begin set_char_3 s' j (v / hangul_ncount + hangul_lbase); set_char_3 s' (j + 3) ((v mod hangul_ncount) / hangul_tcount + hangul_vbase); if v mod hangul_tcount = 0 then norm s (i + 3) l s' (j + 6) else begin set_char_3 s' (j + 6) ((v mod hangul_tcount) + hangul_tbase); norm s (i + 3) l s' (j + 9) end end end else begin let k = (k - 2) lsl 8 + get norm_second_low idx in let n = get norm_repl k in String.blit norm_repl (k + 1) s' j n; norm s (i + 3) l s' (j + n) end end else begin (* 10000 - 10FFFF *) if i + 3 >= l then raise Invalid; let c1 = get s (i + 1) in let c2 = get s (i + 2) in let c3 = get s (i + 3) in if (c1 lor c2 lor c3) land 0xc0 <> 0x80 then raise Invalid; let v = c lsl 18 + c1 lsl 12 + c2 lsl 6 + c3 - 0x03c82080 in if v < 0x10000 || v > 0x10ffff then raise Invalid; set s' j c; set s' (j + 1) c1; set s' (j + 2) c2; set s' (j + 3) c3; norm s (i + 4) l s' (j + 4) end end else String.sub s' 0 j let normalize s = let l = String.length s in let s' = String.create (3 * l) in try let s' = norm s 0 l s' 0 in order s'; s' with Invalid -> (* We need a comparison function which is coherent (transitive) also with non-unicode strings. The optimization below assumes a case-insensitive comparison on ASCII characters, thus we translate the string to lowercase *) String.lowercase s (****) let rec decomp s i l s' j = if i < l then begin let c = get s i in if c < 0x80 then begin set s' j (get decomp_ascii c); decomp s (i + 1) l s' (j + 1) end else if c < 0xE0 then begin (* 80 - 7FF *) if c < 0xc2 || i + 1 >= l then raise Invalid; let c1 = get s (i + 1) in if c1 land 0xc0 <> 0x80 then raise Invalid; let idx = get decomp_prim (c - 0xc0) in let idx = idx lsl 6 + c1 - 0x80 in let k = get decomp_second_high idx in if k = 0 then begin set s' j c; set s' (j + 1) c1; decomp s (i + 2) l s' (j + 2) end else begin let k = (k - 2) lsl 8 + get decomp_second_low idx in let n = get decomp_repl k in String.blit decomp_repl (k + 1) s' j n; decomp s (i + 2) l s' (j + n) end end else if c < 0xF0 then begin (* 800 - FFFF *) if i + 2 >= l then raise Invalid; let c1 = get s (i + 1) in if c1 land 0xc0 <> 0x80 then raise Invalid; let idx = c lsl 6 + c1 - 0x3880 in if idx < 0x20 then raise Invalid; let c2 = get s (i + 2) in if c2 land 0xc0 <> 0x80 then raise Invalid; let idx = get decomp_prim idx in let idx = idx lsl 6 + c2 - 0x80 in let k = get decomp_second_high idx in if k = 0 then begin set s' j c; set s' (j + 1) c1; set s' (j + 2) c2; decomp s (i + 3) l s' (j + 3) end else if k = 1 then begin let v = c lsl 12 + c1 lsl 6 + c2 - (0x000E2080 + hangul_sbase) in if v >= hangul_scount then begin set s' j c; set s' (j + 1) c1; set s' (j + 2) c2; decomp s (i + 3) l s' (j + 3) end else begin set_char_3 s' j (v / hangul_ncount + hangul_lbase); set_char_3 s' (j + 3) ((v mod hangul_ncount) / hangul_tcount + hangul_vbase); if v mod hangul_tcount = 0 then decomp s (i + 3) l s' (j + 6) else begin set_char_3 s' (j + 6) ((v mod hangul_tcount) + hangul_tbase); decomp s (i + 3) l s' (j + 9) end end end else begin let k = (k - 2) lsl 8 + get decomp_second_low idx in let n = get decomp_repl k in String.blit decomp_repl (k + 1) s' j n; decomp s (i + 3) l s' (j + n) end end else begin (* 10000 - 10FFFF *) if i + 3 >= l then raise Invalid; let c1 = get s (i + 1) in let c2 = get s (i + 2) in let c3 = get s (i + 3) in if (c1 lor c2 lor c3) land 0xc0 <> 0x80 then raise Invalid; let v = c lsl 18 + c1 lsl 12 + c2 lsl 6 + c3 - 0x03c82080 in if v < 0x10000 || v > 0x10ffff then raise Invalid; set s' j c; set s' (j + 1) c1; set s' (j + 2) c2; set s' (j + 3) c3; decomp s (i + 4) l s' (j + 4) end end else String.sub s' 0 j let decompose s = let l = String.length s in let s' = String.create (3 * l) in try let s' = decomp s 0 l s' 0 in order s'; s' with Invalid -> s (****) let rec compare_rec s s' i l = if i = l then begin if l < String.length s then 1 else if l < String.length s' then -1 else 0 end else begin let c = get s i in let c' = get s' i in if c < 0x80 && c' < 0x80 then begin let v = compare (get norm_ascii c) (get norm_ascii c') in if v <> 0 then v else compare_rec s s' (i + 1) l end else compare (normalize s) (normalize s') end let case_insensitive_compare s s' = compare_rec s s' 0 (min (String.length s) (String.length s')) (****) let rec compare_cs_rec s s' i l = if i = l then begin if l < String.length s then 1 else if l < String.length s' then -1 else 0 end else begin let c = get s i in let c' = get s' i in if c < 0x80 && c' < 0x80 then begin let v = compare c c' in if v <> 0 then v else compare_cs_rec s s' (i + 1) l end else compare (decompose s) (decompose s') end let case_sensitive_compare s s' = compare_cs_rec s s' 0 (min (String.length s) (String.length s')) (****) let uniCharPrecompSourceTable = [| 0x00000300; 0x00540000; 0x00000301; 0x00750054; 0x00000302; 0x002000C9; 0x00000303; 0x001C00E9; 0x00000304; 0x002C0105; 0x00000306; 0x00200131; 0x00000307; 0x002E0151; 0x00000308; 0x0036017F; 0x00000309; 0x001801B5; 0x0000030A; 0x000601CD; 0x0000030B; 0x000601D3; 0x0000030C; 0x002501D9; 0x0000030F; 0x000E01FE; 0x00000311; 0x000C020C; 0x00000313; 0x000E0218; 0x00000314; 0x00100226; 0x0000031B; 0x00040236; 0x00000323; 0x002A023A; 0x00000324; 0x00020264; 0x00000325; 0x00020266; 0x00000326; 0x00040268; 0x00000327; 0x0016026C; 0x00000328; 0x000A0282; 0x0000032D; 0x000C028C; 0x0000032E; 0x00020298; 0x00000330; 0x0006029A; 0x00000331; 0x001102A0; 0x00000338; 0x002C02B1; 0x00000342; 0x001D02DD; 0x00000345; 0x003F02FA; 0x00000653; 0x00010339; 0x00000654; 0x0006033A; 0x00000655; 0x00010340; 0x0000093C; 0x00030341; 0x000009BE; 0x00010344; 0x000009D7; 0x00010345; 0x00000B3E; 0x00010346; 0x00000B56; 0x00010347; 0x00000B57; 0x00010348; 0x00000BBE; 0x00020349; 0x00000BD7; 0x0002034B; 0x00000C56; 0x0001034D; 0x00000CC2; 0x0001034E; 0x00000CD5; 0x0003034F; 0x00000CD6; 0x00010352; 0x00000D3E; 0x00020353; 0x00000D57; 0x00010355; 0x00000DCA; 0x00020356; 0x00000DCF; 0x00010358; 0x00000DDF; 0x00010359; 0x0000102E; 0x0001035A; 0x00003099; 0x0030035B; 0x0000309A; 0x000A038B |] let uniCharBMPPrecompDestinationTable = [| 0x0041; 0x00C0; 0x0045; 0x00C8; 0x0049; 0x00CC; 0x004E; 0x01F8; 0x004F; 0x00D2; 0x0055; 0x00D9; 0x0057; 0x1E80; 0x0059; 0x1EF2; 0x0061; 0x00E0; 0x0065; 0x00E8; 0x0069; 0x00EC; 0x006E; 0x01F9; 0x006F; 0x00F2; 0x0075; 0x00F9; 0x0077; 0x1E81; 0x0079; 0x1EF3; 0x00A8; 0x1FED; 0x00C2; 0x1EA6; 0x00CA; 0x1EC0; 0x00D4; 0x1ED2; 0x00DC; 0x01DB; 0x00E2; 0x1EA7; 0x00EA; 0x1EC1; 0x00F4; 0x1ED3; 0x00FC; 0x01DC; 0x0102; 0x1EB0; 0x0103; 0x1EB1; 0x0112; 0x1E14; 0x0113; 0x1E15; 0x014C; 0x1E50; 0x014D; 0x1E51; 0x01A0; 0x1EDC; 0x01A1; 0x1EDD; 0x01AF; 0x1EEA; 0x01B0; 0x1EEB; 0x0391; 0x1FBA; 0x0395; 0x1FC8; 0x0397; 0x1FCA; 0x0399; 0x1FDA; 0x039F; 0x1FF8; 0x03A5; 0x1FEA; 0x03A9; 0x1FFA; 0x03B1; 0x1F70; 0x03B5; 0x1F72; 0x03B7; 0x1F74; 0x03B9; 0x1F76; 0x03BF; 0x1F78; 0x03C5; 0x1F7A; 0x03C9; 0x1F7C; 0x03CA; 0x1FD2; 0x03CB; 0x1FE2; 0x0415; 0x0400; 0x0418; 0x040D; 0x0435; 0x0450; 0x0438; 0x045D; 0x1F00; 0x1F02; 0x1F01; 0x1F03; 0x1F08; 0x1F0A; 0x1F09; 0x1F0B; 0x1F10; 0x1F12; 0x1F11; 0x1F13; 0x1F18; 0x1F1A; 0x1F19; 0x1F1B; 0x1F20; 0x1F22; 0x1F21; 0x1F23; 0x1F28; 0x1F2A; 0x1F29; 0x1F2B; 0x1F30; 0x1F32; 0x1F31; 0x1F33; 0x1F38; 0x1F3A; 0x1F39; 0x1F3B; 0x1F40; 0x1F42; 0x1F41; 0x1F43; 0x1F48; 0x1F4A; 0x1F49; 0x1F4B; 0x1F50; 0x1F52; 0x1F51; 0x1F53; 0x1F59; 0x1F5B; 0x1F60; 0x1F62; 0x1F61; 0x1F63; 0x1F68; 0x1F6A; 0x1F69; 0x1F6B; 0x1FBF; 0x1FCD; 0x1FFE; 0x1FDD; 0x0041; 0x00C1; 0x0043; 0x0106; 0x0045; 0x00C9; 0x0047; 0x01F4; 0x0049; 0x00CD; 0x004B; 0x1E30; 0x004C; 0x0139; 0x004D; 0x1E3E; 0x004E; 0x0143; 0x004F; 0x00D3; 0x0050; 0x1E54; 0x0052; 0x0154; 0x0053; 0x015A; 0x0055; 0x00DA; 0x0057; 0x1E82; 0x0059; 0x00DD; 0x005A; 0x0179; 0x0061; 0x00E1; 0x0063; 0x0107; 0x0065; 0x00E9; 0x0067; 0x01F5; 0x0069; 0x00ED; 0x006B; 0x1E31; 0x006C; 0x013A; 0x006D; 0x1E3F; 0x006E; 0x0144; 0x006F; 0x00F3; 0x0070; 0x1E55; 0x0072; 0x0155; 0x0073; 0x015B; 0x0075; 0x00FA; 0x0077; 0x1E83; 0x0079; 0x00FD; 0x007A; 0x017A; 0x00A8; 0x0385; 0x00C2; 0x1EA4; 0x00C5; 0x01FA; 0x00C6; 0x01FC; 0x00C7; 0x1E08; 0x00CA; 0x1EBE; 0x00CF; 0x1E2E; 0x00D4; 0x1ED0; 0x00D5; 0x1E4C; 0x00D8; 0x01FE; 0x00DC; 0x01D7; 0x00E2; 0x1EA5; 0x00E5; 0x01FB; 0x00E6; 0x01FD; 0x00E7; 0x1E09; 0x00EA; 0x1EBF; 0x00EF; 0x1E2F; 0x00F4; 0x1ED1; 0x00F5; 0x1E4D; 0x00F8; 0x01FF; 0x00FC; 0x01D8; 0x0102; 0x1EAE; 0x0103; 0x1EAF; 0x0112; 0x1E16; 0x0113; 0x1E17; 0x014C; 0x1E52; 0x014D; 0x1E53; 0x0168; 0x1E78; 0x0169; 0x1E79; 0x01A0; 0x1EDA; 0x01A1; 0x1EDB; 0x01AF; 0x1EE8; 0x01B0; 0x1EE9; 0x0391; 0x0386; 0x0395; 0x0388; 0x0397; 0x0389; 0x0399; 0x038A; 0x039F; 0x038C; 0x03A5; 0x038E; 0x03A9; 0x038F; 0x03B1; 0x03AC; 0x03B5; 0x03AD; 0x03B7; 0x03AE; 0x03B9; 0x03AF; 0x03BF; 0x03CC; 0x03C5; 0x03CD; 0x03C9; 0x03CE; 0x03CA; 0x0390; 0x03CB; 0x03B0; 0x03D2; 0x03D3; 0x0413; 0x0403; 0x041A; 0x040C; 0x0433; 0x0453; 0x043A; 0x045C; 0x1F00; 0x1F04; 0x1F01; 0x1F05; 0x1F08; 0x1F0C; 0x1F09; 0x1F0D; 0x1F10; 0x1F14; 0x1F11; 0x1F15; 0x1F18; 0x1F1C; 0x1F19; 0x1F1D; 0x1F20; 0x1F24; 0x1F21; 0x1F25; 0x1F28; 0x1F2C; 0x1F29; 0x1F2D; 0x1F30; 0x1F34; 0x1F31; 0x1F35; 0x1F38; 0x1F3C; 0x1F39; 0x1F3D; 0x1F40; 0x1F44; 0x1F41; 0x1F45; 0x1F48; 0x1F4C; 0x1F49; 0x1F4D; 0x1F50; 0x1F54; 0x1F51; 0x1F55; 0x1F59; 0x1F5D; 0x1F60; 0x1F64; 0x1F61; 0x1F65; 0x1F68; 0x1F6C; 0x1F69; 0x1F6D; 0x1FBF; 0x1FCE; 0x1FFE; 0x1FDE; 0x0041; 0x00C2; 0x0043; 0x0108; 0x0045; 0x00CA; 0x0047; 0x011C; 0x0048; 0x0124; 0x0049; 0x00CE; 0x004A; 0x0134; 0x004F; 0x00D4; 0x0053; 0x015C; 0x0055; 0x00DB; 0x0057; 0x0174; 0x0059; 0x0176; 0x005A; 0x1E90; 0x0061; 0x00E2; 0x0063; 0x0109; 0x0065; 0x00EA; 0x0067; 0x011D; 0x0068; 0x0125; 0x0069; 0x00EE; 0x006A; 0x0135; 0x006F; 0x00F4; 0x0073; 0x015D; 0x0075; 0x00FB; 0x0077; 0x0175; 0x0079; 0x0177; 0x007A; 0x1E91; 0x1EA0; 0x1EAC; 0x1EA1; 0x1EAD; 0x1EB8; 0x1EC6; 0x1EB9; 0x1EC7; 0x1ECC; 0x1ED8; 0x1ECD; 0x1ED9; 0x0041; 0x00C3; 0x0045; 0x1EBC; 0x0049; 0x0128; 0x004E; 0x00D1; 0x004F; 0x00D5; 0x0055; 0x0168; 0x0056; 0x1E7C; 0x0059; 0x1EF8; 0x0061; 0x00E3; 0x0065; 0x1EBD; 0x0069; 0x0129; 0x006E; 0x00F1; 0x006F; 0x00F5; 0x0075; 0x0169; 0x0076; 0x1E7D; 0x0079; 0x1EF9; 0x00C2; 0x1EAA; 0x00CA; 0x1EC4; 0x00D4; 0x1ED6; 0x00E2; 0x1EAB; 0x00EA; 0x1EC5; 0x00F4; 0x1ED7; 0x0102; 0x1EB4; 0x0103; 0x1EB5; 0x01A0; 0x1EE0; 0x01A1; 0x1EE1; 0x01AF; 0x1EEE; 0x01B0; 0x1EEF; 0x0041; 0x0100; 0x0045; 0x0112; 0x0047; 0x1E20; 0x0049; 0x012A; 0x004F; 0x014C; 0x0055; 0x016A; 0x0059; 0x0232; 0x0061; 0x0101; 0x0065; 0x0113; 0x0067; 0x1E21; 0x0069; 0x012B; 0x006F; 0x014D; 0x0075; 0x016B; 0x0079; 0x0233; 0x00C4; 0x01DE; 0x00C6; 0x01E2; 0x00D5; 0x022C; 0x00D6; 0x022A; 0x00DC; 0x01D5; 0x00E4; 0x01DF; 0x00E6; 0x01E3; 0x00F5; 0x022D; 0x00F6; 0x022B; 0x00FC; 0x01D6; 0x01EA; 0x01EC; 0x01EB; 0x01ED; 0x0226; 0x01E0; 0x0227; 0x01E1; 0x022E; 0x0230; 0x022F; 0x0231; 0x0391; 0x1FB9; 0x0399; 0x1FD9; 0x03A5; 0x1FE9; 0x03B1; 0x1FB1; 0x03B9; 0x1FD1; 0x03C5; 0x1FE1; 0x0418; 0x04E2; 0x0423; 0x04EE; 0x0438; 0x04E3; 0x0443; 0x04EF; 0x1E36; 0x1E38; 0x1E37; 0x1E39; 0x1E5A; 0x1E5C; 0x1E5B; 0x1E5D; 0x0041; 0x0102; 0x0045; 0x0114; 0x0047; 0x011E; 0x0049; 0x012C; 0x004F; 0x014E; 0x0055; 0x016C; 0x0061; 0x0103; 0x0065; 0x0115; 0x0067; 0x011F; 0x0069; 0x012D; 0x006F; 0x014F; 0x0075; 0x016D; 0x0228; 0x1E1C; 0x0229; 0x1E1D; 0x0391; 0x1FB8; 0x0399; 0x1FD8; 0x03A5; 0x1FE8; 0x03B1; 0x1FB0; 0x03B9; 0x1FD0; 0x03C5; 0x1FE0; 0x0410; 0x04D0; 0x0415; 0x04D6; 0x0416; 0x04C1; 0x0418; 0x0419; 0x0423; 0x040E; 0x0430; 0x04D1; 0x0435; 0x04D7; 0x0436; 0x04C2; 0x0438; 0x0439; 0x0443; 0x045E; 0x1EA0; 0x1EB6; 0x1EA1; 0x1EB7; 0x0041; 0x0226; 0x0042; 0x1E02; 0x0043; 0x010A; 0x0044; 0x1E0A; 0x0045; 0x0116; 0x0046; 0x1E1E; 0x0047; 0x0120; 0x0048; 0x1E22; 0x0049; 0x0130; 0x004D; 0x1E40; 0x004E; 0x1E44; 0x004F; 0x022E; 0x0050; 0x1E56; 0x0052; 0x1E58; 0x0053; 0x1E60; 0x0054; 0x1E6A; 0x0057; 0x1E86; 0x0058; 0x1E8A; 0x0059; 0x1E8E; 0x005A; 0x017B; 0x0061; 0x0227; 0x0062; 0x1E03; 0x0063; 0x010B; 0x0064; 0x1E0B; 0x0065; 0x0117; 0x0066; 0x1E1F; 0x0067; 0x0121; 0x0068; 0x1E23; 0x006D; 0x1E41; 0x006E; 0x1E45; 0x006F; 0x022F; 0x0070; 0x1E57; 0x0072; 0x1E59; 0x0073; 0x1E61; 0x0074; 0x1E6B; 0x0077; 0x1E87; 0x0078; 0x1E8B; 0x0079; 0x1E8F; 0x007A; 0x017C; 0x015A; 0x1E64; 0x015B; 0x1E65; 0x0160; 0x1E66; 0x0161; 0x1E67; 0x017F; 0x1E9B; 0x1E62; 0x1E68; 0x1E63; 0x1E69; 0x0041; 0x00C4; 0x0045; 0x00CB; 0x0048; 0x1E26; 0x0049; 0x00CF; 0x004F; 0x00D6; 0x0055; 0x00DC; 0x0057; 0x1E84; 0x0058; 0x1E8C; 0x0059; 0x0178; 0x0061; 0x00E4; 0x0065; 0x00EB; 0x0068; 0x1E27; 0x0069; 0x00EF; 0x006F; 0x00F6; 0x0074; 0x1E97; 0x0075; 0x00FC; 0x0077; 0x1E85; 0x0078; 0x1E8D; 0x0079; 0x00FF; 0x00D5; 0x1E4E; 0x00F5; 0x1E4F; 0x016A; 0x1E7A; 0x016B; 0x1E7B; 0x0399; 0x03AA; 0x03A5; 0x03AB; 0x03B9; 0x03CA; 0x03C5; 0x03CB; 0x03D2; 0x03D4; 0x0406; 0x0407; 0x0410; 0x04D2; 0x0415; 0x0401; 0x0416; 0x04DC; 0x0417; 0x04DE; 0x0418; 0x04E4; 0x041E; 0x04E6; 0x0423; 0x04F0; 0x0427; 0x04F4; 0x042B; 0x04F8; 0x042D; 0x04EC; 0x0430; 0x04D3; 0x0435; 0x0451; 0x0436; 0x04DD; 0x0437; 0x04DF; 0x0438; 0x04E5; 0x043E; 0x04E7; 0x0443; 0x04F1; 0x0447; 0x04F5; 0x044B; 0x04F9; 0x044D; 0x04ED; 0x0456; 0x0457; 0x04D8; 0x04DA; 0x04D9; 0x04DB; 0x04E8; 0x04EA; 0x04E9; 0x04EB; 0x0041; 0x1EA2; 0x0045; 0x1EBA; 0x0049; 0x1EC8; 0x004F; 0x1ECE; 0x0055; 0x1EE6; 0x0059; 0x1EF6; 0x0061; 0x1EA3; 0x0065; 0x1EBB; 0x0069; 0x1EC9; 0x006F; 0x1ECF; 0x0075; 0x1EE7; 0x0079; 0x1EF7; 0x00C2; 0x1EA8; 0x00CA; 0x1EC2; 0x00D4; 0x1ED4; 0x00E2; 0x1EA9; 0x00EA; 0x1EC3; 0x00F4; 0x1ED5; 0x0102; 0x1EB2; 0x0103; 0x1EB3; 0x01A0; 0x1EDE; 0x01A1; 0x1EDF; 0x01AF; 0x1EEC; 0x01B0; 0x1EED; 0x0041; 0x00C5; 0x0055; 0x016E; 0x0061; 0x00E5; 0x0075; 0x016F; 0x0077; 0x1E98; 0x0079; 0x1E99; 0x004F; 0x0150; 0x0055; 0x0170; 0x006F; 0x0151; 0x0075; 0x0171; 0x0423; 0x04F2; 0x0443; 0x04F3; 0x0041; 0x01CD; 0x0043; 0x010C; 0x0044; 0x010E; 0x0045; 0x011A; 0x0047; 0x01E6; 0x0048; 0x021E; 0x0049; 0x01CF; 0x004B; 0x01E8; 0x004C; 0x013D; 0x004E; 0x0147; 0x004F; 0x01D1; 0x0052; 0x0158; 0x0053; 0x0160; 0x0054; 0x0164; 0x0055; 0x01D3; 0x005A; 0x017D; 0x0061; 0x01CE; 0x0063; 0x010D; 0x0064; 0x010F; 0x0065; 0x011B; 0x0067; 0x01E7; 0x0068; 0x021F; 0x0069; 0x01D0; 0x006A; 0x01F0; 0x006B; 0x01E9; 0x006C; 0x013E; 0x006E; 0x0148; 0x006F; 0x01D2; 0x0072; 0x0159; 0x0073; 0x0161; 0x0074; 0x0165; 0x0075; 0x01D4; 0x007A; 0x017E; 0x00DC; 0x01D9; 0x00FC; 0x01DA; 0x01B7; 0x01EE; 0x0292; 0x01EF; 0x0041; 0x0200; 0x0045; 0x0204; 0x0049; 0x0208; 0x004F; 0x020C; 0x0052; 0x0210; 0x0055; 0x0214; 0x0061; 0x0201; 0x0065; 0x0205; 0x0069; 0x0209; 0x006F; 0x020D; 0x0072; 0x0211; 0x0075; 0x0215; 0x0474; 0x0476; 0x0475; 0x0477; 0x0041; 0x0202; 0x0045; 0x0206; 0x0049; 0x020A; 0x004F; 0x020E; 0x0052; 0x0212; 0x0055; 0x0216; 0x0061; 0x0203; 0x0065; 0x0207; 0x0069; 0x020B; 0x006F; 0x020F; 0x0072; 0x0213; 0x0075; 0x0217; 0x0391; 0x1F08; 0x0395; 0x1F18; 0x0397; 0x1F28; 0x0399; 0x1F38; 0x039F; 0x1F48; 0x03A9; 0x1F68; 0x03B1; 0x1F00; 0x03B5; 0x1F10; 0x03B7; 0x1F20; 0x03B9; 0x1F30; 0x03BF; 0x1F40; 0x03C1; 0x1FE4; 0x03C5; 0x1F50; 0x03C9; 0x1F60; 0x0391; 0x1F09; 0x0395; 0x1F19; 0x0397; 0x1F29; 0x0399; 0x1F39; 0x039F; 0x1F49; 0x03A1; 0x1FEC; 0x03A5; 0x1F59; 0x03A9; 0x1F69; 0x03B1; 0x1F01; 0x03B5; 0x1F11; 0x03B7; 0x1F21; 0x03B9; 0x1F31; 0x03BF; 0x1F41; 0x03C1; 0x1FE5; 0x03C5; 0x1F51; 0x03C9; 0x1F61; 0x004F; 0x01A0; 0x0055; 0x01AF; 0x006F; 0x01A1; 0x0075; 0x01B0; 0x0041; 0x1EA0; 0x0042; 0x1E04; 0x0044; 0x1E0C; 0x0045; 0x1EB8; 0x0048; 0x1E24; 0x0049; 0x1ECA; 0x004B; 0x1E32; 0x004C; 0x1E36; 0x004D; 0x1E42; 0x004E; 0x1E46; 0x004F; 0x1ECC; 0x0052; 0x1E5A; 0x0053; 0x1E62; 0x0054; 0x1E6C; 0x0055; 0x1EE4; 0x0056; 0x1E7E; 0x0057; 0x1E88; 0x0059; 0x1EF4; 0x005A; 0x1E92; 0x0061; 0x1EA1; 0x0062; 0x1E05; 0x0064; 0x1E0D; 0x0065; 0x1EB9; 0x0068; 0x1E25; 0x0069; 0x1ECB; 0x006B; 0x1E33; 0x006C; 0x1E37; 0x006D; 0x1E43; 0x006E; 0x1E47; 0x006F; 0x1ECD; 0x0072; 0x1E5B; 0x0073; 0x1E63; 0x0074; 0x1E6D; 0x0075; 0x1EE5; 0x0076; 0x1E7F; 0x0077; 0x1E89; 0x0079; 0x1EF5; 0x007A; 0x1E93; 0x01A0; 0x1EE2; 0x01A1; 0x1EE3; 0x01AF; 0x1EF0; 0x01B0; 0x1EF1; 0x0055; 0x1E72; 0x0075; 0x1E73; 0x0041; 0x1E00; 0x0061; 0x1E01; 0x0053; 0x0218; 0x0054; 0x021A; 0x0073; 0x0219; 0x0074; 0x021B; 0x0043; 0x00C7; 0x0044; 0x1E10; 0x0045; 0x0228; 0x0047; 0x0122; 0x0048; 0x1E28; 0x004B; 0x0136; 0x004C; 0x013B; 0x004E; 0x0145; 0x0052; 0x0156; 0x0053; 0x015E; 0x0054; 0x0162; 0x0063; 0x00E7; 0x0064; 0x1E11; 0x0065; 0x0229; 0x0067; 0x0123; 0x0068; 0x1E29; 0x006B; 0x0137; 0x006C; 0x013C; 0x006E; 0x0146; 0x0072; 0x0157; 0x0073; 0x015F; 0x0074; 0x0163; 0x0041; 0x0104; 0x0045; 0x0118; 0x0049; 0x012E; 0x004F; 0x01EA; 0x0055; 0x0172; 0x0061; 0x0105; 0x0065; 0x0119; 0x0069; 0x012F; 0x006F; 0x01EB; 0x0075; 0x0173; 0x0044; 0x1E12; 0x0045; 0x1E18; 0x004C; 0x1E3C; 0x004E; 0x1E4A; 0x0054; 0x1E70; 0x0055; 0x1E76; 0x0064; 0x1E13; 0x0065; 0x1E19; 0x006C; 0x1E3D; 0x006E; 0x1E4B; 0x0074; 0x1E71; 0x0075; 0x1E77; 0x0048; 0x1E2A; 0x0068; 0x1E2B; 0x0045; 0x1E1A; 0x0049; 0x1E2C; 0x0055; 0x1E74; 0x0065; 0x1E1B; 0x0069; 0x1E2D; 0x0075; 0x1E75; 0x0042; 0x1E06; 0x0044; 0x1E0E; 0x004B; 0x1E34; 0x004C; 0x1E3A; 0x004E; 0x1E48; 0x0052; 0x1E5E; 0x0054; 0x1E6E; 0x005A; 0x1E94; 0x0062; 0x1E07; 0x0064; 0x1E0F; 0x0068; 0x1E96; 0x006B; 0x1E35; 0x006C; 0x1E3B; 0x006E; 0x1E49; 0x0072; 0x1E5F; 0x0074; 0x1E6F; 0x007A; 0x1E95; 0x003C; 0x226E; 0x003D; 0x2260; 0x003E; 0x226F; 0x2190; 0x219A; 0x2192; 0x219B; 0x2194; 0x21AE; 0x21D0; 0x21CD; 0x21D2; 0x21CF; 0x21D4; 0x21CE; 0x2203; 0x2204; 0x2208; 0x2209; 0x220B; 0x220C; 0x2223; 0x2224; 0x2225; 0x2226; 0x223C; 0x2241; 0x2243; 0x2244; 0x2245; 0x2247; 0x2248; 0x2249; 0x224D; 0x226D; 0x2261; 0x2262; 0x2264; 0x2270; 0x2265; 0x2271; 0x2272; 0x2274; 0x2273; 0x2275; 0x2276; 0x2278; 0x2277; 0x2279; 0x227A; 0x2280; 0x227B; 0x2281; 0x227C; 0x22E0; 0x227D; 0x22E1; 0x2282; 0x2284; 0x2283; 0x2285; 0x2286; 0x2288; 0x2287; 0x2289; 0x2291; 0x22E2; 0x2292; 0x22E3; 0x22A2; 0x22AC; 0x22A8; 0x22AD; 0x22A9; 0x22AE; 0x22AB; 0x22AF; 0x22B2; 0x22EA; 0x22B3; 0x22EB; 0x22B4; 0x22EC; 0x22B5; 0x22ED; 0x00A8; 0x1FC1; 0x03B1; 0x1FB6; 0x03B7; 0x1FC6; 0x03B9; 0x1FD6; 0x03C5; 0x1FE6; 0x03C9; 0x1FF6; 0x03CA; 0x1FD7; 0x03CB; 0x1FE7; 0x1F00; 0x1F06; 0x1F01; 0x1F07; 0x1F08; 0x1F0E; 0x1F09; 0x1F0F; 0x1F20; 0x1F26; 0x1F21; 0x1F27; 0x1F28; 0x1F2E; 0x1F29; 0x1F2F; 0x1F30; 0x1F36; 0x1F31; 0x1F37; 0x1F38; 0x1F3E; 0x1F39; 0x1F3F; 0x1F50; 0x1F56; 0x1F51; 0x1F57; 0x1F59; 0x1F5F; 0x1F60; 0x1F66; 0x1F61; 0x1F67; 0x1F68; 0x1F6E; 0x1F69; 0x1F6F; 0x1FBF; 0x1FCF; 0x1FFE; 0x1FDF; 0x0391; 0x1FBC; 0x0397; 0x1FCC; 0x03A9; 0x1FFC; 0x03AC; 0x1FB4; 0x03AE; 0x1FC4; 0x03B1; 0x1FB3; 0x03B7; 0x1FC3; 0x03C9; 0x1FF3; 0x03CE; 0x1FF4; 0x1F00; 0x1F80; 0x1F01; 0x1F81; 0x1F02; 0x1F82; 0x1F03; 0x1F83; 0x1F04; 0x1F84; 0x1F05; 0x1F85; 0x1F06; 0x1F86; 0x1F07; 0x1F87; 0x1F08; 0x1F88; 0x1F09; 0x1F89; 0x1F0A; 0x1F8A; 0x1F0B; 0x1F8B; 0x1F0C; 0x1F8C; 0x1F0D; 0x1F8D; 0x1F0E; 0x1F8E; 0x1F0F; 0x1F8F; 0x1F20; 0x1F90; 0x1F21; 0x1F91; 0x1F22; 0x1F92; 0x1F23; 0x1F93; 0x1F24; 0x1F94; 0x1F25; 0x1F95; 0x1F26; 0x1F96; 0x1F27; 0x1F97; 0x1F28; 0x1F98; 0x1F29; 0x1F99; 0x1F2A; 0x1F9A; 0x1F2B; 0x1F9B; 0x1F2C; 0x1F9C; 0x1F2D; 0x1F9D; 0x1F2E; 0x1F9E; 0x1F2F; 0x1F9F; 0x1F60; 0x1FA0; 0x1F61; 0x1FA1; 0x1F62; 0x1FA2; 0x1F63; 0x1FA3; 0x1F64; 0x1FA4; 0x1F65; 0x1FA5; 0x1F66; 0x1FA6; 0x1F67; 0x1FA7; 0x1F68; 0x1FA8; 0x1F69; 0x1FA9; 0x1F6A; 0x1FAA; 0x1F6B; 0x1FAB; 0x1F6C; 0x1FAC; 0x1F6D; 0x1FAD; 0x1F6E; 0x1FAE; 0x1F6F; 0x1FAF; 0x1F70; 0x1FB2; 0x1F74; 0x1FC2; 0x1F7C; 0x1FF2; 0x1FB6; 0x1FB7; 0x1FC6; 0x1FC7; 0x1FF6; 0x1FF7; 0x0627; 0x0622; 0x0627; 0x0623; 0x0648; 0x0624; 0x064A; 0x0626; 0x06C1; 0x06C2; 0x06D2; 0x06D3; 0x06D5; 0x06C0; 0x0627; 0x0625; 0x0928; 0x0929; 0x0930; 0x0931; 0x0933; 0x0934; 0x09C7; 0x09CB; 0x09C7; 0x09CC; 0x0B47; 0x0B4B; 0x0B47; 0x0B48; 0x0B47; 0x0B4C; 0x0BC6; 0x0BCA; 0x0BC7; 0x0BCB; 0x0B92; 0x0B94; 0x0BC6; 0x0BCC; 0x0C46; 0x0C48; 0x0CC6; 0x0CCA; 0x0CBF; 0x0CC0; 0x0CC6; 0x0CC7; 0x0CCA; 0x0CCB; 0x0CC6; 0x0CC8; 0x0D46; 0x0D4A; 0x0D47; 0x0D4B; 0x0D46; 0x0D4C; 0x0DD9; 0x0DDA; 0x0DDC; 0x0DDD; 0x0DD9; 0x0DDC; 0x0DD9; 0x0DDE; 0x1025; 0x1026; 0x3046; 0x3094; 0x304B; 0x304C; 0x304D; 0x304E; 0x304F; 0x3050; 0x3051; 0x3052; 0x3053; 0x3054; 0x3055; 0x3056; 0x3057; 0x3058; 0x3059; 0x305A; 0x305B; 0x305C; 0x305D; 0x305E; 0x305F; 0x3060; 0x3061; 0x3062; 0x3064; 0x3065; 0x3066; 0x3067; 0x3068; 0x3069; 0x306F; 0x3070; 0x3072; 0x3073; 0x3075; 0x3076; 0x3078; 0x3079; 0x307B; 0x307C; 0x309D; 0x309E; 0x30A6; 0x30F4; 0x30AB; 0x30AC; 0x30AD; 0x30AE; 0x30AF; 0x30B0; 0x30B1; 0x30B2; 0x30B3; 0x30B4; 0x30B5; 0x30B6; 0x30B7; 0x30B8; 0x30B9; 0x30BA; 0x30BB; 0x30BC; 0x30BD; 0x30BE; 0x30BF; 0x30C0; 0x30C1; 0x30C2; 0x30C4; 0x30C5; 0x30C6; 0x30C7; 0x30C8; 0x30C9; 0x30CF; 0x30D0; 0x30D2; 0x30D3; 0x30D5; 0x30D6; 0x30D8; 0x30D9; 0x30DB; 0x30DC; 0x30EF; 0x30F7; 0x30F0; 0x30F8; 0x30F1; 0x30F9; 0x30F2; 0x30FA; 0x30FD; 0x30FE; 0x306F; 0x3071; 0x3072; 0x3074; 0x3075; 0x3077; 0x3078; 0x307A; 0x307B; 0x307D; 0x30CF; 0x30D1; 0x30D2; 0x30D4; 0x30D5; 0x30D7; 0x30D8; 0x30DA; 0x30DB; 0x30DD |] let uniCharCombiningBitmap = "\ \x00\x00\x00\x01\x02\x03\x04\x05\ \x00\x06\x07\x08\x09\x0A\x0B\x0C\ \x0D\x14\x00\x00\x00\x00\x00\x0E\ \x0F\x00\x00\x00\x00\x00\x00\x00\ \x10\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x11\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x12\x00\x00\x13\x00\ \xFF\xFF\xFF\xFF\xFF\xFF\xFF\xFF\ \xFF\xFF\x00\x00\xFF\xFF\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x78\x03\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\xFE\xFF\xFB\xFF\xFF\xBB\ \x16\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\xF8\x3F\x00\x00\x00\x01\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\xC0\xFF\x9F\x3D\x00\x00\ \x00\x00\x02\x00\x00\x00\xFF\xFF\ \xFF\x07\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\xC0\xFF\x01\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x0E\x00\x00\x00\x00\x00\x00\xD0\ \xFF\x3F\x1E\x00\x0C\x00\x00\x00\ \x0E\x00\x00\x00\x00\x00\x00\xD0\ \x9F\x39\x80\x00\x0C\x00\x00\x00\ \x04\x00\x00\x00\x00\x00\x00\xD0\ \x87\x39\x00\x00\x00\x00\x03\x00\ \x0E\x00\x00\x00\x00\x00\x00\xD0\ \xBF\x3B\x00\x00\x00\x00\x00\x00\ \x0E\x00\x00\x00\x00\x00\x00\xD0\ \x8F\x39\xC0\x00\x00\x00\x00\x00\ \x04\x00\x00\x00\x00\x00\x00\xC0\ \xC7\x3D\x80\x00\x00\x00\x00\x00\ \x0E\x00\x00\x00\x00\x00\x00\xC0\ \xDF\x3D\x60\x00\x00\x00\x00\x00\ \x0C\x00\x00\x00\x00\x00\x00\xC0\ \xDF\x3D\x60\x00\x00\x00\x00\x00\ \x0C\x00\x00\x00\x00\x00\x00\xC0\ \xCF\x3D\x80\x00\x00\x00\x00\x00\ \x0C\x00\x00\x00\x00\x00\x00\x00\ \x00\x84\x5F\xFF\x00\x00\x0C\x00\ \x00\x00\x00\x00\x00\x00\xF2\x07\ \x80\x7F\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\xF2\x1B\ \x00\x3F\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x03\x00\x00\xA0\xC2\ \x00\x00\x00\x00\x00\x00\xFE\xFF\ \xDF\x00\xFF\xFE\xFF\xFF\xFF\x1F\ \x40\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\xF0\xC7\x03\ \x00\x00\xC0\x03\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x1C\x00\x00\x00\x1C\x00\ \x00\x00\x0C\x00\x00\x00\x0C\x00\ \x00\x00\x00\x00\x00\x00\xF0\xFF\ \xFF\xFF\x0F\x00\x00\x00\x00\x00\ \x00\x38\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x02\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\xFF\xFF\xFF\x07\x00\x00\ \x00\x00\x00\x00\x00\xFC\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x06\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x40\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \xFF\xFF\x00\x00\x0F\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\xFE\xFF\x3F\x00\ \x00\x00\x00\x00\x00\xFF\xFF\xFF\ \x07\x00\x00\x00\x00\x00\x00\x00" (****) let bitmap_test base bitmap character = character >= base && character < 0x10000 && (let value = get bitmap ((character lsr 8) land 0xFF) in value = 0xFF || (value <> 0 && get bitmap ((value - 1) * 32 + 256 + (character land 0xFF) / 8) land (1 lsl (character land 7)) <> 0)) let unicode_combinable character = bitmap_test 0x0300 uniCharCombiningBitmap character let rec find_rec t i j v = if i + 1 = j then begin if t.(i * 2) = v then t.(i * 2 + 1) else 0 end else begin let k = (i + j) / 2 in if v < t.(k * 2) then find_rec t i k v else find_rec t k j v end let find t i n v = let j = i + n in if v < t.(2 * i) || v > t.(2 * (j - 1)) then 0 else find_rec t i j v let uniCharPrecompSourceTableLen = Array.length uniCharPrecompSourceTable / 2 let combine v v' = if v' >= hangul_vbase && v' < hangul_tbase + hangul_tcount then begin if v' < hangul_vbase + hangul_vcount && v >= hangul_lbase && v < hangul_lbase + hangul_lcount then hangul_sbase + ((v - hangul_lbase) * (hangul_vcount * hangul_tcount)) + ((v' - hangul_vbase) * hangul_tcount) else if v' > hangul_tbase && v >= hangul_sbase && v < hangul_sbase + hangul_scount then if (v - hangul_sbase) mod hangul_tcount <> 0 then 0 else v + v' - hangul_tbase else 0 end else begin let k = find uniCharPrecompSourceTable 0 uniCharPrecompSourceTableLen v' in if k = 0 then 0 else find uniCharBMPPrecompDestinationTable (k land 0xFFFF) (k lsr 16) v end (****) let rec scan d s i l = if i < l then begin let c = get s i in if c < 0x80 then cont d s i l (i + 1) c else if c < 0xE0 then begin (* 80 - 7FF *) if c < 0xc2 || i + 1 >= l then fail () else let c1 = get s (i + 1) in if c1 land 0xc0 <> 0x80 then fail () else let v = c lsl 6 + c1 - 0x3080 in cont d s i l (i + 2) v end else if c < 0xF0 then begin (* 800 - FFFF *) if i + 2 >= l then fail () else let c1 = get s (i + 1) in let c2 = get s (i + 2) in if (c1 lor c2) land 0xc0 <> 0x80 then fail () else let v = c lsl 12 + c1 lsl 6 + c2 - 0xe2080 in if v < 0x800 then fail () else cont d s i l (i + 3) v end else begin (* 10000 - 10FFFF *) if i + 3 >= l then fail () else let c1 = get s (i + 1) in let c2 = get s (i + 2) in let c3 = get s (i + 3) in if (c1 lor c2 lor c3) land 0xc0 <> 0x80 then fail () else let v = c lsl 18 + c1 lsl 12 + c2 lsl 6 + c3 - 0x03c82080 in if v < 0x10000 || v > 0x10ffff then fail () else cont d s i l (i + 4) v end end else begin let (i1, i2) = d in String.blit s i2 s i1 (l - i2); String.sub s 0 (i1 + l - i2) end and cont d s i l j v' = if unicode_combinable v' then begin let i = prev_char s i in let (v, _) = decode_char s i l in let v'' = combine v v' in if v'' = 0 then scan d s j l else begin let (i1, i2) = d in String.blit s i2 s i1 (i - i2); let i1 = i1 + i - i2 in let (v'', i) = compose_rec s j l v'' in let i1 = encode_char s i1 l v'' in scan (i1, i) s i l end end else scan d s j l and compose_rec s i l v = try let (v', j) = decode_char s i l in if unicode_combinable v' then begin let v'' = combine v v' in if v'' = 0 then (v, i) else compose_rec s j l v'' end else (v, i) with Invalid -> (v, i) let compose s = try scan (0, 0) (String.copy s) 0 (String.length s) with Invalid -> s (***) let set_2 s i v = set s i (v land 0xff); set s (i + 1) (v lsr 8) let get_2 s i = (get s (i + 1)) lsl 8 + get s i let rec scan s' j s i l = if i < l then begin let c = get s i in if c < 0x80 then cont s' j s (i + 1) l c else if c < 0xE0 then begin (* 80 - 7FF *) if c < 0xc2 || i + 1 >= l then fail () else let c1 = get s (i + 1) in if c1 land 0xc0 <> 0x80 then fail () else let v = c lsl 6 + c1 - 0x3080 in cont s' j s (i + 2) l v end else if c < 0xF0 then begin (* 800 - FFFF *) if i + 2 >= l then fail () else let c1 = get s (i + 1) in let c2 = get s (i + 2) in if (c1 lor c2) land 0xc0 <> 0x80 then fail () else let v = c lsl 12 + c1 lsl 6 + c2 - 0xe2080 in if v < 0x800 then fail () else cont s' j s (i + 3) l v end else begin (* 10000 - 10FFFF *) if i + 3 >= l then fail () else let c1 = get s (i + 1) in let c2 = get s (i + 2) in let c3 = get s (i + 3) in if (c1 lor c2 lor c3) land 0xc0 <> 0x80 then fail () else let v = c lsl 18 + c1 lsl 12 + c2 lsl 6 + c3 - 0x03c82080 in if v < 0x10000 || v > 0x10ffff then fail () else let v = v - 0x10000 in set_2 s' j (v lsr 10 + 0xD800); set_2 s' (j + 2) (v land 0x3FF + 0xDC00); scan s' (j + 4) s (i + 4) l end end else String.sub s' 0 (j + 2) and cont s' j s i l v = set_2 s' j v; scan s' (j + 2) s i l let to_utf_16 s = let l = String.length s in let s' = String.make (2 * l + 2) '\000' in scan s' 0 s 0 l (***) let sfm_encode = [| 0x0000; 0xf001; 0xf002; 0xf003; 0xf004; 0xf005; 0xf006; 0xf007; 0xf008; 0xf009; 0xf00a; 0xf00b; 0xf00c; 0xf00d; 0xf00e; 0xf00f; 0xf010; 0xf011; 0xf012; 0xf013; 0xf014; 0xf015; 0xf016; 0xf017; 0xf018; 0xf019; 0xf01a; 0xf01b; 0xf01c; 0xf01d; 0xf01e; 0xf01f; 0x0020; 0x0021; 0xf020; 0x0023; 0x0024; 0x0025; 0x0026; 0x0027; 0x0028; 0x0029; 0xf021; 0x002b; 0x002c; 0x002d; 0x002e; 0x002f; 0x0030; 0x0031; 0x0032; 0x0033; 0x0034; 0x0035; 0x0036; 0x0037; 0x0038; 0x0039; 0xf022; 0x003b; 0xf023; 0x003d; 0xf024; 0xf025; 0x0040; 0x0041; 0x0042; 0x0043; 0x0044; 0x0045; 0x0046; 0x0047; 0x0048; 0x0049; 0x004a; 0x004b; 0x004c; 0x004d; 0x004e; 0x004f; 0x0050; 0x0051; 0x0052; 0x0053; 0x0054; 0x0055; 0x0056; 0x0057; 0x0058; 0x0059; 0x005a; 0x005b; 0xf026; 0x005d; 0x005e; 0x005f; 0x0060; 0x0061; 0x0062; 0x0063; 0x0064; 0x0065; 0x0066; 0x0067; 0x0068; 0x0069; 0x006a; 0x006b; 0x006c; 0x006d; 0x006e; 0x006f; 0x0070; 0x0071; 0x0072; 0x0073; 0x0074; 0x0075; 0x0076; 0x0077; 0x0078; 0x0079; 0x007a; 0x007b; 0xf027; 0x007d; 0x007e; 0x007f |] let set_2 s i v = set s i (v land 0xff); set s (i + 1) (v lsr 8) let get_2 s i = (get s (i + 1)) lsl 8 + get s i let end_of_name s i l = let i' = i + 1 in i' = l || get s i' = 0x2f (*'/'*) let rec scan s' j s i l = if i < l then begin let c = get s i in if c < 0x80 then cont s' j s (i + 1) l (if c = 0x20 && end_of_name s i l then 0xf028 else if c = 0x2e && end_of_name s i l then 0xf029 else Array.unsafe_get sfm_encode c) else if c < 0xE0 then begin (* 80 - 7FF *) if c < 0xc2 || i + 1 >= l then fail () else let c1 = get s (i + 1) in if c1 land 0xc0 <> 0x80 then fail () else let v = c lsl 6 + c1 - 0x3080 in cont s' j s (i + 2) l v end else if c < 0xF0 then begin (* 800 - FFFF *) if i + 2 >= l then fail () else let c1 = get s (i + 1) in let c2 = get s (i + 2) in if (c1 lor c2) land 0xc0 <> 0x80 then fail () else let v = c lsl 12 + c1 lsl 6 + c2 - 0xe2080 in if v < 0x800 then fail () else cont s' j s (i + 3) l v end else begin (* 10000 - 10FFFF *) if i + 3 >= l then fail () else let c1 = get s (i + 1) in let c2 = get s (i + 2) in let c3 = get s (i + 3) in if (c1 lor c2 lor c3) land 0xc0 <> 0x80 then fail () else let v = c lsl 18 + c1 lsl 12 + c2 lsl 6 + c3 - 0x03c82080 in if v < 0x10000 || v > 0x10ffff then fail () else let v = v - 0x10000 in set_2 s' j (v lsr 10 + 0xD800); set_2 s' (j + 2) (v land 0x3FF + 0xDC00); scan s' (j + 4) s (i + 4) l end end else String.sub s' 0 (j + 2) and cont s' j s i l v = set_2 s' j v; scan s' (j + 2) s i l let to_utf_16_filename s = let l = String.length s in let s' = String.make (2 * l + 2) '\000' in scan s' 0 s 0 l (****) let rec scan s' i' l' s i l = if i + 2 <= l then begin let v = get_2 s i in if v = 0 then String.sub s' 0 i' (* null *) else if v < 0xD800 || v > 0xDFFF then let i' = encode_char s' i' l' v in scan s' i' l' s (i + 2) l else if v >= 0xdc00 || i + 4 > l then let i' = encode_char s' i' l' v in scan s' i' l' s (i + 2) l (* fail () *) else begin let v' = get_2 s (i + 2) in if v' < 0xDC00 || v' > 0XDFFF then let i' = encode_char s' i' l' v in scan s' i' l' s (i + 2) l (* fail ()*) else let i' = encode_char s' i' l' ((v - 0xD800) lsl 10 + (v' - 0xDC00) + 0x10000) in scan s' i' l' s (i + 4) l end end else if i < l then fail () (* Odd number of chars *) else String.sub s' 0 i' let from_utf_16 s = let l = String.length s in let l' = 3 * l / 2 in let s' = String.create l' in scan s' 0 l' s 0 l (****) let end_of_name s i l = i + 2 = l || (i + 4 <= l && s.[i + 2] = '/' && s.[i + 3] = '\000') let sfm_decode = "\x00\x01\x02\x03\x04\x05\x06\x07\ \x08\x09\x0a\x0b\x0c\x0d\x0e\x0f\ \x10\x11\x12\x13\x14\x15\x16\x17\ \x18\x19\x1a\x1b\x1c\x1d\x1e\x1f\ \"*:<>?\\| ." let rec scan s' i' l' s i l = if i + 2 <= l then begin let v = get_2 s i in if v = 0 then String.sub s' 0 i' (* null *) else if v < 0xD800 then let i' = encode_char s' i' l' v in scan s' i' l' s (i + 2) l else if v > 0xDFFF then begin let v = if v > 0xf000 && v <= 0xf029 then if v = 0xf028 && end_of_name s i l then 0x20 else if v = 0xf029 && end_of_name s i l then 0x2e else get sfm_decode (v - 0xf000) else v in let i' = encode_char s' i' l' v in scan s' i' l' s (i + 2) l end else if v >= 0xdc00 || i + 4 > l then let i' = encode_char s' i' l' v in scan s' i' l' s (i + 2) l (* fail () *) else begin let v' = get_2 s (i + 2) in if v' < 0xDC00 || v' > 0XDFFF then let i' = encode_char s' i' l' v in scan s' i' l' s (i + 2) l (* fail ()*) else let i' = encode_char s' i' l' ((v - 0xD800) lsl 10 + (v' - 0xDC00) + 0x10000) in scan s' i' l' s (i + 4) l end end else if i < l then fail () (* Odd number of chars *) else String.sub s' 0 i' (* NOTE: we MUST have to_utf_16_filename (from_utf_16 s) = s for any Windows valid filename s *) let from_utf_16_filename s = let l = String.length s in let l' = 3 * l / 2 in let s' = String.create l' in scan s' 0 l' s 0 l (****) let rec scan s i l = i = l || let c = get s i in if c < 0x80 then c <> 0 && scan s (i + 1) l else if c < 0xE0 then begin (* 80 - 7FF *) c >= 0xc2 && i + 1 < l && let c1 = get s (i + 1) in c1 land 0xc0 = 0x80 && scan s (i + 2) l end else if c < 0xF0 then begin (* 800 - FFFF *) i + 2 < l && let c1 = get s (i + 1) in let c2 = get s (i + 2) in (c1 lor c2) land 0xc0 = 0x80 && let v = c lsl 12 + c1 lsl 6 + c2 - 0xe2080 in v >= 0x800 && (v < 0xd800 || (v > 0xdfff && v <> 0xfffe && v <> 0xffff)) && scan s (i + 3) l end else begin (* 10000 - 10FFFF *) i + 3 < l && let c1 = get s (i + 1) in let c2 = get s (i + 2) in let c3 = get s (i + 3) in (c1 lor c2 lor c3) land 0xc0 = 0x80 && let v = c lsl 18 + c1 lsl 12 + c2 lsl 6 + c3 - 0x03c82080 in v >= 0x10000 && v <= 0x10ffff && scan s (i + 4) l end let check_utf_8 s = scan s 0 (String.length s) (****) let wf_utf8 = [[('\x01', '\x7F')]; [('\xC2', '\xDF'); ('\x80', '\xBF')]; [('\xE0', '\xE0'); ('\xA0', '\xBF'); ('\x80', '\xBF')]; [('\xE1', '\xEC'); ('\x80', '\xBF'); ('\x80', '\xBF')]; [('\xED', '\xED'); ('\x80', '\x9F'); ('\x80', '\xBF')]; [('\xEE', '\xEF'); ('\x80', '\xBF'); ('\x80', '\xBF')]; [('\xF0', '\xF0'); ('\x90', '\xBF'); ('\x80', '\xBF'); ('\x80', '\xBF')]; [('\xF1', '\xF3'); ('\x80', '\xBF'); ('\x80', '\xBF'); ('\x80', '\xBF')]; [('\xF4', '\xF4'); ('\x80', '\x8F'); ('\x80', '\xBF'); ('\x80', '\xBF')]] let rec accept_seq l s i len = match l with [] -> Some i | (a, b) :: r -> if i = len || s.[i] < a || s.[i] > b then None else accept_seq r s (i + 1) len let rec accept_rec l s i len = match l with [] -> None | seq :: r -> match accept_seq seq s i len with None -> accept_rec r s i len | res -> res let accept = accept_rec wf_utf8 (***) let protect_char buf c = if c = '\x00' then Buffer.add_char buf ' ' else if c < '\x80' then Buffer.add_char buf c else let c = Char.code c in Buffer.add_char buf (Char.chr (c lsr 6 + 0xC0)); Buffer.add_char buf (Char.chr (c land 0x3f + 0x80)) let rec protect_rec buf s i len = if i = len then Buffer.contents buf else match accept s i len with Some i' -> Buffer.add_substring buf s i (i' - i); protect_rec buf s i' len | None -> protect_char buf s.[i]; protect_rec buf s (i + 1) len let expl f s = f s 0 (String.length s) (* Convert a string to UTF8 by keeping all UTF8 characters unchanged and considering all other characters as ISO 8859-1 characters *) let protect s = let buf = Buffer.create (String.length s * 2) in expl (protect_rec buf) s unison-2.40.102/linkgtk2.ml0000644006131600613160000000142711361646373015472 0ustar bcpiercebcpierce(* Unison file synchronizer: src/linkgtk2.ml *) (* Copyright 1999-2009, Benjamin C. Pierce This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . *) module TopLevel = Main.Body(Uigtk2.Body) unison-2.40.102/copy.mli0000644006131600613160000000246111361646373015067 0ustar bcpiercebcpierce (* Transfer a file from a replica to the other *) val file : Common.root (* root of source *) -> Path.local (* path of source *) -> Common.root (* root of target *) -> Fspath.t (* fspath of target *) -> Path.local (* path of target *) -> Path.local (* path of "real" [original] target *) -> [`Update of (Uutil.Filesize.t * Uutil.Filesize.t) | `Copy] -> Props.t (* permissions for new file *) -> Os.fullfingerprint (* fingerprint of file *) -> Fileinfo.stamp option (* source file stamp, if available *) -> Osx.ressStamp (* ressource info of file *) -> Uutil.File.t (* file's index in UI (for progress bars) *) -> Fileinfo.t Lwt.t (* information regarding the transferred file *) val localFile : Fspath.t (* fspath of source *) -> Path.local (* path of source *) -> Fspath.t (* fspath of target *) -> Path.local (* path of target *) -> Path.local (* path of "real" [original] target *) -> [`Update of (Uutil.Filesize.t * Uutil.Filesize.t) | `Copy] -> Props.t (* permissions for new file *) -> Uutil.Filesize.t (* fork length *) -> Uutil.File.t option (* file's index in UI (for progress bars), as appropriate *) -> unit unison-2.40.102/fs.mli0000644006131600613160000000035511361646373014525 0ustar bcpiercebcpierce(* Unison file synchronizer: src/fs.mli *) (* Copyright 1999-2009, Benjamin C. Pierce (see COPYING for details) *) (* Operations on fspaths *) include System_intf.Core with type fspath = Fspath.t val setUnicodeEncoding : bool -> unit unison-2.40.102/recon.mli0000644006131600613160000000320111361646373015214 0ustar bcpiercebcpierce(* Unison file synchronizer: src/recon.mli *) (* Copyright 1999-2009, Benjamin C. Pierce (see COPYING for details) *) val reconcileAll : ?allowPartial:bool (* whether we allow partial synchronization of directories (default to false) *) -> ((Path.local * Common.updateItem * Props.t list) * (Path.local * Common.updateItem * Props.t list)) list (* one updateItem per replica, per path *) -> Common.reconItem list (* List of updates that need propagated *) * bool (* Any file updated equally on all roots*) * Path.t list (* Paths which have been emptied on one side*) (* Use the current values of the '-prefer ' and '-force ' *) (* preferences to override the reconciler's choices *) val overrideReconcilerChoices : Common.reconItem list -> unit (* If the given reconItem's default direction is Conflict (or the third *) (* argument is `Force), then set it as specified by the second argument. *) val setDirection : Common.reconItem -> [`Older | `Newer | `Merge | `Replica1ToReplica2 | `Replica2ToReplica1] -> [`Force | `Prefer] -> unit (* Set the given reconItem's direction back to the default *) val revertToDefaultDirection : Common.reconItem -> unit (* Look up the preferred root and verify that it is OK (this is called at *) (* the beginning of the run, before we do anything time consuming, so that *) (* we don't have to wait to hear about errors *) val checkThatPreferredRootIsValid : unit -> unit unison-2.40.102/test.ml0000644006131600613160000004166511361646373014734 0ustar bcpiercebcpierce(* Unison file synchronizer: src/test.ml *) (* Copyright 1999-2009, Benjamin C. Pierce This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . *) let (>>=) = Lwt.(>>=) (* ---------------------------------------------------------------------- *) (* Utility functions *) let debug = Trace.debug "test" let verbose = Trace.debug "test" let rec remove_file_or_dir d = match try Some(Fs.lstat d) with Unix.Unix_error((Unix.ENOENT | Unix.ENOTDIR),_,_) -> None with | Some(s) -> if s.Unix.LargeFile.st_kind = Unix.S_DIR then begin let handle = Fs.opendir d in let rec loop () = let r = try Some(handle.Fs.readdir ()) with End_of_file -> None in match r with | Some f -> if f="." || f=".." then loop () else begin remove_file_or_dir (Fspath.concat d (Path.fromString f)); loop () end | None -> handle.Fs.closedir (); Fs.rmdir d in loop () end else Fs.unlink d | None -> () let read_chan chan = let nbytes = in_channel_length chan in let string = String.create nbytes in really_input chan string 0 nbytes; string let read file = (* if file = "-" then read_chan stdin else *) let chan = Fs.open_in_bin file in try let r = read_chan chan in close_in chan; r with exn -> close_in chan; raise exn let write file s = (* if file = "-" then output_string stdout s else *) let chan = Fs.open_out_gen [Open_wronly; Open_creat; Open_trunc; Open_binary] 0o600 file in try output_string chan s; close_out chan with exn -> close_out chan; raise exn let read_dir d = let ignored = ["."; ".."] in let d = Fs.opendir d in let rec do_read acc = try (match (d.Fs.readdir ()) with | s when Safelist.mem s ignored -> do_read acc | f -> do_read (f :: acc)) with End_of_file -> acc in let files = do_read [] in d.Fs.closedir (); files let extend p file = Fspath.concat p (Path.fromString file) type fs = | File of string | Link of string | Dir of (string * fs) list let rec equal fs1 fs2 = match fs1,fs2 with | File s1, File s2 -> s1=s2 | Link s1, Link s2 -> s1=s2 | Dir d1, Dir d2 -> let dom d = Safelist.sort String.compare (Safelist.map fst d) in (dom d1 = dom d2) && (Safelist.for_all (fun x -> equal (Safelist.assoc x d1) (Safelist.assoc x d2))) (dom d1) | _,_ -> false let rec fs2string = function | File s -> "File \"" ^ s ^ "\"" | Link s -> "Link \"" ^ s ^ "\"" | Dir s -> "Dir [" ^ (String.concat "; " (Safelist.map (fun (n,fs') -> "(\""^n^"\", "^(fs2string fs')^")") s)) ^ "]" let fsopt2string = function None -> "MISSING" | Some(f) -> fs2string f let readfs p = let rec loop p = let s = Fs.lstat p in match s.Unix.LargeFile.st_kind with | Unix.S_REG -> File (read p) | Unix.S_LNK -> Link (Fs.readlink p) | Unix.S_DIR -> Dir (Safelist.map (fun x -> (x, loop (extend p x))) (read_dir p)) | _ -> assert false in try Some(loop p) with Unix.Unix_error (Unix.ENOENT,_,_) -> None let default_perm = 0o755 let writefs p fs = verbose (fun() -> Util.msg "Writing new test filesystem\n"); let rec loop p = function | File s -> verbose (fun() -> Util.msg "Writing %s with contents %s (fingerprint %s)\n" (Fspath.toDebugString p) s (Fingerprint.toString (Fingerprint.string s))); write p s | Link s -> Fs.symlink s p | Dir files -> Fs.mkdir p default_perm; Safelist.iter (fun (x,cont) -> loop (extend p x) cont) files in remove_file_or_dir p; loop p fs let checkRootEmpty : Common.root -> unit -> unit Lwt.t = Remote.registerRootCmd "checkRootEmpty" (fun (fspath, ()) -> if Os.exists fspath Path.empty then raise (Util.Fatal (Printf.sprintf "Path %s is not empty at start of tests!" (Fspath.toPrintString fspath))); Lwt.return ()) let makeRootEmpty : Common.root -> unit -> unit Lwt.t = Remote.registerRootCmd "makeRootEmpty" (fun (fspath, ()) -> remove_file_or_dir fspath; Lwt.return ()) let getfs : Common.root -> unit -> (fs option) Lwt.t = Remote.registerRootCmd "getfs" (fun (fspath, ()) -> Lwt.return (readfs fspath)) let getbackup : Common.root -> unit -> (fs option) Lwt.t = Remote.registerRootCmd "getbackup" (fun (fspath, ()) -> Lwt.return (readfs (Stasher.backupDirectory ()))) let makeBackupEmpty : Common.root -> unit -> unit Lwt.t = Remote.registerRootCmd "makeBackupEmpty" (fun (fspath, ()) -> let b = Stasher.backupDirectory () in debug (fun () -> Util.msg "Removing %s\n" (Fspath.toDebugString b)); Lwt.return (remove_file_or_dir b)) let putfs : Common.root -> fs -> unit Lwt.t = Remote.registerRootCmd "putfs" (fun (fspath, fs) -> writefs fspath fs; Lwt.return ()) let loadPrefs l = Prefs.loadStrings l; Lwt_unix.run (Globals.propagatePrefs ()); Stasher.initBackups() (* ---------------------------------------------------------------------------- *) let displayRis ris = Safelist.iter (fun ri -> Util.msg "%s\n" (Uicommon.reconItem2string Path.empty ri "")) ris let sync ?(verbose=false) () = let (reconItemList, _, _) = Recon.reconcileAll (Update.findUpdates()) in if verbose then begin Util.msg "Sync result:\n"; displayRis reconItemList end; Lwt_unix.run ( Lwt_util.iter (fun ri -> Transport.transportItem ri (Uutil.File.ofLine 0) (fun _ _ -> true)) reconItemList); Update.commitUpdates() let currentTest = ref "" type checkable = R1 | R2 | BACKUP1 | BACKUP2 let checkable2string = function R1 -> "R1" | R2 -> "R2" | BACKUP1 -> "BACKUP1" | BACKUP2 -> "BACKUP2" let test() = Util.warnPrinter := None; Prefs.set Trace.logging false; Prefs.set Trace.terse true; Trace.sendLogMsgsToStderr := false; let origPrefs = Prefs.dump() in let runtest name prefs f = Util.msg "%s...\n" name; Util.convertUnixErrorsToFatal "Test.test" (fun() -> currentTest := name; Prefs.load origPrefs; loadPrefs prefs; debug (fun() -> Util.msg "Emptying backup directory\n"); Lwt_unix.run (Globals.allRootsIter (fun r -> makeBackupEmpty r ())); debug (fun() -> Util.msg "Running test\n"); f(); ) in Util.msg "Running internal tests...\n"; (* Paranoid checks, to make sure we do not delete anybody's filesystem! *) if not (Safelist.for_all (fun r -> Util.findsubstring "test" r <> None) (Globals.rawRoots())) then raise (Util.Fatal "Self-tests can only be run if both roots include the string 'test'"); if Util.findsubstring "test" (Fspath.toPrintString (Stasher.backupDirectory())) = None then raise (Util.Fatal ("Self-tests can only be run if the 'backupdir' preference (or wherever the backup " ^ "directory name is coming from, e.g. the UNISONBACKUPDIR environment variable) " ^ "includes the string 'test'")); Lwt_unix.run (Globals.allRootsIter (fun r -> makeRootEmpty r ())); let (r2,r1) = Globals.roots () in (* Util.msg "r1 = %s r2 = %s...\n" (Common.root2string r1) (Common.root2string r2); *) let bothRootsLocal = match (r1,r2) with (Common.Local,_),(Common.Local,_) -> true | _ -> false in let put c fs = Lwt_unix.run (match c with R1 -> putfs r1 fs | R2 -> putfs r2 fs | BACKUP1 | BACKUP2 -> assert false) in let failures = ref 0 in let check name c fs = debug (fun() -> Util.msg "Checking %s / %s\n" (!currentTest) name); let actual = Lwt_unix.run ((match c with R1 -> getfs r1 | R2 -> getfs r2 | BACKUP1 -> getbackup r1 | BACKUP2 -> getbackup r2) ()) in let fail () = Util.msg "Test %s / %s: \nExpected %s = \n %s\nbut found\n %s\n" (!currentTest) name (checkable2string c) (fs2string fs) (fsopt2string actual); failures := !failures+1; raise (Util.Fatal (Printf.sprintf "Self-test %s / %s failed!" (!currentTest) name)) in match actual with Some(a) -> if not (equal a fs) then fail() | None -> fail() in let checkmissing name c = debug (fun() -> Util.msg "Checking nonexistence %s / %s\n" (!currentTest) name); let actual = Lwt_unix.run ((match c with R1 -> getfs r1 | R2 -> getfs r2 | BACKUP1 -> getbackup r1 | BACKUP2 -> getbackup r2) ()) in if actual <> None then begin Util.msg "Test %s / %s: \nExpected %s MISSING\nbut found\n %s\n" (!currentTest) name (checkable2string c) (fsopt2string actual); failures := !failures+1; raise (Util.Fatal (Printf.sprintf "Self-test %s / %s failed!" (!currentTest) name)) end in (* N.b.: When making up tests, it's important to choose file contents of different lengths. The reason for this is that, on some Unix systems, it is possible for the inode number of a just-deleted file to be reassigned to the very next file created -- i.e., to the updated version of the file that the test script has just written. If the length of the contents is also the same and the test is running fast enough that the whole thing happens within a second, then the update will be missed! *) (* Check for the bug reported by Ralf Lehmann *) if not bothRootsLocal then runtest "backups 1 (remote)" ["backup = Name *"] (fun() -> put R1 (Dir []); put R2 (Dir []); sync(); debug (fun () -> Util.msg "First check\n"); checkmissing "1" BACKUP1; checkmissing "2" BACKUP2; (* Create a file *) put R1 (Dir ["test.txt", File "1"]); sync(); checkmissing "3" BACKUP1; checkmissing "4" BACKUP2; (* Change it and check that the old version got backed up on the target host *) put R1 (Dir ["test.txt", File "2"]); sync(); checkmissing "5" BACKUP1; check "6" BACKUP2 (Dir [("test.txt", File "1")]); ); if bothRootsLocal then runtest "backups 1 (local)" ["backup = Name *"] (fun() -> put R1 (Dir []); put R2 (Dir []); sync(); (* Create a file and a directory *) put R1 (Dir ["x", File "foo"; "d", Dir ["a", File "barr"]]); sync(); (* Delete them *) put R1 (Dir []); sync(); check "1" BACKUP1 (Dir ["x", File "foo"; "d", Dir ["a", File "barr"]]); (* Put them back and delete them once more *) put R1 (Dir ["x", File "FOO"; "d", Dir ["a", File "BARR"]]); sync(); put R1 (Dir []); sync(); check "2" BACKUP1 (Dir [("x", File "FOO"); ("d", Dir [("a", File "BARR")]); (".bak.1.x", File "foo"); (".bak.1.d", Dir [("a", File "barr")])]) ); runtest "backups 2" ["backup = Name *"; "backuplocation = local"] (fun() -> put R1 (Dir []); put R2 (Dir []); sync(); (* Create a file and a directory *) put R1 (Dir ["x", File "foo"; "d", Dir ["a", File "barr"]]); sync(); (* Delete them *) put R1 (Dir []); sync(); (* Check that they have been backed up correctly on the other side *) check "1" R2 (Dir [(".bak.0.x", File "foo"); (".bak.0.d", Dir [("a", File "barr")])]); ); runtest "backups 2a" ["backup = Name *"; "backuplocation = local"] (fun() -> put R1 (Dir []); put R2 (Dir []); sync(); (* Create a file and a directory *) put R1 (Dir ["foo", File "1"]); sync(); check "1" R1 (Dir [("foo", File "1")]); check "2" R1 (Dir [("foo", File "1")]); put R1 (Dir ["foo", File "2"]); sync(); check "3" R1 (Dir [("foo", File "2")]); check "4" R2 (Dir [("foo", File "2"); (".bak.0.foo", File "1")]); ); runtest "backups 3" ["backup = Name *"; "backuplocation = local"; "backupcurrent = Name *"] (fun() -> put R1 (Dir []); put R2 (Dir []); sync(); put R1 (Dir ["x", File "foo"]); sync (); check "1a" R1 (Dir [("x", File "foo"); (".bak.0.x", File "foo")]); check "1b" R2 (Dir [("x", File "foo"); (".bak.0.x", File "foo")]); put R2 (Dir ["x", File "barr"; (".bak.0.x", File "foo")]); sync (); check "2a" R1 (Dir [("x", File "barr"); (".bak.1.x", File "foo"); (".bak.0.x", File "barr")]); check "2b" R2 (Dir [("x", File "barr"); (".bak.1.x", File "foo"); (".bak.0.x", File "barr")]); ); runtest "backups 4" ["backup = Name *"; "backupcurrent = Name *"; "maxbackups = 7"] (fun() -> put R1 (Dir []); put R2 (Dir []); sync(); put R1 (Dir ["x", File "foo"]); sync(); check "1a" BACKUP1 (Dir [("x", File "foo")]); put R1 (Dir ["x", File "barr"]); sync(); check "1b" BACKUP1 (Dir [("x", File "barr"); (".bak.1.x", File "foo")]); put R2 (Dir ["x", File "bazzz"]); sync(); check "1c" BACKUP1 (Dir [("x", File "bazzz"); (".bak.2.x", File "foo"); (".bak.1.x", File "barr")]); ); runtest "backups 5 (directories)" ["backup = Name *"; "backupcurrent = Name *"; "maxbackups = 7"] (fun() -> put R1 (Dir []); put R2 (Dir []); sync(); (* Create a directory x containing files a and l; check that the current version gets backed up *) put R1 (Dir ["x", Dir ["a", File "foo"; "l", File "./foo"]]); sync(); check "1" BACKUP1 (Dir [("x", Dir [("l", File "./foo"); ("a", File "foo")])]); (* On replica 2, delete file a, create file b, and edit file l *) put R2 (Dir ["x", Dir ["b", File "barr"; "l", File "./barr"]]); sync(); check "2" BACKUP1 (Dir [("x", Dir [("l", File "./barr"); ("b", File "barr"); ("a", File "foo"); (".bak.1.l", File "./foo")])]); (* On replica 1, replace the whole directory by a file; when we check the result, we need to know whether we're running the test locally or remotely; in the former case, we should see *both* the old and the new version as backups *) put R1 (Dir ["x", File "bazzz"]); sync(); if bothRootsLocal then check "3" BACKUP1 (Dir [("x", File "bazzz"); (".bak.2.x", Dir [("l", File "./barr"); ("b", File "barr"); ("a", File "foo"); (".bak.1.l", File "./foo")]); (".bak.1.x", Dir [("l", File "./barr"); ("b", File "barr")])]) else check "3" BACKUP1 (Dir [("x", File "bazzz"); (".bak.1.x", Dir [("l", File "./barr"); ("b", File "barr"); ("a", File "foo"); (".bak.1.l", File "./foo")])]); ); runtest "backups 6 (backup prefix/suffix)" ["backup = Name *"; "backuplocation = local"; "backupprefix = back/$VERSION-"; "backupsuffix = .backup"; "backupcurrent = Name *"] (fun() -> put R1 (Dir []); put R2 (Dir []); sync(); put R1 (Dir ["x", File "foo"]); sync(); check "1" R1 (Dir [("x", File "foo"); ("back", Dir [("0-x.backup", File "foo")])]); ); if not (Prefs.read Globals.someHostIsRunningWindows) then begin runtest "links 1 (directories and links)" ["backup = Name *"; "backupcurrent = Name *"; "maxbackups = 7"] (fun() -> put R1 (Dir []); put R2 (Dir []); sync(); put R1 (Dir ["x", Dir ["a", File "foo"; "l", Link "./foo"]]); sync(); check "1" BACKUP1 (Dir [("x", Dir [("l", Link "./foo"); ("a", File "foo")])]); put R2 (Dir ["x", Dir ["b", File "barr"; "l", Link "./barr"]]); sync(); check "2" BACKUP1 (Dir [("x", Dir [("l", Link "./barr"); ("b", File "barr"); ("a", File "foo"); (".bak.1.l", Link "./foo")])]); put R1 (Dir ["x", File "bazzz"]); sync(); if bothRootsLocal then check "3" BACKUP1 (Dir [("x", File "bazzz"); (".bak.2.x", Dir [("l", Link "./barr"); ("b", File "barr"); ("a", File "foo"); (".bak.1.l", Link "./foo")]); (".bak.1.x", Dir [("l", Link "./barr"); ("b", File "barr")])]) else check "3" BACKUP1 (Dir [("x", File "bazzz"); (".bak.1.x", Dir [("l", Link "./barr"); ("b", File "barr"); ("a", File "foo"); (".bak.1.l", Link "./foo")])]); ); (* Test that we correctly fail when we try to 'follow' a symlink that does not point to anything *) runtest "links 2 (symlink to nowhere)" ["follow = Name y"] (fun() -> let orig = (Dir []) in put R1 orig; put R2 orig; sync(); put R1 (Dir ["y", Link "x"]); sync(); check "1" R2 orig; ); end; if !failures = 0 then Util.msg "Success :-)\n" else raise (Util.Fatal "Self-tests failed\n") (* Initialization: tie the knot between this module and Uicommon *) let _ = (Uicommon.testFunction := test) unison-2.40.102/files.mli0000644006131600613160000001002211361646373015207 0ustar bcpiercebcpierce(* Unison file synchronizer: src/files.mli *) (* Copyright 1999-2009, Benjamin C. Pierce (see COPYING for details) *) (* As usual, these functions should only be called by the client (i.e., in *) (* the same address space as the user interface). *) (* Delete the given subtree of the given replica *) val delete : Common.root (* source root *) -> Path.t (* deleted path *) -> Common.root (* root *) -> Path.t (* path to delete *) -> Common.updateItem (* updates that will be discarded *) -> unit Lwt.t (* Region used for the copying. Exported to be correctly set in transport.ml *) (* to the maximum number of threads *) val copyReg : Lwt_util.region (* Copy a path in one replica to another path in a second replica. The copy *) (* is performed atomically (or as close to atomically as the os will *) (* support) using temporary files. *) val copy : [`Update of (Uutil.Filesize.t * Uutil.Filesize.t) | `Copy] (* whether there was already a file *) -> Common.root (* from what root *) -> Path.t (* from what path *) -> Common.updateItem (* source updates *) -> Props.t list (* properties of parent directories *) -> Common.root (* to what root *) -> Path.t (* to what path *) -> Common.updateItem (* dest. updates *) -> Props.t list (* properties of parent directories *) -> Uutil.File.t (* id for showing progress of transfer *) -> unit Lwt.t (* Copy the permission bits from a path in one replica to another path in a *) (* second replica. *) val setProp : Common.root (* source root *) -> Path.t (* source path *) -> Common.root (* target root *) -> Path.t (* target path *) -> Props.t (* previous properties *) -> Props.t (* new properties *) -> Common.updateItem (* source updates *) -> Common.updateItem (* target updates *) -> unit Lwt.t (* Generate a difference summary for two (possibly remote) versions of a *) (* file and send it to a given function *) val diff : Common.root (* first root *) -> Path.t (* path on first root *) -> Common.updateItem (* first root updates *) -> Common.root (* other root *) -> Path.t (* path on other root *) -> Common.updateItem (* target updates *) -> (string->string->unit) (* how to display the (title and) result *) -> Uutil.File.t (* id for showing progress of transfer *) -> unit (* This should be called at the beginning of execution, to detect and clean *) (* up any pending file operations left over from previous (abnormally *) (* terminated) synchronizations *) val processCommitLogs : unit -> unit (* List the files in a directory matching a pattern. *) val ls : System.fspath -> string -> string list val merge : Common.root (* first root *) -> Path.t (* path to merge *) -> Common.updateItem (* differences from the archive *) -> Common.root (* second root *) -> Path.t (* path to merge *) -> Common.updateItem (* differences from the archive *) -> Uutil.File.t (* id for showing progress of transfer *) -> (string->string->bool) (* function to display the (title and) result and ask user for confirmation (when -batch is true, the function should not ask any questions and should always return true) *) -> unit unison-2.40.102/case.ml0000644006131600613160000001624012025627377014660 0ustar bcpiercebcpierce(* Unison file synchronizer: src/case.ml *) (* Copyright 1999-2009, Benjamin C. Pierce This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . *) (* The update detector, reconciler, and transporter behave differently *) (* depending on whether the local and/or remote file system is case *) (* insensitive. This pref is set during the initial handshake if any one of *) (* the hosts is case insensitive. *) let caseInsensitiveMode = Prefs.createBoolWithDefault "ignorecase" "!identify upper/lowercase filenames (true/false/default)" ("When set to {\\tt true}, this flag causes Unison to treat " ^ "filenames as case insensitive---i.e., files in the two " ^ "replicas whose names differ in (upper- and lower-case) `spelling' " ^ "are treated as the same file. When the flag is set to {\\tt false}, Unison " ^ "will treat all filenames as case sensitive. Ordinarily, when the flag is " ^ "set to {\\tt default}, " ^ "filenames are automatically taken to be case-insensitive if " ^ "either host is running Windows or OSX. In rare circumstances it may be " ^ "useful to set the flag manually.") (* Defining this variable as a preference ensures that it will be propagated to the other host during initialization *) let someHostIsInsensitive = Prefs.createBool "someHostIsInsensitive" false "*Pseudo-preference for internal use only" "" let unicode = Prefs.createBoolWithDefault "unicode" "!assume Unicode encoding in case insensitive mode" "When set to {\\tt true}, this flag causes Unison to perform \ case insensitive file comparisons assuming Unicode encoding. \ This is the default. When the flag is set to {\\tt false}, \ a Latin 1 encoding is assumed. When Unison runs in case sensitive \ mode, this flag only makes a difference if one host is running \ Windows or Mac OS X. Under Windows, the flag selects between using \ the Unicode or 8bit Windows API for accessing the filesystem. \ Under Mac OS X, it selects whether comparing the filenames up to \ decomposition, or byte-for-byte." let unicodeEncoding = Prefs.createBool "unicodeEnc" false "*Pseudo-preference for internal use only" "" let useUnicode () = let pref = Prefs.read unicode in pref = `True || pref = `Default let useUnicodeAPI = useUnicode let unicodeCaseSensitive = Prefs.createBool "unicodeCS" ~local:true false "*Pseudo-preference for internal use only" "" (* During startup the client determines the case sensitivity of each root. *) (* If any root is case insensitive, all roots must know it; we ensure this *) (* by storing the information in a pref so that it is propagated to the *) (* server with the rest of the prefs. *) let init b someHostRunningOsX = Prefs.set someHostIsInsensitive (Prefs.read caseInsensitiveMode = `True || (Prefs.read caseInsensitiveMode = `Default && b)); Prefs.set unicodeCaseSensitive (useUnicode () && someHostRunningOsX); Prefs.set unicodeEncoding (useUnicode ()) (****) (* Dots are ignored at the end of filenames under Windows. *) (* FIX: for the moment, simply disallow files ending with a dot. This is more efficient, and this may well be good enough. We should reconsider this is people start complaining... let hasTrailingDots s = let rec iter s pos len wasDot = if pos = len then wasDot else let c = s.[pos] in (wasDot && c = '/') || iter s (pos + 1) len (c = '.') in iter s 0 (String.length s) false let removeTrailingDots s = let len = String.length s in let s' = String.create len in let pos = ref (len - 1) in let pos' = ref (len - 1) in while !pos >= 0 do while !pos >= 0 && s.[!pos] = '.' do decr pos done; while !pos >= 0 && s.[!pos] <> '/' do s'.[!pos'] <- s.[!pos]; decr pos; decr pos' done; while !pos >= 0 && s.[!pos] = '/' do s'.[!pos'] <- s.[!pos]; decr pos; decr pos' done done; String.sub s' (!pos' + 1) (len - !pos' - 1) let rmTrailDots s = s (*FIX: disabled for now -- requires an archive version change if Prefs.read someHostIsRunningWindows && not (Prefs.read allHostsAreRunningWindows) && hasTrailingDots s then removeTrailingDots s else s *) *) (****) type mode = Sensitive | Insensitive | UnicodeSensitive | UnicodeInsensitive (* Important invariant: if [compare s s' = 0], then [hash s = hash s'] and and [Rx.match_string rx (normalizeMatchedString s) = Rx.match_string rx (normalizeMatchedString s')] (when [rx] has been compiled using the [caseInsensitiveMatch] mode) *) let sensitiveOps = object method mode = Sensitive method modeDesc = "case sensitive" method compare s s' = compare (s : string) s' method hash s = Uutil.hash s method normalizePattern s = s method caseInsensitiveMatch = false method normalizeMatchedString s = s method normalizeFilename s = s method badEncoding s = false end let insensitiveOps = object method mode = Insensitive method modeDesc = "Latin-1 case insensitive" method compare s s' = Util.nocase_cmp s s' method hash s = Uutil.hash (String.lowercase s) method normalizePattern s = s method caseInsensitiveMatch = true method normalizeMatchedString s = s method normalizeFilename s = s method badEncoding s = false end let unicodeSensitiveOps = object method mode = UnicodeSensitive method modeDesc = "Unicode case sensitive" method compare s s' = Unicode.case_sensitive_compare s s' method hash s = Uutil.hash (Unicode.decompose s) method normalizePattern p = Unicode.decompose p method caseInsensitiveMatch = false method normalizeMatchedString s = Unicode.decompose s method normalizeFilename s = Unicode.compose s method badEncoding s = not (Unicode.check_utf_8 s) end let unicodeInsensitiveOps = object method mode = UnicodeInsensitive method modeDesc = "Unicode case insensitive" method compare s s' = Unicode.case_insensitive_compare s s' method hash s = Uutil.hash (Unicode.normalize s) method normalizePattern p = Unicode.normalize p method caseInsensitiveMatch = false method normalizeMatchedString s = Unicode.normalize s method normalizeFilename s = Unicode.compose s method badEncoding s = not (Unicode.check_utf_8 s) end (* Note: the dispatch must be fast *) let ops () = if Prefs.read someHostIsInsensitive then begin if Prefs.read unicodeEncoding then unicodeInsensitiveOps else insensitiveOps end else if Prefs.read unicodeCaseSensitive then unicodeSensitiveOps else sensitiveOps let caseSensitiveModeDesc = sensitiveOps#modeDesc unison-2.40.102/checksum.mli0000644006131600613160000000112711361646373015715 0ustar bcpiercebcpierce(* Unison file synchronizer: src/checksum.mli *) (* Copyright 1999-2009, Benjamin C. Pierce (see COPYING for details) *) type t = int type u = int array val init : int (* blockSize *) -> u (* pre-computed table *) val substring : string -> int (* offset in string *) -> int (* substring length *) -> t val roll : u (* string length *) -> t (* previous checksum *) -> char (* outgoing char *) -> char (* incoming char *) -> t unison-2.40.102/terminal.ml0000644006131600613160000002572311454610445015557 0ustar bcpiercebcpierce(* Unison file synchronizer: src/terminal.ml *) (* Copyright 1999-2009, Benjamin C. Pierce This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . *) (* Parsing messages from OpenSSH *) (* Examples. "tjim@saul.cis.upenn.edu's password: " (to stdout) "Permission denied, please try again." (to stderr ...) "tjim@saul.cis.upenn.edu's password: " (... to stdout) "Permission denied (publickey,gssapi,password,hostbased)." (to stderr) "The authenticity of host 'saul.cis.upenn.edu (158.130.12.4)' can't be established. RSA key fingerprint is d1:d8:5e:08:8c:ae:56:15:66:af:4b:55:53:2a:bc:38. Are you sure you want to continue connecting (yes/no)? " (to stdout) "@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @ WARNING: REMOTE HOST IDENTIFICATION HAS CHANGED! @ @@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ IT IS POSSIBLE THAT SOMEONE IS DOING SOMETHING NASTY! Someone could be eavesdropping on you right now (man-in-the-middle attack)! It is also possible that the RSA host key has just been changed. The fingerprint for the RSA key sent by the remote host is d1:d8:5e:08:8c:ae:56:15:66:af:4b:55:53:2a:bc:38. Please contact your system administrator. Add correct host key in /Users/trevor/.ssh/known_hosts to get rid of this message. Offending key in /Users/trevor/.ssh/known_hosts:22 RSA host key for saul.cis.upenn.edu has changed and you have requested strict checking. Host key verification failed." (to stderr) *) let passwordRx = Rx.rx ".*assword:[ ]*" let passphraseRx = Rx.rx "Enter passphrase for key.*" let authenticityRx = Rx.rx "The authenticity of host .* continue connecting \\(yes/no\\)\\? " let password s = Rx.match_string passwordRx s let passphrase s = Rx.match_string passphraseRx s let authenticity s = Rx.match_string authenticityRx s (* Create a new process with a new controlling terminal, useful for SSH password interaction. *) (* let a1 = [|'p';'q';'r';'s';'t';'u';'v';'w';'x';'y';'z';'P';'Q';'R';'S';'T'|] let a2 = [|'0';'1';'2';'3';'4';'5';'6';'7';'8';'9';'a';'b';'c';'d';'e';'f'|] exception Break of (Unix.file_descr * string) option let ptyMasterOpen () = if not(Osx.isMacOSX or Osx.isLinux) then None else try (* Adapted from Stevens' Advanced Programming in Unix *) let x = "/dev/pty--" in for i = 0 to Array.length a1 do x.[8] <- a1.(i); for j = 0 to Array.length a2 do x.[9] <- a2.(j); let fdOpt = try Some(Unix.openfile x [Unix.O_RDWR] 0) with Unix.Unix_error _ -> None in match fdOpt with None -> () | Some fdMaster -> x.[5] <- 't'; raise (Break(Some(fdMaster,x))) done done; None with Break z -> z let ptySlaveOpen = function None -> None | Some(fdMaster,ttySlave) -> let slave = try Some (Unix.openfile ttySlave [Unix.O_RDWR] 0o600) with Unix.Unix_error _ -> None in (try Unix.close fdMaster with Unix.Unix_error(_,_,_) -> ()); slave let printTermAttrs fd = (* for debugging *) let tio = Unix.tcgetattr fd in let boolPrint name x d = if x then Printf.printf "%s is ON (%s)\n" name d else Printf.printf "%s is OFF (%s)\n" name d in let intPrint name x d = Printf.printf "%s = %d (%s)\n" name x d in let charPrint name x d = Printf.printf "%s = '%c' (%s)\n" name x d in boolPrint "c_ignbrk" tio.Unix.c_ignbrk "Ignore the break condition."; boolPrint "c_brkint" tio.Unix.c_brkint "Signal interrupt on break condition."; boolPrint "c_ignpar" tio.Unix.c_ignpar "Ignore characters with parity errors."; boolPrint "c_parmrk" tio.Unix.c_parmrk "Mark parity errors."; boolPrint "c_inpck" tio.Unix.c_inpck "Enable parity check on input."; boolPrint "c_istrip" tio.Unix.c_istrip "Strip 8th bit on input characters."; boolPrint "c_inlcr" tio.Unix.c_inlcr "Map NL to CR on input."; boolPrint "c_igncr" tio.Unix.c_igncr "Ignore CR on input."; boolPrint "c_icrnl" tio.Unix.c_icrnl "Map CR to NL on input."; boolPrint "c_ixon" tio.Unix.c_ixon "Recognize XON/XOFF characters on input."; boolPrint "c_ixoff" tio.Unix.c_ixoff "Emit XON/XOFF chars to control input flow."; boolPrint "c_opost" tio.Unix.c_opost "Enable output processing."; intPrint "c_obaud" tio.Unix.c_obaud "Output baud rate (0 means close connection)."; intPrint "c_ibaud" tio.Unix.c_ibaud "Input baud rate."; intPrint "c_csize" tio.Unix.c_csize "Number of bits per character (5-8)."; intPrint "c_cstopb" tio.Unix.c_cstopb "Number of stop bits (1-2)."; boolPrint "c_cread" tio.Unix.c_cread "Reception is enabled."; boolPrint "c_parenb" tio.Unix.c_parenb "Enable parity generation and detection."; boolPrint "c_parodd" tio.Unix.c_parodd "Specify odd parity instead of even."; boolPrint "c_hupcl" tio.Unix.c_hupcl "Hang up on last close."; boolPrint "c_clocal" tio.Unix.c_clocal "Ignore modem status lines."; boolPrint "c_isig" tio.Unix.c_isig "Generate signal on INTR, QUIT, SUSP."; boolPrint "c_icanon" tio.Unix.c_icanon "Enable canonical processing (line buffering and editing)"; boolPrint "c_noflsh" tio.Unix.c_noflsh "Disable flush after INTR, QUIT, SUSP."; boolPrint "c_echo" tio.Unix.c_echo "Echo input characters."; boolPrint "c_echoe" tio.Unix.c_echoe "Echo ERASE (to erase previous character)."; boolPrint "c_echok" tio.Unix.c_echok "Echo KILL (to erase the current line)."; boolPrint "c_echonl" tio.Unix.c_echonl "Echo NL even if c_echo is not set."; charPrint "c_vintr" tio.Unix.c_vintr "Interrupt character (usually ctrl-C)."; charPrint "c_vquit" tio.Unix.c_vquit "Quit character (usually ctrl-\\)."; charPrint "c_verase" tio.Unix.c_verase "Erase character (usually DEL or ctrl-H)."; charPrint "c_vkill" tio.Unix.c_vkill "Kill line character (usually ctrl-U)."; charPrint "c_veof" tio.Unix.c_veof "End-of-file character (usually ctrl-D)."; charPrint "c_veol" tio.Unix.c_veol "Alternate end-of-line char. (usually none)."; intPrint "c_vmin" tio.Unix.c_vmin "Minimum number of characters to read before the read request is satisfied."; intPrint "c_vtime" tio.Unix.c_vtime "Maximum read wait (in 0.1s units)."; charPrint "c_vstart" tio.Unix.c_vstart "Start character (usually ctrl-Q)."; charPrint "c_vstop" tio.Unix.c_vstop "Stop character (usually ctrl-S)." *) (* Implemented in file pty.c *) external dumpFd : Unix.file_descr -> int = "%identity" external setControllingTerminal : Unix.file_descr -> unit = "setControllingTerminal" external c_openpty : unit -> Unix.file_descr * Unix.file_descr = "c_openpty" let openpty() = try Some (c_openpty ()) with Unix.Unix_error _ -> None (* Utility functions copied from ocaml's unix.ml because they are not exported :-| *) let rec safe_dup fd = let new_fd = Unix.dup fd in if dumpFd new_fd >= 3 then new_fd else begin let res = safe_dup fd in Unix.close new_fd; res end let safe_close fd = try Unix.close fd with Unix.Unix_error _ -> () let perform_redirections new_stdin new_stdout new_stderr = let newnewstdin = safe_dup new_stdin in let newnewstdout = safe_dup new_stdout in let newnewstderr = safe_dup new_stderr in safe_close new_stdin; safe_close new_stdout; safe_close new_stderr; Unix.dup2 newnewstdin Unix.stdin; Unix.close newnewstdin; Unix.dup2 newnewstdout Unix.stdout; Unix.close newnewstdout; Unix.dup2 newnewstderr Unix.stderr; Unix.close newnewstderr (* Like Unix.create_process except that we also try to set up a controlling terminal for the new process. If successful, a file descriptor for the master end of the controlling terminal is returned. *) let create_session cmd args new_stdin new_stdout new_stderr = match openpty () with None -> (None, System.create_process cmd args new_stdin new_stdout new_stderr) | Some (masterFd, slaveFd) -> (* Printf.printf "openpty returns %d--%d\n" (dumpFd fdM) (dumpFd fdS); flush stdout; Printf.printf "new_stdin=%d, new_stdout=%d, new_stderr=%d\n" (dumpFd new_stdin) (dumpFd new_stdout) (dumpFd new_stderr) ; flush stdout; *) begin match Unix.fork () with 0 -> begin try Unix.close masterFd; ignore (Unix.setsid ()); setControllingTerminal slaveFd; (* WARNING: SETTING ECHO TO FALSE! *) let tio = Unix.tcgetattr slaveFd in tio.Unix.c_echo <- false; Unix.tcsetattr slaveFd Unix.TCSANOW tio; perform_redirections new_stdin new_stdout new_stderr; Unix.execvp cmd args (* never returns *) with Unix.Unix_error _ -> Printf.eprintf "Some error in create_session child\n"; flush stderr; exit 127 end | childPid -> (*JV: FIX: we are leaking a file descriptor here. On the other hand, we do not deal gracefully with lost connections anyway. *) (* Keep a file descriptor so that we do not get EIO errors when the OpenSSH 5.6 child process closes the file descriptor before opening /dev/tty. *) (* Unix.close slaveFd; *) (Some (Lwt_unix.of_unix_file_descr masterFd), childPid) end let (>>=) = Lwt.bind (* Wait until there is input. If there is terminal input s, return Some s. Otherwise, return None. *) let rec termInput fdTerm fdInput = let buf = String.create 10000 in let rec readPrompt () = Lwt_unix.read fdTerm buf 0 10000 >>= fun len -> if len = 0 then (* The remote end is dead *) Lwt.return None else let query = String.sub buf 0 len in if query = "\r\n" then readPrompt () else Lwt.return (Some query) in let connectionEstablished () = Lwt_unix.wait_read fdInput >>= fun () -> Lwt.return None in Lwt_unix.run (Lwt.choose [readPrompt (); connectionEstablished ()]) (* Read messages from the terminal and use the callback to get an answer *) let handlePasswordRequests fdTerm callback = let buf = String.create 10000 in let rec loop () = Lwt_unix.read fdTerm buf 0 10000 >>= (fun len -> if len = 0 then (* The remote end is dead *) Lwt.return () else let query = String.sub buf 0 len in if query = "\r\n" then loop () else begin let response = callback query in Lwt_unix.write fdTerm (response ^ "\n") 0 (String.length response + 1) >>= (fun _ -> loop ()) end) in ignore (loop ()) unison-2.40.102/uimacnew09/0000755006131600613160000000000012050210656015353 5ustar bcpiercebcpierceunison-2.40.102/uimacnew09/ImageAndTextCell.m0000644006131600613160000001234411361646373020664 0ustar bcpiercebcpierce/* ImageAndTextCell.m Copyright (c) 2001-2004, Apple Computer, Inc., all rights reserved. Author: Chuck Pisula Milestones: Initially created 3/1/01 Subclass of NSTextFieldCell which can display text and an image simultaneously. */ /* IMPORTANT: This Apple software is supplied to you by Apple Computer, Inc. ("Apple") in consideration of your agreement to the following terms, and your use, installation, modification or redistribution of this Apple software constitutes acceptance of these terms. If you do not agree with these terms, please do not use, install, modify or redistribute this Apple software. In consideration of your agreement to abide by the following terms, and subject to these terms, Apple grants you a personal, non-exclusive license, under Apples copyrights in this original Apple software (the "Apple Software"), to use, reproduce, modify and redistribute the Apple Software, with or without modifications, in source and/or binary forms; provided that if you redistribute the Apple Software in its entirety and without modifications, you must retain this notice and the following text and disclaimers in all such redistributions of the Apple Software. Neither the name, trademarks, service marks or logos of Apple Computer, Inc. may be used to endorse or promote products derived from the Apple Software without specific prior written permission from Apple. Except as expressly stated in this notice, no other rights or licenses, express or implied, are granted by Apple herein, including but not limited to any patent rights that may be infringed by your derivative works or by other works in which the Apple Software may be incorporated. The Apple Software is provided by Apple on an "AS IS" basis. APPLE MAKES NO WARRANTIES, EXPRESS OR IMPLIED, INCLUDING WITHOUT LIMITATION THE IMPLIED WARRANTIES OF NON-INFRINGEMENT, MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE, REGARDING THE APPLE SOFTWARE OR ITS USE AND OPERATION ALONE OR IN COMBINATION WITH YOUR PRODUCTS. IN NO EVENT SHALL APPLE BE LIABLE FOR ANY SPECIAL, INDIRECT, INCIDENTAL OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) ARISING IN ANY WAY OUT OF THE USE, REPRODUCTION, MODIFICATION AND/OR DISTRIBUTION OF THE APPLE SOFTWARE, HOWEVER CAUSED AND WHETHER UNDER THEORY OF CONTRACT, TORT (INCLUDING NEGLIGENCE), STRICT LIABILITY OR OTHERWISE, EVEN IF APPLE HAS BEEN ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. */ #import "ImageAndTextCell.h" @implementation ImageAndTextCell - (void)dealloc { [image release]; image = nil; [super dealloc]; } - copyWithZone:(NSZone *)zone { ImageAndTextCell *cell = (ImageAndTextCell *)[super copyWithZone:zone]; cell->image = [image retain]; return cell; } - (void)setImage:(NSImage *)anImage { if (anImage != image) { [image release]; image = [anImage retain]; } } - (NSImage *)image { return image; } - (NSRect)imageFrameForCellFrame:(NSRect)cellFrame { if (image != nil) { NSRect imageFrame; imageFrame.size = [image size]; imageFrame.origin = cellFrame.origin; imageFrame.origin.x += 3; imageFrame.origin.y += ceil((cellFrame.size.height - imageFrame.size.height) / 2); return imageFrame; } else return NSZeroRect; } - (void)editWithFrame:(NSRect)aRect inView:(NSView *)controlView editor:(NSText *)textObj delegate:(id)anObject event:(NSEvent *)theEvent { NSRect textFrame, imageFrame; NSDivideRect (aRect, &imageFrame, &textFrame, 3 + [image size].width, NSMinXEdge); [super editWithFrame: textFrame inView: controlView editor:textObj delegate:anObject event: theEvent]; } #if MAC_OS_X_VERSION_MAX_ALLOWED < MAC_OS_X_VERSION_10_5 typedef int NSInteger; #endif - (void)selectWithFrame:(NSRect)aRect inView:(NSView *)controlView editor:(NSText *)textObj delegate:(id)anObject start:(NSInteger)selStart length:(NSInteger)selLength { NSRect textFrame, imageFrame; NSDivideRect (aRect, &imageFrame, &textFrame, 3 + [image size].width, NSMinXEdge); [super selectWithFrame: textFrame inView: controlView editor:textObj delegate:anObject start:selStart length:selLength]; } - (void)drawWithFrame:(NSRect)cellFrame inView:(NSView *)controlView { if (image != nil) { NSSize imageSize; NSRect imageFrame; imageSize = [image size]; NSDivideRect(cellFrame, &imageFrame, &cellFrame, 3 + imageSize.width, NSMinXEdge); if ([self drawsBackground]) { [[self backgroundColor] set]; NSRectFill(imageFrame); } imageFrame.origin.x += 3; imageFrame.size = imageSize; if ([controlView isFlipped]) imageFrame.origin.y += ceil((cellFrame.size.height + imageFrame.size.height) / 2); else imageFrame.origin.y += ceil((cellFrame.size.height - imageFrame.size.height) / 2); [image compositeToPoint:imageFrame.origin operation:NSCompositeSourceOver]; } [super drawWithFrame:cellFrame inView:controlView]; } - (NSSize)cellSize { NSSize cellSize = [super cellSize]; cellSize.width += (image ? [image size].width : 0) + 3; return cellSize; } @end unison-2.40.102/uimacnew09/ReconTableView.m0000644006131600613160000001613411361646373020424 0ustar bcpiercebcpierce// // ReconTableView.m // Unison // // Created by Trevor Jim on Wed Aug 27 2003. // Copyright (c) 2003. See file COPYING for details. // #import "ReconTableView.h" #import "ReconItem.h" #import "MyController.h" @implementation NSOutlineView (_UnisonExtras) - (NSArray *)selectedObjects { NSMutableArray *result = [NSMutableArray array]; NSIndexSet *set = [self selectedRowIndexes]; NSUInteger index = [set firstIndex]; while (index != NSNotFound) { [result addObject:[self itemAtRow:index]]; index = [set indexGreaterThanIndex: index]; } return result; } - (void)setSelectedObjects:(NSArray *)selectedObjects { NSMutableIndexSet *set = [NSMutableIndexSet indexSet]; int i = [selectedObjects count]; while (i--) { int index = [self rowForItem:[selectedObjects objectAtIndex:i]]; if (index >= 0) [set addIndex:index]; } [self selectRowIndexes:set byExtendingSelection:NO]; } - (NSEnumerator *)selectedObjectEnumerator { return [[self selectedObjects] objectEnumerator]; } - (int)rowCapacityWithoutScrolling { float bodyHeight = [self visibleRect].size.height; bodyHeight -= [[self headerView] visibleRect].size.height; return bodyHeight / ([self rowHeight] + 2.0); } - (BOOL)_canAcceptRowCountWithoutScrolling:(int)rows { return ([self numberOfRows] + rows) <= [self rowCapacityWithoutScrolling]; } - (BOOL)_expandChildrenIfSpace:(id)parent level:(int)level { BOOL didExpand = NO; id dataSource = [self dataSource]; int count = [dataSource outlineView:self numberOfChildrenOfItem:parent]; if (level == 0) { if (count && ([self isItemExpanded:parent] || [self _canAcceptRowCountWithoutScrolling:count])) { [self expandItem:parent expandChildren:NO]; didExpand = YES; } } else { // try expanding each of our children. If all expand, then return YES, // indicating that it may be worth trying the next level int i; for (i=0; i < count; i++) { id child = [dataSource outlineView:self child:i ofItem:parent]; didExpand = [self _expandChildrenIfSpace:child level:level-1] || didExpand; } } return didExpand; } - (void)expandChildrenIfSpace { int level = 1; while ([self _expandChildrenIfSpace:nil level:level]) level++; } @end @implementation ReconTableView - (BOOL)editable { return editable; } - (void)setEditable:(BOOL)x { editable = x; } - (BOOL)validateItem:(IBAction *) action { if (action == @selector(selectAll:) || action == @selector(selectConflicts:) || action == @selector(copyLR:) || action == @selector(copyRL:) || action == @selector(leaveAlone:) || action == @selector(forceNewer:) || action == @selector(forceOlder:) || action == @selector(revert:) || action == @selector(ignorePath:) || action == @selector(ignoreExt:) || action == @selector(ignoreName:)) return editable; else if (action == @selector(merge:)) { if (!editable) return NO; else return [self canDiffSelection]; } else if (action == @selector(showDiff:)) { if ((!editable) || (!([self numberOfSelectedRows]==1))) return NO; else return [self canDiffSelection]; } else return YES; } - (BOOL)validateMenuItem:(NSMenuItem *)menuItem { return [self validateItem:[menuItem action]]; } - (BOOL)validateToolbarItem:(NSToolbarItem *)toolbarItem { return [self validateItem:[toolbarItem action]]; } - (void)doIgnore:(unichar)c { NSEnumerator *e = [self selectedObjectEnumerator]; ReconItem *item, *last = nil; while (item = [e nextObject]) { [item doIgnore:c]; last = item; } if (last) { // something was selected MyController* controller = (MyController*) [self dataSource]; last = [controller updateForIgnore:last]; [self selectRowIndexes:[NSIndexSet indexSetWithIndex:[self rowForItem:last]] byExtendingSelection:NO]; [self reloadData]; } } - (IBAction)ignorePath:(id)sender { [self doIgnore:'I']; } - (IBAction)ignoreExt:(id)sender { [self doIgnore:'E']; } - (IBAction)ignoreName:(id)sender { [self doIgnore:'N']; } - (void)doAction:(unichar)c { int numSelected = 0; NSEnumerator *e = [self selectedObjectEnumerator]; ReconItem *item, *last = nil; while (item = [e nextObject]) { numSelected++; [item doAction:c]; last = item; } if (numSelected>0) { int nextRow = [self rowForItem:last] + 1; if (numSelected == 1 && [self numberOfRows] > nextRow && c!='d') { // Move to next row, unless already at last row, or if more than one row selected [self selectRowIndexes:[NSIndexSet indexSetWithIndex:nextRow] byExtendingSelection:NO]; [self scrollRowToVisible:nextRow]; } [self reloadData]; } } - (IBAction)copyLR:(id)sender { [self doAction:'>']; } - (IBAction)copyRL:(id)sender { [self doAction:'<']; } - (IBAction)leaveAlone:(id)sender { [self doAction:'/']; } - (IBAction)forceOlder:(id)sender { [self doAction:'-']; } - (IBAction)forceNewer:(id)sender { [self doAction:'+']; } - (IBAction)selectConflicts:(id)sender { [self deselectAll:self]; MyController* controller = (MyController*) [self dataSource]; NSMutableArray *reconItems = [controller reconItems]; int i = 0; for (; i < [reconItems count]; i++) { ReconItem *item = [reconItems objectAtIndex:i]; if ([item isConflict]) [self selectRowIndexes:[NSIndexSet indexSetWithIndex:[self rowForItem:item]] byExtendingSelection:YES]; } } - (IBAction)revert:(id)sender { [self doAction:'R']; } - (IBAction)merge:(id)sender { [self doAction:'m']; } - (IBAction)showDiff:(id)sender { [self doAction:'d']; } /* There are menu commands for these, but we add some shortcuts so you don't have to press the Command key */ - (void)keyDown:(NSEvent *)event { /* some keys return zero-length strings */ if ([[event characters] length] == 0) { [super keyDown:event]; return; } /* actions are disabled when when menu items are */ if (!editable) { [super keyDown:event]; return; } unichar c = [[event characters] characterAtIndex:0]; switch (c) { case '>': case NSRightArrowFunctionKey: [self doAction:'>']; break; case '<': case NSLeftArrowFunctionKey: [self doAction:'<']; break; case '?': case '/': [self doAction:'/']; break; default: [super keyDown:event]; break; } } - (BOOL)canDiffSelection { BOOL canDiff = YES; NSEnumerator *e = [self selectedObjectEnumerator]; ReconItem *item; while (item = [e nextObject]) { if (![item canDiff]) canDiff= NO; } return canDiff; } /* Override default highlight colour because it's hard to see the conflict/resolution icons */ - (id)_highlightColorForCell:(NSCell *)cell { if(([[self window] firstResponder] == self) && [[self window] isMainWindow] && [[self window] isKeyWindow]) return [NSColor colorWithCalibratedRed:0.7 green:0.75 blue:0.8 alpha:1.0]; else return [NSColor colorWithCalibratedRed:0.8 green:0.8 blue:0.8 alpha:1.0]; } @end unison-2.40.102/uimacnew09/toolbar/0000755006131600613160000000000012050210656017015 5ustar bcpiercebcpierceunison-2.40.102/uimacnew09/toolbar/right.tif0000644006131600613160000001035611361646373020660 0ustar bcpiercebcpierceMM*@D@@@@@@@@@D>V?a~~a?AV<"?dxqqxd?<"@0?wumnnnmnnnuw?@0<"={|mmllmmmmlmml}{=<";sxkllkkklklklklkws;;V^yjkkjkkjjjjjjjjkkz^;V9ୀjiiiiiijiiiiiiiii98DWohhhgghhghhgh`][Y`P8D8݀pffgggffffgc`[VVVVvf8݀6{ڳ~teeeeeeeea\XVVVVVht6{۳4vۄjxUV]|6v3revTV3r1ncTSU{2n0jyebf`ZYYXXYXYYXSRRWo0i.gϳlj`XQPQPPPPPPPPQPPP\`/gϳ.b̀\mXOONONOONOONOPNONO_N.b̀-^DCwiSMMMMMMMMMMMMNMMMMQ`;o-^D)XȭRVKKLKKKLLKKKLKLLLKLVM+Xȭ*VV7fTOJJIJJJIJJJIJJJJJNS7f*VV(SƎ=mSLHHIHIIIHHHHHHHLS=n(SĎ&S"'Oë=lOJGGGGGGGGGGGGJO>l'O«&S"%J0%L7dG|JG~E}F}E}F}E}E}F}F}G~JG{8d'L$I1!A'$E/V;jG{G}G}F}D|E{F}G|H}G{:j.V$F:,4q"A+R5_BDDDB>:60)     (RSHHunison-2.40.102/uimacnew09/toolbar/rescan.tif0000644006131600613160000004076411361646373021024 0ustar bcpiercebcpierceMM*  9r T&(1.2L=R`I$\iA ' 'Adobe Photoshop Elements 2.02006:01:29 16:22:16 Adobe Photoshop Elements for Macintosh, version 2.0 adobe:docid:photoshop:67064ad4-9275-11da-b4d4-b1ad42fd3a63 8BIM8BIM%F &Vڰw8BIM com.apple.print.PageFormat.FormattingPrinter com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.FormattingPrinter Stylus_Photo_925(Standard_-_Minimize_Margins) com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2005-04-11T22:55:05Z com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMHorizontalRes com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMHorizontalRes 72 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2005-04-11T22:55:13Z com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMOrientation com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMOrientation 1 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2005-04-11T22:55:05Z com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMScaling com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMScaling 1 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2005-04-11T22:55:05Z com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMVerticalRes com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMVerticalRes 72 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2005-04-11T22:55:13Z com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMVerticalScaling com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMVerticalScaling 1 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2005-04-11T22:55:05Z com.apple.print.ticket.stateFlag 0 com.apple.print.subTicket.paper_info_ticket com.apple.print.PageFormat.PMAdjustedPageRect com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMAdjustedPageRect 0.0 0.0 774 594 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2006-01-29T21:20:10Z com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMAdjustedPaperRect com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMAdjustedPaperRect -9 -9 783 603 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2006-01-29T21:20:10Z com.apple.print.ticket.stateFlag 0 com.apple.print.PaperInfo.PMPaperName com.apple.print.ticket.creator com.epson.printer.SP925 com.apple.print.ticket.itemArray com.apple.print.PaperInfo.PMPaperName na-letter com.apple.print.ticket.client com.epson.printer.SP925 com.apple.print.ticket.modDate 2003-12-26T18:40:44Z com.apple.print.ticket.stateFlag 1 com.apple.print.PaperInfo.PMUnadjustedPageRect com.apple.print.ticket.creator com.epson.printer.SP925 com.apple.print.ticket.itemArray com.apple.print.PaperInfo.PMUnadjustedPageRect 0.0 0.0 774 594 com.apple.print.ticket.client com.epson.printer.SP925 com.apple.print.ticket.modDate 2003-12-26T18:40:44Z com.apple.print.ticket.stateFlag 1 com.apple.print.PaperInfo.PMUnadjustedPaperRect com.apple.print.ticket.creator com.epson.printer.SP925 com.apple.print.ticket.itemArray com.apple.print.PaperInfo.PMUnadjustedPaperRect -9 -9 783 603 com.apple.print.ticket.client com.epson.printer.SP925 com.apple.print.ticket.modDate 2003-12-26T18:40:44Z com.apple.print.ticket.stateFlag 1 com.apple.print.ticket.APIVersion 00.20 com.apple.print.ticket.privateLock com.apple.print.ticket.type com.apple.print.PaperInfoTicket com.apple.print.ticket.APIVersion 00.20 com.apple.print.ticket.privateLock com.apple.print.ticket.type com.apple.print.PageFormatTicket 8BIMxHHR[g(HH(dh 8BIMHH8BIM&?8BIM Transparency8BIM Transparency8BIMd8BIM8BIM x8BIM8BIM 8BIM 8BIM' 8BIMH/fflff/ff2Z5-8BIMp8BIM8BIM8BIM@@8BIM8BIM5  nullboundsObjcRct1Top longLeftlongBtomlong Rghtlong slicesVlLsObjcslicesliceIDlonggroupIDlongoriginenum ESliceOrigin autoGeneratedTypeenum ESliceTypeImg boundsObjcRct1Top longLeftlongBtomlong Rghtlong urlTEXTnullTEXTMsgeTEXTaltTagTEXTcellTextIsHTMLboolcellTextTEXT horzAlignenumESliceHorzAligndefault vertAlignenumESliceVertAligndefault bgColorTypeenumESliceBGColorTypeNone topOutsetlong leftOutsetlong bottomOutsetlong rightOutsetlong8BIM8BIM8BIM!yAdobe Photoshop ElementsAdobe Photoshop Elements 2.0 P8$ BaPd6DbQ8V-FcQL!2pLH2 Bp|]way3\{v@\v Ca8.W'! xN @x $ApWxKm l2*-ЪAPH`A Qb'`<Z{-@H @0P磬l_4$_ҏ[ݽCрԒ =΅Ҡ2(о·~@)C:GŁ91!^ Á*fo!ݟM7AQx2f 0ds [ 0. P@a~V-Ɖ#! AIX=XrzATM\^gqQkyvsOXkp%L ^)g>C\_Ƹx2 G e~kwdkҼtoMG0"P*Yq+_*Q0?)o%(=#@xs58M~g汒rpf'U8hJ_z cF@uhH1iG!JYD8&`y-:7뙈XC h@a  8dFDhbؚXmC'G6Gxƞnc(D /ʹr ( x Q00Ap a1=AL\J*1ˀ-">h}!<= 0^\U$x.XF -?$L$0X=@v $uQHc a0i-X``@kCy*ƩB8P(~b \(ǸR) x0 b-AiHg1># @/lb2'Dp@@%^?Zk_(@T +F"@ 0"BL q>#|. ,,`Zc0x|ӎoDãM@AkC\ ,9/|( P Ms=a|)ơ愰 Yrj2ĀbCi̐!088@;9X@A#Qc-Me0n n;)cKfrEAA2cLP $і.鈳0"= qXD TF\b!2 9S͗*kt~!pd@ ԸX+ ]P"XV| P^rp#x.5GTi s#rԐלW"ov(F[zB8 9/He"< CF  qM®-y |>9Pf6zJ8"BPlaP 1>Yh'8^\ |:7b:FPfs%Re4=@ B È#¨5Yr4is/Dq1 f-p @X% Q=?4zRS,zr7X4[ 67 t  5d7*1 {fmtwmJN^ix*3Hjq>εj5.ir!/HH   unison-2.40.102/uimacnew09/toolbar/left.tif0000644006131600613160000001035611361646373020475 0ustar bcpiercebcpierceMM*@D@@@@@@@@@D>V?a~~a?AV<"?dxqqxd?<"@0?wumnnnmnnnuw?@0<"={|mmllmmmmlmml}{=<";sxkllkkklklklklkws;;V^yjkkjkkjjjjjjjjkkz^;V9ୀjiiiiijiiiiiiiiii98DWohhhhhghhghfc`][Y`P8D8݀pffgfffgc`[XVVVVVVvf8݀6{ڳ~teeeea\XVVVVVVVVVht6{۳4vۄjdkV]|6v3rexTV3r1ncbvSU{2n0jyeaaXXYXYYXYYXXYSRWo0i.gϳlj`XRPPPPPPPPPPPPPP\`/gϳ.b̀\mXOOOOONOONONNONONO_N.b̀-^DCwiSMMMNMMMMMMMMMMMMMQ`;o-^D)XȭRVKKLKKKLLKKKLKLLLKLVM+Xȭ*VV7fTOJJIJJJIJJJIJJJJJNS7f*VV(SƎ=mSLHHIHIIIHHHHHHHLS=n(SĎ&S"'Oë=lOJGGGGGGGGGGGGJO>l'O«&S"%J0%L7dG|JG~E}F}E}F}E}E}F}F}G~JG{8d'L$I1!A'$E/V;jG{G}G}F}D|E{F}G|H}G{:j.V$F:,4q"A+R5_BDDDB>:60)     (RSHHunison-2.40.102/uimacnew09/toolbar/diff.tif0000644006131600613160000004462411361646373020460 0ustar bcpiercebcpierceMM*   9f (1"2@RTI$\ iIh ' 'Adobe Photoshop Elements 2.02005:09:11 19:15:18 Adobe Photoshop Elements for Macintosh, version 2.0 adobe:docid:photoshop:c3309e52-042f-11da-9720-8d4d7d833b3b 8BIM8BIM%F &Vڰw8BIM com.apple.print.PageFormat.FormattingPrinter com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.FormattingPrinter Stylus_Photo_925(Standard_-_Minimize_Margins) com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2005-04-11T22:55:05Z com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMHorizontalRes com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMHorizontalRes 72 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2005-04-11T22:55:13Z com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMOrientation com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMOrientation 1 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2005-04-11T22:55:05Z com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMScaling com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMScaling 1 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2005-04-11T22:55:05Z com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMVerticalRes com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMVerticalRes 72 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2005-04-11T22:55:13Z com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMVerticalScaling com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMVerticalScaling 1 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2005-04-11T22:55:05Z com.apple.print.ticket.stateFlag 0 com.apple.print.subTicket.paper_info_ticket com.apple.print.PageFormat.PMAdjustedPageRect com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMAdjustedPageRect 0.0 0.0 774 594 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2005-09-11T23:09:55Z com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMAdjustedPaperRect com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMAdjustedPaperRect -9 -9 783 603 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2005-09-11T23:09:55Z com.apple.print.ticket.stateFlag 0 com.apple.print.PaperInfo.PMPaperName com.apple.print.ticket.creator com.epson.printer.SP925 com.apple.print.ticket.itemArray com.apple.print.PaperInfo.PMPaperName na-letter com.apple.print.ticket.client com.epson.printer.SP925 com.apple.print.ticket.modDate 2003-12-26T18:40:44Z com.apple.print.ticket.stateFlag 1 com.apple.print.PaperInfo.PMUnadjustedPageRect com.apple.print.ticket.creator com.epson.printer.SP925 com.apple.print.ticket.itemArray com.apple.print.PaperInfo.PMUnadjustedPageRect 0.0 0.0 774 594 com.apple.print.ticket.client com.epson.printer.SP925 com.apple.print.ticket.modDate 2003-12-26T18:40:44Z com.apple.print.ticket.stateFlag 1 com.apple.print.PaperInfo.PMUnadjustedPaperRect com.apple.print.ticket.creator com.epson.printer.SP925 com.apple.print.ticket.itemArray com.apple.print.PaperInfo.PMUnadjustedPaperRect -9 -9 783 603 com.apple.print.ticket.client com.epson.printer.SP925 com.apple.print.ticket.modDate 2003-12-26T18:40:44Z com.apple.print.ticket.stateFlag 1 com.apple.print.ticket.APIVersion 00.20 com.apple.print.ticket.privateLock com.apple.print.ticket.type com.apple.print.PaperInfoTicket com.apple.print.ticket.APIVersion 00.20 com.apple.print.ticket.privateLock com.apple.print.ticket.type com.apple.print.PageFormatTicket 8BIMxHHR[g(HH(dh 8BIMHH8BIM&?8BIM Transparency8BIM Transparency8BIMd8BIM8BIM x8BIM8BIM 8BIM 8BIM' 8BIMH/fflff/ff2Z5-8BIMp8BIM8BIM8BIM@@8BIM8BIM5  nullboundsObjcRct1Top longLeftlongBtomlong Rghtlong slicesVlLsObjcslicesliceIDlonggroupIDlongoriginenum ESliceOrigin autoGeneratedTypeenum ESliceTypeImg boundsObjcRct1Top longLeftlongBtomlong Rghtlong urlTEXTnullTEXTMsgeTEXTaltTagTEXTcellTextIsHTMLboolcellTextTEXT horzAlignenumESliceHorzAligndefault vertAlignenumESliceVertAligndefault bgColorTypeenumESliceBGColorTypeNone topOutsetlong leftOutsetlong bottomOutsetlong rightOutsetlong8BIM8BIM8BIM!yAdobe Photoshop ElementsAdobe Photoshop Elements 2.0 CD:~Q#c(o(o#cQ:~ CD &UVM>CJS\S=?!"/0KHYPB;<;;<;;;AOYHL/0!"KJXG;;;;:;;:;;;;GXJK!">FVC::;::::::::;:;CVF> %RV8UD9993.*{*{*{*{.49999:DU8 %RVILK9980)xvv)x088888KLJ @D6S=871(w(v176659Q3| @D5wBJ667,}uKJt*{33323G?5wJIA566(u)v--~'t't10111=FIXM:554'tJ+|//+{J&r/////3JX"aN4434%qI)x--)xI&p,,,,,.K"b"`L4332%o%n(u'u&n%n*~*}+}*}*~+G"`TE632/%psHH%l(x(z)z){)z.?TD=91-'x%q$h=y#j&u&x'x&w07E0o3;+%u%t$t#l#fr|BDDDB>:60)    unison-2.40.102/uimacnew09/toolbar/add.tif0000644006131600613160000004032411361646373020271 0ustar bcpiercebcpierceMM*   9J \(1"2@=RTI$Hi@ ' 'Adobe Photoshop Elements 2.02005:06:02 15:44:51 Adobe Photoshop Elements for Macintosh, version 2.0 adobe:docid:photoshop:f50b7ca9-d4b8-11d9-b357-854671dd12f3 8BIM%8BIM com.apple.print.PageFormat.FormattingPrinter com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.FormattingPrinter Stylus_Photo_925(Standard_-_Minimize_Margins) com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2005-04-11T22:55:05Z com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMHorizontalRes com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMHorizontalRes 72 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2005-04-11T22:55:13Z com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMOrientation com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMOrientation 1 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2005-04-11T22:55:05Z com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMScaling com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMScaling 1 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2005-04-11T22:55:05Z com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMVerticalRes com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMVerticalRes 72 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2005-04-11T22:55:13Z com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMVerticalScaling com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMVerticalScaling 1 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2005-04-11T22:55:05Z com.apple.print.ticket.stateFlag 0 com.apple.print.subTicket.paper_info_ticket com.apple.print.PageFormat.PMAdjustedPageRect com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMAdjustedPageRect 0.0 0.0 774 594 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2005-06-02T19:38:19Z com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMAdjustedPaperRect com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMAdjustedPaperRect -9 -9 783 603 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2005-06-02T19:38:19Z com.apple.print.ticket.stateFlag 0 com.apple.print.PaperInfo.PMPaperName com.apple.print.ticket.creator com.epson.printer.SP925 com.apple.print.ticket.itemArray com.apple.print.PaperInfo.PMPaperName na-letter com.apple.print.ticket.client com.epson.printer.SP925 com.apple.print.ticket.modDate 2003-12-26T18:40:44Z com.apple.print.ticket.stateFlag 1 com.apple.print.PaperInfo.PMUnadjustedPageRect com.apple.print.ticket.creator com.epson.printer.SP925 com.apple.print.ticket.itemArray com.apple.print.PaperInfo.PMUnadjustedPageRect 0.0 0.0 774 594 com.apple.print.ticket.client com.epson.printer.SP925 com.apple.print.ticket.modDate 2003-12-26T18:40:44Z com.apple.print.ticket.stateFlag 1 com.apple.print.PaperInfo.PMUnadjustedPaperRect com.apple.print.ticket.creator com.epson.printer.SP925 com.apple.print.ticket.itemArray com.apple.print.PaperInfo.PMUnadjustedPaperRect -9 -9 783 603 com.apple.print.ticket.client com.epson.printer.SP925 com.apple.print.ticket.modDate 2003-12-26T18:40:44Z com.apple.print.ticket.stateFlag 1 com.apple.print.ticket.APIVersion 00.20 com.apple.print.ticket.privateLock com.apple.print.ticket.type com.apple.print.PaperInfoTicket com.apple.print.ticket.APIVersion 00.20 com.apple.print.ticket.privateLock com.apple.print.ticket.type com.apple.print.PageFormatTicket 8BIMxHHR[g(HH(dh 8BIMHH8BIM&?8BIM Transparency8BIM Transparency8BIMd8BIM8BIM x8BIM8BIM 8BIM 8BIM' 8BIMH/fflff/ff2Z5-8BIMp8BIM8BIM8BIM@@8BIM8BIM5  nullboundsObjcRct1Top longLeftlongBtomlong Rghtlong slicesVlLsObjcslicesliceIDlonggroupIDlongoriginenum ESliceOrigin autoGeneratedTypeenum ESliceTypeImg boundsObjcRct1Top longLeftlongBtomlong Rghtlong urlTEXTnullTEXTMsgeTEXTaltTagTEXTcellTextIsHTMLboolcellTextTEXT horzAlignenumESliceHorzAligndefault vertAlignenumESliceVertAligndefault bgColorTypeenumESliceBGColorTypeNone topOutsetlong leftOutsetlong bottomOutsetlong rightOutsetlong8BIM8BIM 8BIM!yAdobe Photoshop ElementsAdobe Photoshop Elements 2.0 P8$ BaPd6DbQ8V-FcQL!2pLH2 Bp|]way3\{v@\v Ca8.W'! xN @x $ApWxKm l2*-ЪAPH`A Qb'`<Z{-@H @0P磬l_4$_ҏ[ݽCрԒ =΅Ҡ2(о·~((ZBa$>uh,`EcĄAx*+HS|v}7LIFfp"2fg ;bѼhlB0"5@ )O/O``h AJldRH6JY,W1*) @x8™vr0;ض:0Bagq@P |`DZ9x\Hc" z<քSFP=E`;`~q!*GAL@f@"c4xӡ Y/QJf\=#8dFDhbؚXmC'GhKDA)xn[Ha0GtO&& !q5cr`FAUqՒzw +,_Qp\a<{b@@/'Qqԉ}`H!FKtdIQn @b{:5aL $0B UъHPT I$@ P% VtDqaD`?aO}6>Gnua\$D] L8P  ȁiD,5<@xyt))RX5ya)U||@8 z)9c0t.8E@aX"\)AxC` >JQ&zv`) `gb>4EP;@UE8 qP4 pa>WKrx$nI]G #kj%`lwt@@arT˔b>NF3&]r*7@4VF) " Z&E{=GBaZ0i#z'FyQ=Gϲ(P(*DV4 4^ڣֽK ;'`c~ l7"Z*Ѵ@0FZ H<X,t!RlxuR_GH&mH5$_1>Y3Vqq<@1,@060@&uJXYXaCu> H7jt3 R$ aI&<nn xCiS~H \ct8ql I +$ ږ@FDB Adobe Photoshop Elements for Macintosh, version 2.0 adobe:docid:photoshop:c3309e52-042f-11da-9720-8d4d7d833b3b 8BIM8BIM%F &Vڰw8BIM com.apple.print.PageFormat.FormattingPrinter com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.FormattingPrinter Stylus_Photo_925(Standard_-_Minimize_Margins) com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2005-04-11T22:55:05Z com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMHorizontalRes com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMHorizontalRes 72 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2005-04-11T22:55:13Z com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMOrientation com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMOrientation 1 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2005-04-11T22:55:05Z com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMScaling com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMScaling 1 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2005-04-11T22:55:05Z com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMVerticalRes com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMVerticalRes 72 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2005-04-11T22:55:13Z com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMVerticalScaling com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMVerticalScaling 1 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2005-04-11T22:55:05Z com.apple.print.ticket.stateFlag 0 com.apple.print.subTicket.paper_info_ticket com.apple.print.PageFormat.PMAdjustedPageRect com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMAdjustedPageRect 0.0 0.0 774 594 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2006-01-16T22:06:33Z com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMAdjustedPaperRect com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMAdjustedPaperRect -9 -9 783 603 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2006-01-16T22:06:33Z com.apple.print.ticket.stateFlag 0 com.apple.print.PaperInfo.PMPaperName com.apple.print.ticket.creator com.epson.printer.SP925 com.apple.print.ticket.itemArray com.apple.print.PaperInfo.PMPaperName na-letter com.apple.print.ticket.client com.epson.printer.SP925 com.apple.print.ticket.modDate 2003-12-26T18:40:44Z com.apple.print.ticket.stateFlag 1 com.apple.print.PaperInfo.PMUnadjustedPageRect com.apple.print.ticket.creator com.epson.printer.SP925 com.apple.print.ticket.itemArray com.apple.print.PaperInfo.PMUnadjustedPageRect 0.0 0.0 774 594 com.apple.print.ticket.client com.epson.printer.SP925 com.apple.print.ticket.modDate 2003-12-26T18:40:44Z com.apple.print.ticket.stateFlag 1 com.apple.print.PaperInfo.PMUnadjustedPaperRect com.apple.print.ticket.creator com.epson.printer.SP925 com.apple.print.ticket.itemArray com.apple.print.PaperInfo.PMUnadjustedPaperRect -9 -9 783 603 com.apple.print.ticket.client com.epson.printer.SP925 com.apple.print.ticket.modDate 2003-12-26T18:40:44Z com.apple.print.ticket.stateFlag 1 com.apple.print.ticket.APIVersion 00.20 com.apple.print.ticket.privateLock com.apple.print.ticket.type com.apple.print.PaperInfoTicket com.apple.print.ticket.APIVersion 00.20 com.apple.print.ticket.privateLock com.apple.print.ticket.type com.apple.print.PageFormatTicket 8BIMxHHR[g(HH(dh 8BIMHH8BIM&?8BIM Transparency8BIM Transparency8BIMd8BIM8BIM x8BIM8BIM 8BIM 8BIM' 8BIMH/fflff/ff2Z5-8BIMp8BIM8BIM8BIM@@8BIM8BIM5  nullboundsObjcRct1Top longLeftlongBtomlong Rghtlong slicesVlLsObjcslicesliceIDlonggroupIDlongoriginenum ESliceOrigin autoGeneratedTypeenum ESliceTypeImg boundsObjcRct1Top longLeftlongBtomlong Rghtlong urlTEXTnullTEXTMsgeTEXTaltTagTEXTcellTextIsHTMLboolcellTextTEXT horzAlignenumESliceHorzAligndefault vertAlignenumESliceVertAligndefault bgColorTypeenumESliceBGColorTypeNone topOutsetlong leftOutsetlong bottomOutsetlong rightOutsetlong8BIM8BIM!8BIM!yAdobe Photoshop ElementsAdobe Photoshop Elements 2.0 CD:~Q#c(o(o#cQ:~ CD &UVMFVC::;:::5k5{19;CVF> %RV8UD99997521Z7|08:DU8 %RVILK99873-{Gm3z078KLJ @D6S=87724{}1x.|49Q3| @D5wBJ66732z913G?5wJIA566.|d3}01=FIXM:554+u5w*v//3JX"aN4434(r3v(t,,,.K"b"`L4332'oQ%n]5w's*|+}*}*~+G"`TE632/%ks$l&r'vh5w&q(y(z)z){)z.?TD=91-'x#i(n&s&w%se3t%n&v'w&w&x'x&w07E0o3;+%u%t"h#l$s$t#q3v4x#l%s%t$t$t$t$u$u1.t0o ;D)o9(w"q"q"i8y"l"p"p"p"p"p#r"r#q"q"q"q%t2%h ;D?-v)v n n j6x1t i k!n n o n n!n!o n!n)v*r? IV!b)t#plkgB~t.qjlllklkk#o*t"a IV3w#e%qkihf9y|Ehihihihj&q#e3x "BDDDB>:60)    unison-2.40.102/uimacnew09/toolbar/go.tif0000644006131600613160000004462411361646373020155 0ustar bcpiercebcpierceMM*   9f (1"2@RTI$\ iIh ' 'Adobe Photoshop Elements 2.02005:09:04 19:26:50 Adobe Photoshop Elements for Macintosh, version 2.0 adobe:docid:photoshop:64e3ccee-1f0b-11da-8096-fc4ba1b0b71d 8BIM8BIM%F &Vڰw8BIM com.apple.print.PageFormat.FormattingPrinter com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.FormattingPrinter Stylus_Photo_925(Standard_-_Minimize_Margins) com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2005-04-11T22:55:05Z com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMHorizontalRes com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMHorizontalRes 72 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2005-04-11T22:55:13Z com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMOrientation com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMOrientation 1 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2005-04-11T22:55:05Z com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMScaling com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMScaling 1 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2005-04-11T22:55:05Z com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMVerticalRes com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMVerticalRes 72 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2005-04-11T22:55:13Z com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMVerticalScaling com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMVerticalScaling 1 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2005-04-11T22:55:05Z com.apple.print.ticket.stateFlag 0 com.apple.print.subTicket.paper_info_ticket com.apple.print.PageFormat.PMAdjustedPageRect com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMAdjustedPageRect 0.0 0.0 774 594 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2005-09-04T23:21:17Z com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMAdjustedPaperRect com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMAdjustedPaperRect -9 -9 783 603 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2005-09-04T23:21:17Z com.apple.print.ticket.stateFlag 0 com.apple.print.PaperInfo.PMPaperName com.apple.print.ticket.creator com.epson.printer.SP925 com.apple.print.ticket.itemArray com.apple.print.PaperInfo.PMPaperName na-letter com.apple.print.ticket.client com.epson.printer.SP925 com.apple.print.ticket.modDate 2003-12-26T18:40:44Z com.apple.print.ticket.stateFlag 1 com.apple.print.PaperInfo.PMUnadjustedPageRect com.apple.print.ticket.creator com.epson.printer.SP925 com.apple.print.ticket.itemArray com.apple.print.PaperInfo.PMUnadjustedPageRect 0.0 0.0 774 594 com.apple.print.ticket.client com.epson.printer.SP925 com.apple.print.ticket.modDate 2003-12-26T18:40:44Z com.apple.print.ticket.stateFlag 1 com.apple.print.PaperInfo.PMUnadjustedPaperRect com.apple.print.ticket.creator com.epson.printer.SP925 com.apple.print.ticket.itemArray com.apple.print.PaperInfo.PMUnadjustedPaperRect -9 -9 783 603 com.apple.print.ticket.client com.epson.printer.SP925 com.apple.print.ticket.modDate 2003-12-26T18:40:44Z com.apple.print.ticket.stateFlag 1 com.apple.print.ticket.APIVersion 00.20 com.apple.print.ticket.privateLock com.apple.print.ticket.type com.apple.print.PaperInfoTicket com.apple.print.ticket.APIVersion 00.20 com.apple.print.ticket.privateLock com.apple.print.ticket.type com.apple.print.PageFormatTicket 8BIMxHHR[g(HH(dh 8BIMHH8BIM&?8BIM Transparency8BIM Transparency8BIMd8BIM8BIM x8BIM8BIM 8BIM 8BIM' 8BIMH/fflff/ff2Z5-8BIMp8BIM8BIM8BIM@@8BIM8BIM5  nullboundsObjcRct1Top longLeftlongBtomlong Rghtlong slicesVlLsObjcslicesliceIDlonggroupIDlongoriginenum ESliceOrigin autoGeneratedTypeenum ESliceTypeImg boundsObjcRct1Top longLeftlongBtomlong Rghtlong urlTEXTnullTEXTMsgeTEXTaltTagTEXTcellTextIsHTMLboolcellTextTEXT horzAlignenumESliceHorzAligndefault vertAlignenumESliceVertAligndefault bgColorTypeenumESliceBGColorTypeNone topOutsetlong leftOutsetlong bottomOutsetlong rightOutsetlong8BIM8BIM8BIM!yAdobe Photoshop ElementsAdobe Photoshop Elements 2.0*D;P$Rp2d=qDqDd=Rp2;P$*D'5VNk/ooOk/'5V "?V&pvvq?V& " 0Je-ي~qrrrrqrr~يJe- 0 "Hc,ݐqqqrqqqqrqqqܐHc, ":P$Ԇqqpqqpqpqqqqqqԇ:P$"/Viqppppppppppqppppj"/VB[)ߔpooopojpoppoppopppߓB[)"DbxpoopooIb2pMmooonkigecmZ"D.>onnonooE]0@V,Kd4~Wiebaaaaaa؉v->T*:N&:N&:N':N':M':N'@V+qLaa``bܐLh.Hc,يmllmhc`_>T*9M&9M&9L&9M&9M&9M&Sp8X`__`b؉Hc, D%4[`YYYYYYXYYYYYZYZYYY`X%4 VVw9\[XWXXXXXWXWXXXXXX[\Vw: V&gEYXWWVWWWVWW~WV~W~WWXYfE%"*hF~U~V}U|U|V}U}V}U}U|U}V}V}V}U~VUhF*" 0(_?xO|S{T{T{U{U{T{U{U{U{U{T{SxP_?( 1' Hi/jFwMxOyQzSzTzTzSyQxPvMjFHi/, q$Dd,^=mFrHsHsIrImF^=Dd-# v) *7A w "+!0!/+" {G@7* )06:>BDDDB>:60)    unison-2.40.102/uimacnew09/toolbar/restart.tif0000644006131600613160000004103011361646373021220 0ustar bcpiercebcpierceMM*  9r y&(1.2L=R`I$\iA ' 'Adobe Photoshop Elements 2.02006:01:31 19:24:00 Adobe Photoshop Elements for Macintosh, version 2.0 adobe:docid:photoshop:55abd610-0438-11da-9720-8d4d7d833b3b 8BIM8BIM%F &Vڰw8BIM com.apple.print.PageFormat.FormattingPrinter com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.FormattingPrinter Stylus_Photo_925(Standard_-_Minimize_Margins) com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2005-04-11T22:55:05Z com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMHorizontalRes com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMHorizontalRes 72 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2005-04-11T22:55:13Z com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMOrientation com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMOrientation 1 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2005-04-11T22:55:05Z com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMScaling com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMScaling 1 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2005-04-11T22:55:05Z com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMVerticalRes com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMVerticalRes 72 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2005-04-11T22:55:13Z com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMVerticalScaling com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMVerticalScaling 1 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2005-04-11T22:55:05Z com.apple.print.ticket.stateFlag 0 com.apple.print.subTicket.paper_info_ticket com.apple.print.PageFormat.PMAdjustedPageRect com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMAdjustedPageRect 0.0 0.0 774 594 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2006-02-01T00:22:34Z com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMAdjustedPaperRect com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMAdjustedPaperRect -9 -9 783 603 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2006-02-01T00:22:34Z com.apple.print.ticket.stateFlag 0 com.apple.print.PaperInfo.PMPaperName com.apple.print.ticket.creator com.epson.printer.SP925 com.apple.print.ticket.itemArray com.apple.print.PaperInfo.PMPaperName na-letter com.apple.print.ticket.client com.epson.printer.SP925 com.apple.print.ticket.modDate 2003-12-26T18:40:44Z com.apple.print.ticket.stateFlag 1 com.apple.print.PaperInfo.PMUnadjustedPageRect com.apple.print.ticket.creator com.epson.printer.SP925 com.apple.print.ticket.itemArray com.apple.print.PaperInfo.PMUnadjustedPageRect 0.0 0.0 774 594 com.apple.print.ticket.client com.epson.printer.SP925 com.apple.print.ticket.modDate 2003-12-26T18:40:44Z com.apple.print.ticket.stateFlag 1 com.apple.print.PaperInfo.PMUnadjustedPaperRect com.apple.print.ticket.creator com.epson.printer.SP925 com.apple.print.ticket.itemArray com.apple.print.PaperInfo.PMUnadjustedPaperRect -9 -9 783 603 com.apple.print.ticket.client com.epson.printer.SP925 com.apple.print.ticket.modDate 2003-12-26T18:40:44Z com.apple.print.ticket.stateFlag 1 com.apple.print.ticket.APIVersion 00.20 com.apple.print.ticket.privateLock com.apple.print.ticket.type com.apple.print.PaperInfoTicket com.apple.print.ticket.APIVersion 00.20 com.apple.print.ticket.privateLock com.apple.print.ticket.type com.apple.print.PageFormatTicket 8BIMxHHR[g(HH(dh 8BIMHH8BIM&?8BIM Transparency8BIM Transparency8BIMd8BIM8BIM x8BIM8BIM 8BIM 8BIM' 8BIMH/fflff/ff2Z5-8BIMp8BIM8BIM8BIM@@8BIM8BIM5  nullboundsObjcRct1Top longLeftlongBtomlong Rghtlong slicesVlLsObjcslicesliceIDlonggroupIDlongoriginenum ESliceOrigin autoGeneratedTypeenum ESliceTypeImg boundsObjcRct1Top longLeftlongBtomlong Rghtlong urlTEXTnullTEXTMsgeTEXTaltTagTEXTcellTextIsHTMLboolcellTextTEXT horzAlignenumESliceHorzAligndefault vertAlignenumESliceVertAligndefault bgColorTypeenumESliceBGColorTypeNone topOutsetlong leftOutsetlong bottomOutsetlong rightOutsetlong8BIM8BIM8BIM!yAdobe Photoshop ElementsAdobe Photoshop Elements 2.0 P8$ BaPd6DbQ8V-FcQH"2 "A`[NaYw/_*\v 'EbW+e 0pF&HNoP?P*WrT[U>:DF!h p) (O>X- 0F ,盤m_si$iR €d=c6)ͺOF<49~>wGp(6 6/+\P!XI j !Db*F{.x{0dLNl v/{)bIt@_9~p2H j Gõ Q$M V,qh1GY|L3 @xX$(u1/f["0$xX" @ <&2L9MA7 Ik wS޼kd@LOr}Sd2^Éz} (@Wv vҞG—PAFAh\vi!UYyF@ L~  @~fi "'1^"0`xP& G|)wk yFtbP"w R 6hR&E@!f8Ͱz} 8FHT+J:Yԝ@  NxRd|~ J'ز0 xOAqg e\/vFf -/ \+ b},b&-,-d:F1L<W3"B.#Ҁ0 R >Xj0}{4M@Hc{T> T{Hc(. GivE?@G YV /`eV@H҆rfEtwA""dp*A( $cм/'iCzERǓH@P#ThN+7c٥ b -Y0o#܃@iT q7Hpt^A06P6?z4yB0 "l'"y{;P 3sM ^@ 5 qp8E@0R] x\=X6 g@S^¢<X=^7 u*W7Ltp1)b[+F" 4@X A:5?$~-@ aN ;EM`!pfhf ŰTuD֠h l0 c{zM)^YfA8+lGP&4 H-tX\'F\e+H3c!X;) Q X~Mp=rɟb^t<R>P$xB(a3Z)H1 +szD!4*Ep 85BBzlL'H⾰Q  (T?ImaO/YgV+.C >`#;ؾh@40FP@*Qq3puec^ߺSrԍGŀ_ !G1V %A(96L> ▞V zL^>?.@DK-q,;( rD  vK0(JX,r@%R>;ǹ HD/ƞ>Ptf@a< +^r ` Adobe Photoshop Elements for Macintosh, version 2.0 adobe:docid:photoshop:c3309e52-042f-11da-9720-8d4d7d833b3b 8BIM8BIM%F &Vڰw8BIM com.apple.print.PageFormat.FormattingPrinter com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.FormattingPrinter Stylus_Photo_925(Standard_-_Minimize_Margins) com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2005-04-11T22:55:05Z com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMHorizontalRes com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMHorizontalRes 72 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2005-04-11T22:55:13Z com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMOrientation com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMOrientation 1 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2005-04-11T22:55:05Z com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMScaling com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMScaling 1 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2005-04-11T22:55:05Z com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMVerticalRes com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMVerticalRes 72 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2005-04-11T22:55:13Z com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMVerticalScaling com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMVerticalScaling 1 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2005-04-11T22:55:05Z com.apple.print.ticket.stateFlag 0 com.apple.print.subTicket.paper_info_ticket com.apple.print.PageFormat.PMAdjustedPageRect com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMAdjustedPageRect 0.0 0.0 774 594 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2005-08-01T19:54:44Z com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMAdjustedPaperRect com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMAdjustedPaperRect -9 -9 783 603 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2005-08-01T19:54:44Z com.apple.print.ticket.stateFlag 0 com.apple.print.PaperInfo.PMPaperName com.apple.print.ticket.creator com.epson.printer.SP925 com.apple.print.ticket.itemArray com.apple.print.PaperInfo.PMPaperName na-letter com.apple.print.ticket.client com.epson.printer.SP925 com.apple.print.ticket.modDate 2003-12-26T18:40:44Z com.apple.print.ticket.stateFlag 1 com.apple.print.PaperInfo.PMUnadjustedPageRect com.apple.print.ticket.creator com.epson.printer.SP925 com.apple.print.ticket.itemArray com.apple.print.PaperInfo.PMUnadjustedPageRect 0.0 0.0 774 594 com.apple.print.ticket.client com.epson.printer.SP925 com.apple.print.ticket.modDate 2003-12-26T18:40:44Z com.apple.print.ticket.stateFlag 1 com.apple.print.PaperInfo.PMUnadjustedPaperRect com.apple.print.ticket.creator com.epson.printer.SP925 com.apple.print.ticket.itemArray com.apple.print.PaperInfo.PMUnadjustedPaperRect -9 -9 783 603 com.apple.print.ticket.client com.epson.printer.SP925 com.apple.print.ticket.modDate 2003-12-26T18:40:44Z com.apple.print.ticket.stateFlag 1 com.apple.print.ticket.APIVersion 00.20 com.apple.print.ticket.privateLock com.apple.print.ticket.type com.apple.print.PaperInfoTicket com.apple.print.ticket.APIVersion 00.20 com.apple.print.ticket.privateLock com.apple.print.ticket.type com.apple.print.PageFormatTicket 8BIMxHHR[g(HH(dh 8BIMHH8BIM&?8BIM Transparency8BIM Transparency8BIMd8BIM8BIM x8BIM8BIM 8BIM 8BIM' 8BIMH/fflff/ff2Z5-8BIMp8BIM8BIM8BIM@@8BIM8BIM5  nullboundsObjcRct1Top longLeftlongBtomlong Rghtlong slicesVlLsObjcslicesliceIDlonggroupIDlongoriginenum ESliceOrigin autoGeneratedTypeenum ESliceTypeImg boundsObjcRct1Top longLeftlongBtomlong Rghtlong urlTEXTnullTEXTMsgeTEXTaltTagTEXTcellTextIsHTMLboolcellTextTEXT horzAlignenumESliceHorzAligndefault vertAlignenumESliceVertAligndefault bgColorTypeenumESliceBGColorTypeNone topOutsetlong leftOutsetlong bottomOutsetlong rightOutsetlong8BIM8BIM8BIM!yAdobe Photoshop ElementsAdobe Photoshop Elements 2.0 P8$ BaPd6DbQ8V-FcQL0xn<0P`J(C!#r f[#^6a@6!AЈ ׁp_/Wﺲ%sTU:: A@*` W}mwim6;H, ex-KV&NVu(v8[h08,4S*B@[sz]vMM*l 5~jjĹG^FC)  to{‚S@ ,h <ʂlt/\UeaYvO) Ch`0tD;h{4 R.(R`D (mZ qWęo$x+ #2S!g { 8UU *'P+XfgpA+[@vE #N-`. •'@(NXT d0dx `&{ѳx1u!PREqS ""`xF@UaJ.a-h~(a=/v{y~x 4sKrBe@vk ,́(2YQ䀮"&^"7=\Ӫ "#t@Pe1y(d4 K, %kxpoON"8 xzń `a1.1ðU@4̸z@(Y !73U `am k\K>38@"hutNݐt-%ǘ.!LJB ΠR@R@0tg d/ C0{0g 1;Ю |VOhiiIJVe eDHq<`6Ch bXEH[cl(0n `VC,:U buzGұt@A|A#U @pc !00 h26&0@ mꥇ{`u ! D^)Nigl{rBEz=cVJ`7oDL  (a:NJv4zbt~ m!$!4U0 `h5Q5` ASh%c0x`Ii ]6ƻ@"2Q9Sl"|+K aHU=Y|ySA B G,K8_$[i| r+p1r0C #qH8x`4)tFAFd0n0rtSM3q@6z qՖS@. 8@d/mVϯ&;<@,Ef =kxuAɽi 4( @ "A7 aP I I܁V?a~~a?AV<"?dxqqxd?<"@0?wumnnnmnnnuw?@0<"={|mmllmmmmlmml}{=<";sxkllkkklklklklkws;;V^yjkkjkkjjjjjjjjkkz^;V9ୀjiiiiijiiiiiiiii98DWohhhhhghhgh`][Y`P8D8݀pffggffgc`VVVVVvf8݀6{ڳ~teeeea\XVVVVVht6{۳RU6v^3r\U2n2k~kgf`ZSQSXXYYY^p0i.gϳlj`XQPQPPPQPPPPP\`/gϳ.b̀\mXOONPONOONPONONO_N.b̀-^DCwiSMMMNMMMMMMMNMMMMQ`;o-^D)XȭRVKKLKKKLLKKKLKLLLKLVM+Xȭ*VV7fTOJJIJJJIJJJIJJJJJNS7f*VV(SƎ=mSLHHIHIIIHHHHHHHLS=n(SĎ&S"'Oë=lOJGGGGGGGGGGGGJO>l'O«&S"%J0%L7dG|JG~E}F}E}F}E}E}F}F}G~JG{8d'L$I1!A'$E/V;jG{G}G}F}D|E{F}G|H}G{:j.V$F:,4q"A+R5_BDDDB>:60)     (RSHHunison-2.40.102/uimacnew09/toolbar/save.tif0000644006131600613160000004462411361646373020506 0ustar bcpiercebcpierceMM*   9f (1"2@RTI$\ iIh ' 'Adobe Photoshop Elements 2.02005:09:11 19:08:56 Adobe Photoshop Elements for Macintosh, version 2.0 adobe:docid:photoshop:c3309e52-042f-11da-9720-8d4d7d833b3b 8BIM8BIM%F &Vڰw8BIM com.apple.print.PageFormat.FormattingPrinter com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.FormattingPrinter Stylus_Photo_925(Standard_-_Minimize_Margins) com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2005-04-11T22:55:05Z com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMHorizontalRes com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMHorizontalRes 72 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2005-04-11T22:55:13Z com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMOrientation com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMOrientation 1 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2005-04-11T22:55:05Z com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMScaling com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMScaling 1 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2005-04-11T22:55:05Z com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMVerticalRes com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMVerticalRes 72 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2005-04-11T22:55:13Z com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMVerticalScaling com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMVerticalScaling 1 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2005-04-11T22:55:05Z com.apple.print.ticket.stateFlag 0 com.apple.print.subTicket.paper_info_ticket com.apple.print.PageFormat.PMAdjustedPageRect com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMAdjustedPageRect 0.0 0.0 774 594 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2005-09-11T23:08:38Z com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMAdjustedPaperRect com.apple.print.ticket.creator com.apple.printingmanager com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMAdjustedPaperRect -9 -9 783 603 com.apple.print.ticket.client com.apple.printingmanager com.apple.print.ticket.modDate 2005-09-11T23:08:38Z com.apple.print.ticket.stateFlag 0 com.apple.print.PaperInfo.PMPaperName com.apple.print.ticket.creator com.epson.printer.SP925 com.apple.print.ticket.itemArray com.apple.print.PaperInfo.PMPaperName na-letter com.apple.print.ticket.client com.epson.printer.SP925 com.apple.print.ticket.modDate 2003-12-26T18:40:44Z com.apple.print.ticket.stateFlag 1 com.apple.print.PaperInfo.PMUnadjustedPageRect com.apple.print.ticket.creator com.epson.printer.SP925 com.apple.print.ticket.itemArray com.apple.print.PaperInfo.PMUnadjustedPageRect 0.0 0.0 774 594 com.apple.print.ticket.client com.epson.printer.SP925 com.apple.print.ticket.modDate 2003-12-26T18:40:44Z com.apple.print.ticket.stateFlag 1 com.apple.print.PaperInfo.PMUnadjustedPaperRect com.apple.print.ticket.creator com.epson.printer.SP925 com.apple.print.ticket.itemArray com.apple.print.PaperInfo.PMUnadjustedPaperRect -9 -9 783 603 com.apple.print.ticket.client com.epson.printer.SP925 com.apple.print.ticket.modDate 2003-12-26T18:40:44Z com.apple.print.ticket.stateFlag 1 com.apple.print.ticket.APIVersion 00.20 com.apple.print.ticket.privateLock com.apple.print.ticket.type com.apple.print.PaperInfoTicket com.apple.print.ticket.APIVersion 00.20 com.apple.print.ticket.privateLock com.apple.print.ticket.type com.apple.print.PageFormatTicket 8BIMxHHR[g(HH(dh 8BIMHH8BIM&?8BIM Transparency8BIM Transparency8BIMd8BIM8BIM x8BIM8BIM 8BIM 8BIM' 8BIMH/fflff/ff2Z5-8BIMp8BIM8BIM8BIM@@8BIM8BIM5  nullboundsObjcRct1Top longLeftlongBtomlong Rghtlong slicesVlLsObjcslicesliceIDlonggroupIDlongoriginenum ESliceOrigin autoGeneratedTypeenum ESliceTypeImg boundsObjcRct1Top longLeftlongBtomlong Rghtlong urlTEXTnullTEXTMsgeTEXTaltTagTEXTcellTextIsHTMLboolcellTextTEXT horzAlignenumESliceHorzAligndefault vertAlignenumESliceVertAligndefault bgColorTypeenumESliceBGColorTypeNone topOutsetlong leftOutsetlong bottomOutsetlong rightOutsetlong8BIM8BIM.8BIM!yAdobe Photoshop ElementsAdobe Photoshop Elements 2.02 D^ !((۵,-,-((ۄ !^2 D?V KKddrrwwyyyywwrrddKK ?V"hKLkkuull]]LL????LL]]lluukkKLh"# 0} \\qqeeII:99:9:9:99::9999HHeeqq\\} # 0"|]]ooUU999999999999999999999999UUoo]]}"fUUkkLL8889875544334433334566879988MLkkUUg>VBBghOO77786622[[[[22667778OOhgBC>V{ZZXX76764522넄넄12446777XXZZ|1 D;<``??654511ꄄttDDDDtt~~##"" **XX990 DZGHSS455522ZZ엗001133//'' 덍GGDDBCZ~NOEE444400엗//11--%$댌22GG~$%PP::3333..ss))$$dd##EF$%))NN442222--88..AA))()HH221111,,-...9:()"$>>330000##cccc01##y5544//%%䋋뫫뫫㋋ **zV,,44%%FFኊኊFF &'W. D'(,+tt諫cc----cb諫tt %&. Ds"#tttt!!t9 V##EE܊܊DE"#9 V^  ^"qp"0o p1'\  !\,8 qp!"!!p8 v) *7A, wSsˍ !#%#$ tS, {G@7* )06:>BDDDB>:60)    unison-2.40.102/uimacnew09/ImageAndTextCell.h0000644006131600613160000000053511361646373020656 0ustar bcpiercebcpierce// // ImageAndTextCell.h // // Copyright (c) 2001-2002, Apple. All rights reserved. // #import @interface ImageAndTextCell : NSTextFieldCell { @private NSImage *image; } - (void)setImage:(NSImage *)anImage; - (NSImage *)image; - (void)drawWithFrame:(NSRect)cellFrame inView:(NSView *)controlView; - (NSSize)cellSize; @end unison-2.40.102/uimacnew09/ReconTableView.h0000644006131600613160000000223711361646373020416 0ustar bcpiercebcpierce// // ReconTableView.h // // NSTableView extended to handle additional keyboard events for the reconcile window. // The keyDown: method is redefined. // // Created by Trevor Jim on Wed Aug 27 2003. // Copyright (c) 2003, licensed under GNU GPL. // #import @interface ReconTableView : NSOutlineView { BOOL editable; } - (BOOL)editable; - (void)setEditable:(BOOL)x; - (BOOL)validateItem:(IBAction *) action; - (BOOL)validateMenuItem:(NSMenuItem *)menuItem; - (BOOL)validateToolbarItem:(NSToolbarItem *)toolbarItem; - (IBAction)ignorePath:(id)sender; - (IBAction)ignoreExt:(id)sender; - (IBAction)ignoreName:(id)sender; - (IBAction)copyLR:(id)sender; - (IBAction)copyRL:(id)sender; - (IBAction)leaveAlone:(id)sender; - (IBAction)forceOlder:(id)sender; - (IBAction)forceNewer:(id)sender; - (IBAction)selectConflicts:(id)sender; - (IBAction)revert:(id)sender; - (IBAction)merge:(id)sender; - (IBAction)showDiff:(id)sender; - (BOOL)canDiffSelection; @end @interface NSOutlineView (_UnisonExtras) - (NSArray *)selectedObjects; - (NSEnumerator *)selectedObjectEnumerator; - (void)setSelectedObjects:(NSArray *)selection; - (void)expandChildrenIfSpace; @end unison-2.40.102/uimacnew09/TrevorsUnison.icns0000644006131600613160000005774411361646373021127 0ustar bcpiercebcpierceicns_it32!!!!####!##!!##!#11##11#!##!!##!#11##11#!##!!##! #11# #11#!##!!##!#11##11#!##!!##!#11##11#!##!!##!#11##11#"##!!##!#11##11#"##""##"#11##11#"##""##"#11##11#"##""##"#11##11#"##""##"#11##11#"##""##"#11##11#"##""##"#11##11#"##""##"#11##11#"##""##"#11##11#"##""##"#11##11#"##""##"#11##11#"##""##"#11##11#"##""##"#11##11#"#1ZւZ1#""#1ZZ1#"######################################################################################################################################################################################################################################################################################################################################################################################J##J##"#c##c#"!##!!##!!#####ד#!!#c#!!#c#!#V####V##0c#!!#p0#"#ʔ0#!!#0#"!#0#!!#0ʕ#!#V0#!!#0V###0##!!##0ʖ##!#c#!!#c#!#Ic#cI###֖c=#=c֚##!#pp#!####!#cc#!####!#II#!"##"##Ȼ##!#<<#!"#bb#"##||######!####!!####!!##||##!!##bb##!##<ȩ<##"####"!##<<##!"##VԟV##"!#bb#!!#II#!!"#VǏǕV#"!!#0VV0#!!"#"!!#!,,,,,,,, ,, ,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,ޙ,,ޙ,+כ++כ++ҝ++ҝ+}}}}+̟++̟+*MM**MՃM*҆҇}}{{yywwttrrppnnlljjggeeccaa_++_M]22]MKZDDZKCXQQX?;W00W;,TGGT,"R/2R"GPM""MPG9NE""EN9*L;""@L*GJA""AJG8HE,,EH8&F<++ #include #include #include #include #import #include #include /* CMF, April 2007: Alternate strategy for solving UI crashes based on http://alan.petitepomme.net/cwn/2005.03.08.html#9: 1) Run OCaml in a separate thread from the Cocoa main run loop. 2) Handle all calls to OCaml as callbacks -- have an OCaml thread hang in C-land and use mutexes and conditions to pass control from the C calling thread to the OCaml callback thread. Value Conversion Done in Bridge Thread: Value creation/conversion (like calls to caml_named_value or caml_copy_string) or access calls (like Field) need to occur in the OCaml thread. We do this by passing C args for conversion to the bridgeThreadWait() thread. Example of vulnerability: Field(caml_reconItems,j) could dereference caml_reconItems when the GC (running independently in an OCaml thread) could be moving it. */ pthread_mutex_t init_lock = PTHREAD_MUTEX_INITIALIZER; pthread_cond_t init_cond = PTHREAD_COND_INITIALIZER; static BOOL doneInit = NO; pthread_mutex_t global_call_lock = PTHREAD_MUTEX_INITIALIZER; pthread_cond_t global_call_cond = PTHREAD_COND_INITIALIZER; pthread_mutex_t global_res_lock = PTHREAD_MUTEX_INITIALIZER; pthread_cond_t global_res_cond = PTHREAD_COND_INITIALIZER; @implementation Bridge static Bridge *_instance = NULL; const char **the_argv; - (void)_ocamlStartup:(id)ignore { NSAutoreleasePool *pool = [[NSAutoreleasePool alloc] init]; pthread_mutex_lock(&init_lock); /* Initialize ocaml gc, etc. */ caml_startup((char **)the_argv); // cast to avoid warning, caml_startup assumes non-const, // NSApplicationMain assumes const // Register these with the collector // NSLog(@"*** _ocamlStartup - back from startup; signalling! (%d)", pthread_self()); doneInit = TRUE; pthread_cond_signal(&init_cond); pthread_mutex_unlock(&init_lock); // now start the callback thread // NSLog(@"*** _ocamlStartup - calling callbackThreadCreate (%d)", pthread_self()); value *f = caml_named_value("callbackThreadCreate"); (void)caml_callback_exn(*f,Val_unit); [pool release]; } + (void)startup:(const char **)argv { if (_instance) return; _instance = [[Bridge alloc] init]; [[NSExceptionHandler defaultExceptionHandler] setDelegate:_instance]; [[NSExceptionHandler defaultExceptionHandler] setExceptionHandlingMask: (NSLogUncaughtExceptionMask | NSLogTopLevelExceptionMask)]; // Init OCaml in another thread and wait for it to be ready pthread_mutex_lock(&init_lock); the_argv = argv; [NSThread detachNewThreadSelector:@selector(_ocamlStartup:) toTarget:_instance withObject:nil]; // NSLog(@"*** waiting for completion of caml_init"); while (!doneInit) pthread_cond_wait(&init_cond, &init_lock); pthread_mutex_unlock(&init_lock); // NSLog(@"*** caml_init complete!"); } #if MAC_OS_X_VERSION_MAX_ALLOWED < MAC_OS_X_VERSION_10_5 typedef unsigned int NSUInteger; #endif - (BOOL)exceptionHandler:(NSExceptionHandler *)sender shouldLogException:(NSException *)exception mask:(NSUInteger)aMask { // if (![[exception name] isEqual:@"OCamlException"]) return YES; NSString *msg = [NSString stringWithFormat:@"Uncaught exception: %@", [exception reason]]; msg = [[msg componentsSeparatedByString:@"\n"] componentsJoinedByString:@" "]; NSLog(@"%@", msg); NSRunAlertPanel(@"Fatal error", msg, @"Exit", nil, nil); exit(1); return FALSE; } @end // CallState struct is allocated on the C thread stack and then handed // to the OCaml callback thread to perform value conversion and issue the call typedef struct { enum { SafeCall, OldCall, FieldAccess } opCode; // New style calls const char *argTypes; va_list args; // Field access value *valueP; long fieldIndex; char fieldType; // Return values char *exception; void *retV; BOOL _autorelease; // for old style (unsafe) calls value call, a1, a2, a3, ret; int argCount; } CallState; static CallState *_CallState = NULL; static CallState *_RetState = NULL; // Our OCaml callback server thread -- waits for call then makes them // Called from thread spawned from OCaml CAMLprim value bridgeThreadWait(value ignore) { CAMLparam0(); CAMLlocal1 (args); args = caml_alloc_tuple(3); // NSLog(@"*** bridgeThreadWait init! (%d) Taking lock...", pthread_self()); while (TRUE) { // unblock ocaml while we wait for work caml_enter_blocking_section(); pthread_mutex_lock(&global_call_lock); while (!_CallState) pthread_cond_wait(&global_call_cond, &global_call_lock); // pick up our work and free up the call lock for other threads CallState *cs = _CallState; _CallState = NULL; pthread_mutex_unlock(&global_call_lock); // NSLog(@"*** bridgeThreadWait: have call -- leaving caml_blocking_section"); // we have a call to do -- get the ocaml lock caml_leave_blocking_section(); // NSLog(@"*** bridgeThreadWait: doing call"); NSAutoreleasePool *pool = [[NSAutoreleasePool alloc] init]; char retType = 'v'; value e = Val_unit; if (cs->opCode == SafeCall) { int i; char *fname = va_arg(cs->args, char *); value *f = caml_named_value(fname); // varargs with C-based args -- convert them to OCaml values based on type code string const char *p = cs->argTypes; retType = *p++; int argCount = 0; for(; *p != '\0'; p++) { const char *str; switch (*p) { case 's': str = va_arg(cs->args, const char *); Store_field (args, argCount, caml_copy_string(str)); break; case 'S': str = [va_arg(cs->args, NSString *) UTF8String]; Store_field (args, argCount, caml_copy_string(str)); break; case 'i': Store_field (args, argCount, Val_long(va_arg(cs->args, long))); break; case '@': Store_field (args, argCount, [va_arg(cs->args, OCamlValue *) value]); break; default: NSCAssert1(0, @"Unknown input type '%c'", *p); break; } argCount++; NSCAssert(argCount <= 3, @"More than 3 arguments"); } // Call OCaml -- TODO: add support for > 3 args if (argCount == 3) e = caml_callback3_exn(*f,Field(args,0),Field(args,1),Field(args,2)); else if (argCount == 2) e = caml_callback2_exn(*f,Field(args,0),Field(args,1)); else if (argCount == 1) e = caml_callback_exn(*f,Field(args,0)); else e = caml_callback_exn(*f,Val_unit); for (i = 0; i < argCount; i++) Store_field (args, i, Val_unit); } else if (cs->opCode == OldCall) { // old style (unsafe) version where OCaml values were passed directly from C thread if (cs->argCount == 3) e = caml_callback3_exn(cs->call,cs->a1,cs->a2,cs->a3); else if (cs->argCount == 2) e = caml_callback2_exn(cs->call,cs->a1,cs->a2); else e = caml_callback_exn(cs->call,cs->a1); retType = 'v'; } else if (cs->opCode == FieldAccess) { long index = cs->fieldIndex; e = (index == -1) ? Val_long(Wosize_val(*cs->valueP)) : Field(*cs->valueP, index); retType = cs->fieldType; } // Process return value cs->_autorelease = FALSE; cs->ret = e; // OCaml return type -- unsafe... if (!Is_exception_result(e)) { switch (retType) { case 'S': *((NSString **)&cs->retV) = (e == Val_unit) ? NULL : [[NSString alloc] initWithUTF8String:String_val(e)]; cs->_autorelease = TRUE; break; case 'N': if (Is_long (e)) { *((NSNumber **)&cs->retV) = [[NSNumber alloc] initWithLong:Long_val(e)]; } else { *((NSNumber **)&cs->retV) = [[NSNumber alloc] initWithDouble:Double_val(e)]; } cs->_autorelease = TRUE; break; case '@': *((NSObject **)&cs->retV) = (e == Val_unit) ? NULL : [[OCamlValue alloc] initWithValue:e]; cs->_autorelease = TRUE; break; case 'i': *((long *)&cs->retV) = Long_val(e); break; case 'x': break; default: NSCAssert1(0, @"Unknown return type '%c'", retType); break; } } if (Is_exception_result(e)) { // get exception string -- it will get thrown back in the calling thread value *f = caml_named_value("unisonExnInfo"); // We leak memory here... cs->exception = strdup(String_val(caml_callback(*f,Extract_exception(e)))); } [pool release]; // NSLog(@"*** bridgeThreadWait: returning"); // we're done, signal back pthread_mutex_lock(&global_res_lock); _RetState = cs; pthread_cond_signal(&global_res_cond); pthread_mutex_unlock(&global_res_lock); } // Never get here... CAMLreturn (Val_unit); } void *_passCall(CallState *cs) { pthread_mutex_lock(&global_call_lock); _CallState = cs; // signal so call can happen on other thread pthread_mutex_lock(&global_res_lock); pthread_cond_signal(&global_call_cond); pthread_mutex_unlock(&global_call_lock); // NSLog(@"*** _passCall (%d) -- performing signal and waiting", pthread_self()); // wait until done -- make sure the result is for our call while (_RetState != cs) pthread_cond_wait(&global_res_cond, &global_res_lock); _RetState = NULL; pthread_mutex_unlock(&global_res_lock); // NSLog(@"*** doCallback -- back with result"); if (cs->exception) { @throw [NSException exceptionWithName:@"OCamlException" reason:[NSString stringWithUTF8String:cs->exception] userInfo:nil]; } if (cs->_autorelease) [((id)cs->retV) autorelease]; return cs->retV; } void *ocamlCall(const char *argTypes, ...) { CallState cs; cs.opCode = SafeCall; cs.exception = NULL; cs.argTypes = argTypes; va_start(cs.args, argTypes); void * res = _passCall(&cs); va_end(cs.args); return res; } void *getField(value *vP, long index, char type) { CallState cs; cs.opCode = FieldAccess; cs.valueP = vP; cs.fieldIndex = index; cs.fieldType = type; cs.exception = NULL; return _passCall(&cs); } @implementation OCamlValue - initWithValue:(long)v { [super init]; _v = v; caml_register_global_root((value *)&_v); return self; } - (long)count { return (long)getField((value *) &_v, -1, 'i'); } - (void *)getField:(long)i withType:(char)t { return getField((value *)&_v, i, t); } - (long)value { // Unsafe to use! return _v; } - (void)dealloc { _v = Val_unit; caml_remove_global_root((value *)&_v); [super dealloc]; } @end // Legacy OCaml call API -- no longer needed #if 0 extern value doCallback (value c, int argcount, value v1, value v2, value v3, BOOL exitOnException); extern value Callback_checkexn(value c,value v); extern value Callback2_checkexn(value c,value v1,value v2); extern value Callback3_checkexn(value c,value v1,value v2,value v3); void reportExn(const char *msg) { NSString *s = [NSString stringWithFormat:@"Uncaught exception: %s", msg]; s = [[s componentsSeparatedByString:@"\n"] componentsJoinedByString:@" "]; NSLog(@"%@",s); NSRunAlertPanel(@"Fatal error",s,@"Exit",nil,nil); } // FIXME! Claim is that value conversion must also happen in the OCaml thread... value doCallback (value c, int argcount, value v1, value v2, value v3, BOOL exitOnException) { // NSLog(@"*** doCallback: (%d) -- trying to acquire global lock", pthread_self()); CallState cs; cs.opCode = OldCall; cs.exception = NULL; cs.call = c; cs.a1 = v1; cs.a2 = v2; cs.a3 = v3; cs.argCount = argcount; @try { return _passCall(&cs); } @catch (NSException *ex) { if (exitOnException) { reportExn(cs.exception); exit(1); } @throw ex; } } value Callback_checkexn(value c,value v) { return doCallback(c, 1, v, 0, 0, TRUE); } value Callback2_checkexn(value c,value v1,value v2) { return doCallback(c, 2, v1, v2, 0, TRUE); } value Callback3_checkexn(value c,value v1,value v2,value v3) { return doCallback(c, 3, v1, v2, v3, TRUE); } #endif unison-2.40.102/uimacnew09/BWToolkit.ibplugin/0000755006131600613160000000000012050210656021041 5ustar bcpiercebcpierceunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/0000755006131600613160000000000012050210656022636 5ustar bcpiercebcpierceunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/0000755006131600613160000000000012050210656024610 5ustar bcpiercebcpierceunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/Library-AddSmallBottomBar.tif0000644006131600613160000001517211361646373032234 0ustar bcpiercebcpierceMM* .. @( A`8,6DbQ8V-Fc@|Gx(> rd]/C_0W4Fc?PhS W )*VWQ`@-j x(Z ..dE`U: \  Ҳ6%q?q1^+r+ \dI _XhZꍏſ1r:6Yv$g`RLfl4 0Pk5ʋ}?m=w@  0Ρ.48 6nJ;6I)j/t`޽`!*L ǀ 2cӰpX({/p1G (<^MOs16H8 D~" 3J52R,{w,Qŝ8żY+":{2i?LLtπed3bWB JfT&B q1$  0 \4 HO ҅Pd.G@%}?):\@~Gɿ ~@&"&Zp*|t0hd`Ƙq P9&DLt1$jjw-4 G`\ ȣP;ِ(Cz~EbN+!E} "r0e 4G@3E.l >(GaN-! aA`&?k. M@#JfGB"`PihȭJ*OJ)j"pH #:1G ,ё[`1jv1] $ *ŀ-< ` umj[s6D ;uC 6@̐VSチT<aoӂ\q))G -PW []n\H @=k4#ŧr}(飅vّvW1%jOk Ir"Ǭ~=vЮE(|Rjح¨ э[ f|5t0> J 1pc&nͲ2\Id s(ž(ey OX ]F [ˠ=3)Y!73{@vn&\ * wupsO,ÆpMZjUfr7ؿ;#ҺV5\8$9XH05^_oZV6u%Sڿ;논nasi!oh].0sjݯ:pO_RngXvq\Swϗ9ۜ *Qz_t.+8 ‡o7z+ͽOj 0m3҈ w[, 5u-zxKt s<31[X7 y (]GNa;pKw. Cк~>#_s7Os8ai m'~V|rvc}w|m$^/,o.t$B" A!h>܂ 8 M>A`ne~cPb0$!"p   Ay NG@Qcd pP䋒mjRgh 0Gp2k( #` "  b&!1*nA+o! = )Pho~z# Y @X  OFaFwoXMtu Q3I >#0,! f @s0 0 ӑpàqPo ƁQ}" 1P! QZ#4R("0 BAHG $$WyQ=wBnR`&f\a!'2 R e(!j)2)H28'+*&$2M O%|+q%Zw@Re&ў  "  _.! ( a)/ C01>ҭů"r.Sa2` - ,@3b 3<b P LpOXҁv-QP3h E7 ZZ2S+W1 `9` SS QF QKpG`үDx&H3ҲS!19a>" Nr@ />Sv>qBxev=>B0Ca $B " Bx"Jv!Eb}c!T(+ AD B HF.h" Æ J}mmF "&z  A .. 2   (1 2=RS*is H2HHAdobe Photoshop CS3 Macintosh2008:08:31 03:04:26 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Kmunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/Library-ShowFonts.tif0000644006131600613160000001036011361646373030665 0ustar bcpiercebcpierceMM*d**) @$ aPh$! "Q8EqXr5GJBL;'JeRdH䤙tm7I ys?Pe3҅GQ)&OR!WVAMm_i!ZOX*mr*.Ejn*ce>B\"' |iDKU@y0U+^;yH.`ם[w$?UȪ]_w>ܶbR>M85~| ]^(W0k$)ƒ,*C)?  )q[4ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Kmunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWSheetController.classdescription0000644006131600613160000000037111361646373033466 0ustar bcpiercebcpierce{ Actions = { "openSheet:" = id; "closeSheet:" = id; "messageDelegateAndCloseSheet:" = id; }; Outlets = { sheet = NSWindow; parentWindow = NSWindow; delegate = id; }; ClassName = BWSheetController; SuperClass = NSObject; } unison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/Inspector-ButtonBarMode3.tif0000644006131600613160000001163211361646373032070 0ustar bcpiercebcpierceMM*9> P8$ BaPd6DbQ8V`HŤR9$M'?oʠO8 7 'C7PhT:% 9_聿`uTձH lV;$}Msյ")o88w4//Hpz<ep P`8{; :@r $`PP{ VZ6ii",j_A!/r_NaL@P`g\PG*H o0׀A )cbehoEAG`Rj%[f~;8 #ăӞx(܃Zo$`$ bnAP#p ` `#Q2>(126=RSJis HRHHAdobe Photoshop CS3 Macintosh2008:07:02 01:14:51 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Kmunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/Inspector-ButtonBarMode2.tif0000644006131600613160000001153411361646373032070 0ustar bcpiercebcpierceMM*9> P8$ BaPd6DbQ8V`HŤR9$M'?oʠO8 7 'C7PhT:% 9_聿`uTH lV;$}mMsյ")o88w4/oHpz<ep!P`8{; :<r2 $@pPP{; Vb6iiB,h`A/r_>aL@P`g]vPG"F F o0׀A8 u)xcbei`T"NaX@ej y- 9y6H4\GqxW(sI#* @>`pqD XxX2G2X~H)l_bu:3<2mHtxE ! 0{ N@9 s! 2 !G`a8ؖ0d PUczx&D+ 9dG<͕c^?%e+b3ZhѣyƜZcŨlnQk,giŮN M=jƵ,:{EmՉ{l; mvp<:Qn:'++]u\ixA?{'{>|I \w|o?g~w~oUxA`! ߽g &8ׁeM㸧}t jH*`% PNSPBba,47i77a4s/RX1!"q:79"6x=!T.D((j#D ;ɀfEh'!uqLJl|ƨ#$z%`vA ORJI%䞌oBLHH !숔SH$` 5\T7?eDY%ta8~LZ ŕ9J5sc0&6VrM)u5$,vvM<+' $4<SsFX:rւAT ?b/5(PR !!x `U)\C{- UGhAty@R)-'|JSZF! (UI JlK2p/~HjT&@"@ȫ59>2>(12=RS is HHHAdobe Photoshop CS3 Macintosh2008:07:02 01:39:17 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Kmunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/Inspector-ButtonBarMode1.tif0000644006131600613160000001137011361646373032065 0ustar bcpiercebcpierceMM*\9> P8$ BaPd6DbQ8V`HŤR9$M'?oʠO8 7 'C7PhT:% 9_聿`uTH lV;$}mMsյ")o88w4/oHpz<ep!P`8{; :<r2 $@pPP{; Vb6iiB,h`A/r_>aL@P`g]vPG"F F o0׀A8 u)xcbei`T"NaX@ej y- 9y6H4\GqxW(sI#* @>`pqD XxX2G2X~H)l_bu:3<2mHtxE ! 0{ N@9 s! 2 !G`a8ؖ0d PUczx&D+ 9dG<͕c^?%e+b3ZhѣyƜZcŨlti(EOZkNԋkz{F׻fځn{>.h[/oMqw-rn/%A}7QVsa}p+x /u󻷃㨾iju]z/u7^Ĉ{wgIy}3q='}?k`#V 6_4 G z/K !k2f6/hsvpC ޜF>!tHAE(bdC+^^2>)fn(1v2=RSis HHHAdobe Photoshop CS3 Macintosh2008:07:02 01:36:57 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Kmunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/Library-ToolbarItem.tiff0000644006131600613160000001066411361646373031331 0ustar bcpiercebcpierceMM*(**) @$ BaPd6D`%!&-FcQ!oE1$M$1y<]/H R)m%sy!9':$QiS<җOi5 ;g*EbIJ6+UQ )62JFr)W)ВBI6ʉ6mmaUUAA4)i[1\x,j+MREjYB暸6)$PzpG!n "*ܤdp9 6(0Wõ@PFs.΂"F^:d!aB#8l|f $Dوfgu(~GtH~`Fp\? !q`:Bc!aL!b;n RkgW'r tIyBg`',xmB J\fx B%Y^ B f#v'&,v`3AocМ)REX%1rLeaxg0vMfSUT?Pg$(0Be AQr$h25fy ^]} ٢tGQw^mRasݷ~$E_aYAChXo \8)G [F@4yAH2Myqݺnaiv`6P`> ZaB(Xpyl!xoFF}&rݸn[^۷%%^ɳmkH|? %7QDsСb%%X=zaah[@wMyށB: Fl@bP^^! H(vELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000014600000000000011566 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/Inspector-SplitViewArrowBlueLeft.tifunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/Inspector-SplitViewArrowBlueLeft.ti0000644006131600613160000000714211361646373033517 0ustar bcpiercebcpierceMM* P8$ .k cF R-! Gecn:kuzA"I vR=E+PD J$ &agGSς@ZHdI NoJn_ѧŽc.  2(12=RSis HHHAdobe Photoshop CS4 Macintosh2008:12:27 02:50:40 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Kmunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWToolbarItemInspector.nib0000644006131600613160000000750311361646373031665 0ustar bcpiercebcpiercebplist00noX$versionX$objectsY$archiverT$topV-1289=AFNY^jk}~ *456789:;>AMYZ[\]^_`abehkU$null  !"#$%&'()*+,_NSAccessibilityOidsKeys_NSVisibleWindows]NSObjectsKeys_NSClassesValues[NSFrameworkVNSRoot_NSAccessibilityOidsValues]NSClassesKeys\NSOidsValuesV$classYNSNextOidZNSOidsKeys]NSConnections_NSObjectsValues[NSNamesKeys_NSAccessibilityConnectors]NSFontManager]NSNamesValuesS7FTEHUrG;?\NSMutableSet>@7UNSSet:BC(DE .GHIJKL WNSLabel]NSDestinationXNSSource-, O.PQRSTU+WXXNSvFlags_NSNextResponder[NSFrameSizeZNSSubviews+ *) :B[(\] _`abOPcdeLghLYNSEnabledWNSFrameVNSCell[NSSuperview    _{{84, 4}, {180, 19}}lmnopqrstuv\xyzc|[NSCellFlags\NSCellFlags2ZNSContents]NSControlView[NSTextColorYNSSupport_NSDrawsBackground_NSBackgroundColorqAB  PVNSNameVNSSizeXNSfFlags#@& \LucidaGrande34VNSFont7]NSCatalogName[NSColorName\NSColorSpaceWNSColorVSystem_textBackgroundColorWNSWhiteB134WNSColor7YtextColorB034_NSTextFieldCell7\NSActionCellVNSCell34[NSTextField7YNSControlVNSView[NSResponder_`abOPcLhL    _{{8, 6}, {70, 14}}lmnopqs]x@B &!#ZIdentifierɀ"#@&_LucidaGrande-Boldπ$%\controlColorӀM0.6666666667'_controlTextColor34^NSMutableArray7WNSArrayY{272, 27}34\NSCustomView7]inspectorView34_NSNibOutletConnector7^NSNibConnectorGHI \YNSKeyPath_NSNibBindingConnectorVersionYNSBindingYNSOptions106/ 2_?@ABCD_Text Field Cell (Identifier)^Inspector View\File's Owner[Application_Static Text (Identifier)ZText Field_Text Field Cell: =:: @:: C:DEL ]\e . 8 : O:PQRSTUVWXIJKLMNOPQ]pqYOm:Bd(: g:: j:34lm^NSIBObjectDatal7_NSKeyedArchiverpq]IB.objectdata"+5:??Ylz:HVXZ\^`bdfhjlnprtvxz &-3<>CEGX`nwy{}!-.02479;Rw&/13<?LU\av%247@R[hox !#.?ACLNbwy{}  )7@W^m  X e m o r t w y     " $ & ( * 3 5 7 E N S \ ^ k m o q s u w   ) 4 F O Q R [ ] ^ g i | ~    * / =r ?././@LongLink0000000000000000000000000000014700000000000011567 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWTexturedSliderCell.classdescriptionunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWTexturedSliderCell.classdescripti0000755006131600613160000000040011361646373033560 0ustar bcpiercebcpierce{ Actions = { // Define action descriptions here, for example // "myAction:" = id; }; Outlets = { // Define outlet descriptions here, for example // myOutlet = NSView; }; ClassName = BWTexturedSliderCell; SuperClass = NSSliderCell; } unison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/Library-TokenField.tif0000644006131600613160000001502211361646373030757 0ustar bcpiercebcpierceMM* 0uuuuuuϤ񼼼޸ꫴٶ螦ݟܨ֐ӏӏӏӏӎҏӏӏӏӏӎҏӏӏӎӏӏқسں0 |2 `  (1 2 S ćis H HHAdobe Photoshop CS4 Macintosh2008:11:02 06:50:30 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000014600000000000011566 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWAnchoredButtonBar.classdescriptionunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWAnchoredButtonBar.classdescriptio0000644006131600613160000000037111361646373033540 0ustar bcpiercebcpierce{ Actions = { // Define action descriptions here, for example // "myAction:" = id; }; Outlets = { // Define outlet descriptions here, for example // myOutlet = NSView; }; ClassName = BWAnchoredButtonBar; SuperClass = NSView; } unison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/Library-TransparentPopUpButton.tif0000644006131600613160000001114211361646373033413 0ustar bcpiercebcpierceMM*, *Lx  BaPd6DbQ88,pcOR=HdP4_'rG/Le๣loR׬}?B怶5Gge6aC1UWVkQ0eu_6F:ҷgB]ol Db`H)%]_0~€@ iGNsm=`v!kfMz1秆pETxm5܎7ೠV=uaxN&,G񻆃zL0ipk\0;Yv/yo!/yBoB@H&h3I0[Hiˆ^e8!ܮℰ%EyRDiăDLET1h1 %iVR~BIWD)@O༌I%hU'GtJ6EADlLbyqM, 6J$Ө;3̣)ʃ(7)?.3X$ rp\z "M$ N`qQ(QS5Lt HSdjFi A@Bpbк1D#O}lZڕIE07e 7Ym\B8/0Hg7yש{m4 cZUjG7*)0J8Չ8{~%35ɂ aE6\n&,f"ŧH4v߃FQ[9 r)>' V뇒 ˛!ʇ@;n_Z%Pr`PIYf>/cVɜyŋm ^㢓iJD2O>͝b4.uUȡ[0ALPKچ?`8-  >L8"ryߔbaʝfg5<`\K*bewNV-L,~ v9f3|lH9,RO`qJ@(&`V#!;!= 5N P cÜ ?G= CXb?h a07R"A -]8cw0 Cxj Ie &v` gkpxcO\C= *G"3ı!´R.9=DޒR$+HE#d|!FIY<ĚQ)1@VS(2]Y[-ȐED, 2(12=Sis HHHAdobe Photoshop CS3 Macintosh2008:05:18 00:14:06 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Kmunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/Library-VerticalSplitView.tif0000644006131600613160000001446211361646373032362 0ustar bcpiercebcpierceMM* 00.k BaPd6DbQ8D ~A1U+Hc9$~cE,%UHJJO)0!"К_WG*g ҇Elxy4M6Bۏz}JOu"j5:Z>ZoKl0b \he]$wޯmdꓛ |P([@g!DRɯhZT_2TmV `}ȇ1AK}σxpn^ws no8Z<+V9ރ>iޅ=30C0s"vQ&iA {AaXǞh\ű|b|q G aLS1lƏxUqvǥl~)2)l$`' qTXғ0mʩ)-G:HOdGwPѸ %ɨz0Jrƈ 9GQ{,?!:`Z(cET{ز 8Z1jfavXW}aeTU%TLV8X(f}PM_cY-Ov]bx@ }X0i ap i,jGzAQtjCA5 , POC< aAp"DH,AF(Y? 0c䄂 phf~XX0n؅p j.cc6ѹ hs߫8m?"8'!v+8A`AB=x>cC8!9XBFGHn#@`%ƴ3@a餈$2h4 ,fOR\K/xaGl8x¨m Ad̹A0ZMIs%8! {͏1 cd @X =!4)0,Ơ !7ÀF­0JCȋlLj(^kCPa `@b>!fqqUl'U N䗧M [{^ܲ:D@a0!z6{_8ă26/`w0@J8 j  IVA@@ |[X mp~d$P4*@ "CCbA@'!rN!,8 axAo]0'=J?R a64x&l#@N@ A1f4F @kGV}Ȱ7@46pH0 @xX !8`HDa4-!`CWqQ&o XD$ h`d: Bm!poC#0hm;lBFrfB>(vp&?G/oyb~QnO+!.4! V4tt~?7# 4.A/"_ >.1)\," : ǎ(A/nܻ3!`<XPA&& Do,~[3F;< `| o2+`>  1;q { 慯 ~{B@h\ Dv". ~.  88aB!  X!/6 0 !*\A`a!xf#K{",dM&yCD,a t m l  ЉAp%1 aP 0 B5@ a !m `[4  p P!#80 P ˓qЩ",bm (»Ԃ p 1t WCBlSXL1=qj pt 11Dqq "U9Qq1H1!sb 2  ``z*!mPAl41 @F q$`$ "36H:,r?$" -"-#=}R=$E$L Q'2vDrzn](c&rk"O#!r_(!q$*!*b*lAzd+R*Ұ !Rff"As/02#iPa]0sH00 2 t  (1 2 =S is H HHAdobe Photoshop CS3 Macintosh2008:08:28 04:56:19 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Kmunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/Inspector-ButtonBarMode3Pressed.tif0000644006131600613160000001175211361646373033421 0ustar bcpiercebcpierceMM*N9> P8 A0d6DbQ8V-D_8";0l "c2d]/E7 y s8\ 2P Of4e6O7ꬶ~Z7 G-.>o\bowtJ7t!/ ~FKt``BPb:2wrU جrl.u&#p(%tzPs)^`Y,Ae<#"јf-*MDR!^c@_EP@`l p? ^,ql\P힤"l%(VDD|+9rT| ʛ%| BmC 0h jlV䜮 J6%z[v8Eˢ}=["q?'^3POGk{O0W K?` "0Ax0`SN`Zˆ42% !5vp :uЄDDD !К(:x Ȕ-}&X\_0zD% afƨ!t<9GG;s+~0"eqE7 $оCE䫍L!'d%.2QK\N9ʶ+H2Yʩl%R=)}/弌r<Q/b mSL991cS&9Ԅly棞n=NB"8qvzL3c|!tna?X 5dcB~4@Zwl4{Jiw, z`5g(* EhZPVEe"4SZT9oY;i- k*nާtvLIE:ԺEE% !~2ryT3C`S`ZHz+eh5.e]$UvN]k6 큰A8?1N@ frbül3(ݐ @1Xe*˻"> crH' J/`+ I!M!|n^1#9>P2>X`(1h2=RSis HHHAdobe Photoshop CS3 Macintosh2008:07:02 01:23:05 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Kmunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/Library-AddMiniBottomBar.tif0000644006131600613160000001504611361646373032060 0ustar bcpiercebcpierceMM* .. @( A`8,6DbQ8V-Fc@|Gx(> rd]/C_0W4Fc?PhS W )*VWQ`@-j x(Z ..dE`U: \  Ҳ6%q?q1^+r+ \dI _XhZꍏſ1r:6Yv$g`RLfl4 0Pk5ʋ}?m=w@  0Ρ.48 6nJ;6I)j/t`޽`!*L ǀ 2cӰpX({/p1G (<^MOs16H8 D~" 3J52R,{w,Qŝ8żY+":{2i?LLtπed3bWB JfT&B q1$  0 \4 HO ҅Pd.G@%}?):\@~Gɿ ~@&"&Zp*|t0hd`Ƙq P9&DLt1$jjw-4 G`\ ȣP;ِ(Cz~EbN+!E} "r0e 4G@3E.l >(GaN-! aA`&?k. M@#JfGB"`PihȭJ*OJ)j"pH #:1G ,ё[`1jv1] $ *ŀ-< ` umj[s6D ;uC 6@̐VSチT<aoӂ\q))G -PW []n\H @=k4#ŧr}(飅vّvW1%jOk Ir"Ǭ~=vЮE(|Rjح¨ э[ f|5t0> J 1pc&nͲ2\Id s(ž(ey OX ]F [ˠ=3)Y!73{@vn&\ * wupsO,ÆpMZjUfr7ؿ;#ҺV5\8$9XH05^_oZV6u%Sڿ;논nasi!oh].0sjݯ:pO_RngXvq\Swϗ9ۜ *Qz_t.+8 ‡o7z+ͽOj 0m3҈ w[, 5u-zxKt s<31[X7 y (]GNa;pKw. Cк~>#_s7Os8ai m'~V|rvc}w|m$^/,o.t$N"Goˏ\޺NB7ݏޤ6*$qH Vfk*Ի/o/4Y d #b,A o!=  pN@e~cPb0"n"p   AyNGpg q,&«4ghGp2k( #* @' `j9:@1 P jS W]@` B x#4Q/ ъllW1A1FZr nP f @R O"!Q"Glw+#W=p- :A0&gr& ! _'$s0)(Y)Ҡ/*jELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Kmunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/Library-TexturedAddButton.tif0000644006131600613160000000764411361646373032357 0ustar bcpiercebcpierceMM* @ÄDbQ8V-D1R<@  e@lS8m7DӰ|Y@: 5Gi@6sOTi:wW!kOve4XlV8GZ@Kerd\l6uo\UM8;k`fdD52XW-YH=h@ m&r.f z4X@[NsKQV2\ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Kmunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/Library-TransparentCheckboxCell.tif0000644006131600613160000001120211361646373033477 0ustar bcpiercebcpierceMM*, *Lh  BaPd6DbQ88,pcOR=HdP4_'rG/Le๣loER׬M?>#2BT%6h 58>7VG5B~yX` 6W2oyZ88:mSɸoz`a+qXUmi`+ ^!'SELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Kmunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/Library-TexturedSlider.tif0000644006131600613160000001144411361646373031706 0ustar bcpiercebcpierceMM*. P8$ BCcaU"BHH@7FcQv=<$NWT֔.ҵL`aI76'G 02RiT|T@ڠW-+Hu(7͔a'Ķ4}\@w^,w_@.U `?0J r`2fS T;MuT*#\g@ ͦG' nCmkj7 F`e@}qA m܄M*9=@ AB?0c p-&0)&VAr*pi߆ #hjÀS(flP qfGTA( qǼ)h$2F8(<sHx̀)7tc;bs2? aHCH`a,"F@&'ĞQe=3CLԎ9`d AXc5!\#%͌LqQM4'B`ZkŴ 5qG^WkKTBPAy=DyK_N:\ ``Idk*;BGi(MϛFtt቟ct(-x9ɇN"@4.  dYH%H%*ywCE^L )ՊWf՝ 0Ň8m\ir˼oB9g7nE̠K<0fTAk ndFNp#<?Owk[a^i3'$}{FJ0n mJl( 8ϦfPA!7pi%BgѠC(2* Z~(E:$a]9pn(6 !ªQp#uZQ  @ ,00"_<#-ˍuظ pH@y!x`"2a_qRGQ>-cg `'ƀ-P0\F*S܍ޱ>ջ, Ajrl< #Ap)zF,5a/+4 "U-ÉP2 l\aHF6r~PWH4XJnj͂k% %Լ Nhr* ArvߖZf *FDg9X@4Z"rP#lBcwȑ8h AGiQHT0 ([DRa IE?!Dx.2U(12=RSԇis HHHAdobe Photoshop CS4 Macintosh2008:11:02 21:27:26 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Kmunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWHyperlinkButtonInspector.nib0000644006131600613160000000722111361646373032602 0ustar bcpiercebcpiercebplist00`aX$versionX$objectsY$archiverT$topR-1289=AFNY^jk}~ &'()*+,-03?KLMNOPQRSTWZ]U$null  !"#$%&'()*+,_NSAccessibilityOidsKeys_NSVisibleWindows]NSObjectsKeys_NSClassesValues[NSFrameworkVNSRoot_NSAccessibilityOidsValues]NSClassesKeys\NSOidsValuesV$classYNSNextOidZNSOidsKeys]NSConnections_NSObjectsValues[NSNamesKeys_NSAccessibilityConnectors]NSFontManager]NSNamesValuesO3BPADQrC78N9./0[NSClassName_BWHyperlinkButtonInspector3456Z$classnameX$classes^NSCustomObject57XNSObject_IBCocoaFramework:;?\NSMutableSet>@7UNSSet:BC(DE .GHIJKL WNSLabel]NSDestinationXNSSource-, O.PQRSTU+WXXNSvFlags_NSNextResponder[NSFrameSizeZNSSubviews+ *) :B[(\] _`abOPcdeLghLYNSEnabledWNSFrameVNSCell[NSSuperview    _{{84, 4}, {180, 19}}lmnopqrstuv\xyzc|[NSCellFlags\NSCellFlags2ZNSContents]NSControlView[NSTextColorYNSSupport_NSDrawsBackground_NSBackgroundColorqAB  PVNSNameVNSSizeXNSfFlags#@& \LucidaGrande34VNSFont7]NSCatalogName[NSColorName\NSColorSpaceWNSColorVSystem_textBackgroundColorWNSWhiteB134WNSColor7YtextColorB034_NSTextFieldCell7\NSActionCellVNSCell34[NSTextField7YNSControlVNSView[NSResponder_`abOPcLhL    _{{8, 6}, {70, 14}}lmnopqs]x@B &!#SURLɀ"#@&_LucidaGrande-Boldπ$%\controlColorӀM0.6666666667'_controlTextColor34^NSMutableArray7WNSArrayY{272, 27}34\NSCustomView7]inspectorView34_NSNibOutletConnector7^NSNibConnectorGHI \YNSKeyPath_NSNibBindingConnectorVersionYNSBinding102/ _5value: inspectedObjectsController.selection.urlStringUvalue_.inspectedObjectsController.selection.urlString34_NSNibBindingConnector7_NSNibBindingConnector^NSNibConnector:6e\L] 4 ./5]NSApplication347: 6]\L L  :6L ]\e 4 :6 !"#$%:;<=>?@^Inspector View\File's Owner_Static Text (URL)[ApplicationZText Field_Text Field Cell (URL)_Text Field Cell:/6:26:56L ]\eED 4 . :A6BCDEFGHIJEFGHIJKLMqYO]mp:BV(:Y6:\634^_^NSIBObjectData^7_NSKeyedArchiverbc]IB.objectdata"+5:?7Qdr 2@NPRTVXZ\^`bdfhjlnpr{   ")/8:?ACT\jsuwy{)*,.0357Ns"+-/8;HQX]r!.03<NWdkt #468ACWlnprt,5LSb / 8 P W o ~      " 1 3 5 7 9 ; = ? N [ o {        " $ & ( * , . 7 9 ; = ? A J L M V X Y b d e n } d unison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/Library-TransparentSlider.tif0000644006131600613160000001035611361646373032404 0ustar bcpiercebcpierceMM*b, *Lx  BaPd6DbQ88,pcOR=HdP4_'rG/Le๣loR׬}?B怶5Gge6aC1UWVkQ0eu_6F:ҷgB]olͼC+uVA6vՇbo<62F-ffYtџh^Z:AzHnpjqjέv~p kZ̅Po+ݲAסlongHG.AɆ<1q͓́ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000014600000000000011566 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWSelectableToolbar.classdescriptionunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWSelectableToolbar.classdescriptio0000644006131600613160000000037411361646373033565 0ustar bcpiercebcpierce{ Actions = { // Define action descriptions here, for example // "myAction:" = id; }; Outlets = { // Define outlet descriptions here, for example // myOutlet = NSView; }; ClassName = BWSelectableToolbar; SuperClass = NSToolbar; } ././@LongLink0000000000000000000000000000015000000000000011561 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWAddRegularBottomBar.classdescriptionunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWAddRegularBottomBar.classdescript0000644006131600613160000000037311361646373033472 0ustar bcpiercebcpierce{ Actions = { // Define action descriptions here, for example // "myAction:" = id; }; Outlets = { // Define outlet descriptions here, for example // myOutlet = NSView; }; ClassName = BWAddRegularBottomBar; SuperClass = NSView; } ././@LongLink0000000000000000000000000000015300000000000011564 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWTransparentPopUpButton.classdescriptionunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWTransparentPopUpButton.classdescr0000644006131600613160000000040511361646373033606 0ustar bcpiercebcpierce{ Actions = { // Define action descriptions here, for example // "myAction:" = id; }; Outlets = { // Define outlet descriptions here, for example // myOutlet = NSView; }; ClassName = BWTransparentPopUpButton; SuperClass = NSPopUpButton; } unison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWAddMiniBottomBar.classdescription0000644006131600613160000000037011361646373033470 0ustar bcpiercebcpierce{ Actions = { // Define action descriptions here, for example // "myAction:" = id; }; Outlets = { // Define outlet descriptions here, for example // myOutlet = NSView; }; ClassName = BWAddMiniBottomBar; SuperClass = NSView; } unison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/Library-InsetTextField.tif0000644006131600613160000001206611361646373031633 0ustar bcpiercebcpierceMM*, P8$ ,8: DE > FcQv={^.i#]'c5%KSQuB2 Zs:|@:$GRco`B<@mT#ݘC~\@w^oWC0@<XTH69?<|mM@@>0l%:ېBjB:tQǁ=M Dnnvx@ o"=Y9 }Dtp&;8ysdP"Ωn 6`[ 30\)D<Q?Ă@#LT7'r&q8,K 1} -YX0z5HBK-B1&rP-F[8#'f8qGPMׂ&)@}҆>@@HWkyb@F;Ɗ $C ֹELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Kmunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/English.lproj/0000755006131600613160000000000012050210656027326 5ustar bcpiercebcpierceunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/English.lproj/BWToolkitLibrary.nib0000644006131600613160000011531011361646373033241 0ustar bcpiercebcpiercebplist00 !X$versionX$objectsY$archiverT$top6-1278<@KSy 34569:>CVZenouyz{|}~   -1:;IMNOPQRVW\os~ -./3789JKLOP`abcmr !%&3459:;LMNQRW\]`ex|v  #&)/38KOZcdjnopqrswx)*1258ABILUV_hips|}   '(1:CDEIJKLPQY^mqux{~,v         ! s                  U$null  !"#$%&'()*+,_NSAccessibilityOidsKeys_NSVisibleWindows]NSObjectsKeys_NSClassesValues[NSFrameworkVNSRoot_NSAccessibilityOidsValues]NSClassesKeys\NSOidsValuesV$classYNSNextOidZNSOidsKeys]NSConnections_NSObjectsValues[NSNamesKeys_NSAccessibilityConnectors]NSFontManager]NSNamesValues304߁562./0[NSClassNameXNSObject3456Z$classnameX$classes^NSCustomObject51_IBCocoaFramework9:;ZNS.objects34=>\NSMutableSet=?1UNSSet9AB!CDEFGHIJ >]m{̀LMNOPQRWNSLabel]NSDestinationXNSSource=<3 TUVWXYZ[\]^_`abcdefghi+k++nopn+s+uvwxUlabel_initialCategoryPath_briefDescription_fullDescriptionXsubtitleWNSFrame]draggableView_representedObject[NSSuperviewXNSvFlagsZidentifier_NSNextResponder_filterableNamesXNSWindow[draggedViewZNSSubviews_animationScalingMode_representativeTemplateForClass#1%&"  $  2\]._zac{|}~ss[NSFrameSize 9A! Y\]_aRRsYNSEnabledZNSEditableVNSCell[NSDragTypes    9:_Apple PNG pasteboard type_Apple PDF pasteboard type_NSFilenamesPboardType_Apple PICT pasteboard type_1NeXT Encapsulated PostScript v1.2 pasteboard type_NeXT TIFF v4.0 pasteboard type_{{17, 28}, {46, 23}}vvw[NSCellFlags\NSCellFlags2WNSAlignWNSScaleZNSContentsWNSStyleYNSSupportZNSAnimates.^NSResourceNameWNSImage_Library-TexturedSlider34_NSCustomResource1VNSNameVNSSizeXNSfFlags#@*\LucidaGrande34VNSFont134[NSImageCell1VNSCell34[NSImageView1YNSControlVNSView[NSResponder34^NSMutableArray1WNSArray_{{325, 461}, {80, 80}}_Textured Slider_$53C781D8-3B5C-4138-B642-034072DEADC0_)A textured variant of the standard slider\NSAttributesXNSString(0'_A textured variant of the standard slider that includes commonly used indicators. Appropriate for placement in the window frame (toolbars and bottom bars).9WNS.keys/)*+-_NSParagraphStyleVNSFont+ZNSTabStops[NSAlignment,34_NSParagraphStyle1_NSParagraphStyle.#@(YHelvetica34\NSDictionary134_NSAttributedString1_NSAttributedString_Window Frame Elements34  _IBLibraryObjectTemplate 1_IBLibraryObjectTemplateY\.]_a nns_NSOriginalClassName 67 4 ;5_BWTexturedSliderXNSSlider_{{413, 487}, {96, 21}}. ! "#$%v&Q()*,v-.ww2]NSControlViewZNSMaxValueZNSMinValue]NSAltIncValue_NSNumberOfTickMarks_NSTickMarkPosition_NSAllowsTickMarkValuesOnlyZNSVerticalWNSValue:3#@Y#8#9;#@I_BWTexturedSliderCell\NSSliderCellP3478^NSClassSwapper71[draggedView34;<_NSNibOutletConnector;=1^NSNibConnectorLMNOPAB=?&&B&GHK@::s:pe.Kt_NSRemoveOnTexture_{{108, 341}, {80, 80}}_Round Textured Button (Remove)_$20C1E0BD-DE16-44A5-B174-C86CE77CB4B5_:A standard Round Textured button with a large minus image.U(0z_A standard Round Textured button with a large minus image. Appropriate for regular-size Round Textured buttons. For small-size buttons, use the NSRemoveTemplate image.LMNOYZ[=ˀ|TUVWXYZ[\]^_`abcde]^_`+b++nfgn+s+lvwx  }29Aq!r~Y\]_auw[y[s} | |9:_{{16, 27}, {48, 26}}vvv ._Library-SelectableToolbar_{{20, 461}, {80, 80}}_Selectable Toolbar_$1228EAF2-6A18-4AEB-BE43-02E809D39677_ A toolbar with selectable items.(0_uA toolbar with selectable items. For use in preferences windows, tabbed sheets, and other windows with multiple tabs.UOther. +w--_NSToolbarDelegate_NSToolbarIBAllowedItems_NSToolbarPrefersToBeShown_NSToolbarAutosavesConfiguration_NSToolbarSizeMode_NSToolbarDisplayMode_NSToolbarIdentifier_NSToolbarIBDefaultItems_ NSToolbarAllowsUserCustomization_NSToolbarShowsBaselineSeparator_NSToolbarIBIdentifiedItems_NSToolbarIBSelectableItems ;ɀ _BWSelectableToolbarYNSToolbar_$09D11707-F4A3-4FD5-970E-AC5832E91C2B9ĀƧÀˀ_NSToolbarSeparatorItem_$7ECC0489-6EC7-423A-A4F0-EB26A45193E0_$CE72C84A-FB66-447C-AEBB-C6E30C3A95F1_NSToolbarSpaceItem_$7E6A9228-C9F3-4F21-8054-E4BF3F2F6BA8_$0D5950D1-D4A8-44C6-9DBC-251CFEF852E2_NSToolbarFlexibleSpaceItem+++v++_NSToolbarItemLabel_NSToolbarItemPaletteLabel_NSToolbarItemAction_NSToolbarIsUserRemovable_NSToolbarItemView_NSToolbarItemAutovalidates_NSToolbarItemTag_NSToolbarItemToolTip_NSToolbarItemEnabled_NSToolbarItemIdentifier_NSToolbarItemVisibilityPriority_NSToolbarItemTarget_NSToolbarItemMinSize_NSToolbarItemImage_NSToolbarItemMaxSize_#NSToolbarItemMenuFormRepresentation  PYSeparatorW{12, 5}Z{12, 1000}\NSMixedImage_NSKeyEquivModMaskYNSOnImageZNSKeyEquiv]NSIsSeparator\NSIsDisabled]NSMnemonicLocWNSTitle . _NSMenuCheckmark._NSMenuMixedState34ZNSMenuItem134_NSToolbarSeparatorItem1_NSToolbarSeparatorItem]NSToolbarItem. ++&%&+(v)+( : ;_BWToolbarShowColorsItem]NSToolbarItem012YNS.string_$7ECC0489-6EC7-423A-A4F0-EB26A45193E03445_NSMutableString461XNSStringVColorsV{0, 0}. ::++&BC+(vF+( : ;_BWToolbarShowFontsItem]NSToolbarItem01N_$CE72C84A-FB66-447C-AEBB-C6E30C3A95F1UFontsR+++v+[\+^_ USpaceW{32, 5}X{32, 32}ek䀟 34no_NSToolbarSpaceItempq1_NSToolbarSpaceItem]NSToolbarItemss+++{v+(~( 01_$7E6A9228-C9F3-4F21-8054-E4BF3F2F6BA8XAdvanced.ZNSAdvanced34]NSToolbarItem1]NSToolbarItem+++v+(~( 01_$0D5950D1-D4A8-44C6-9DBC-251CFEF852E2WGeneral._NSPreferencesGeneral+++v++ €ŀÀ^Flexible SpaceV{1, 5}[{20000, 32}䀟 34_NSToolbarFlexibleSpaceItem1_NSToolbarFlexibleSpaceItem]NSToolbarItem34_NSMutableDictionary19̀ȧˀ34֢19Aـ!ˀ9A߀!_representedObjectLMNOP=<ۀTUVWXYZ[\]^_`abcde^+++nn+s+vwxր؀ـՀ  ׀ 29A!Y\]_as Ҁ ̀9: _{{16, 29}, {48, 22}}vvvӀ .Ԁ_Library-TokenField_{{20, 221}, {80, 80}}[Token Field_$562AAA23-F360-49A2-AA82-8E646AA21074_'Token field with a gradient appearance.$(0_'Token field with a gradient appearance.'Y\.]_a )*n,-ns12_NSTokenFieldVersion  ;݀\BWTokenField\NSTokenField9:78_NSStringPboardType_{{108, 250}, {96, 22}}.<= >?@vAEFIJKv_NSDrawsBackgroundZNSDelegate_NSCompletionDelay\NSTokenStyleaۀ;Y ۀ#_BWTokenFieldCell_NSTokenFieldCellP0PUV#@(Z[UX_textBackgroundColor_XB1LMNOPcd=<TUVWXYZ[\]^_`abcdef^hi+k++nopn+s+uvwx􀊀  29Az!{Y\]_a~dds  9:_{{25, 31}, {29, 13}}vvv ._Library-StyledTextField_{{325, 221}, {80, 80}}_Styled Text Field_$14FD297F-C8CA-4E25-9ECD-1CBDE7D2781A_5A text field with a customizable gradient and shadow.(0_5A text field with a customizable gradient and shadow.Y\]_anns   _{{418, 251}, {38, 20}}c_BWSTFCShadowColor_BWSTFCPreviousAttributes_BWSTFCShadowIsBelow_BWSTFCHasShadow_BWSTFCSolidColor_BWSTFCHasGradient_BWSTFCStartingColor_BWSTFCEndingColor  @ @  RT̀#@._MarkerFelt-ThinWNSImageX VNSReps\NSImageFlags   X{38, 17}9Aހ!߁9Ȣ_NSModelPixelLogicalRect_NSModelPixelDrawingRect_NSTIFFRepresentation WNS.dataO'BMM* iuiuitiuiuiuiuiuiuiuiuiuiuitiuiuiuiuitiuiuiuiuiuiuiuiuiuiuitiuiuiuiuitiuiuiumymxmynymymxmxmymxmynymymxmymymymymxmynymymxmxmymxmynymymxmymymymymxmynymymxq|q}q|q|q|q}q|q}q}q|q}q}q|r}q}q|q|q}q|q|q|q}q|q}q}q|q}q}q|r}q}q|q|q}q|q|q|q}uuuuuuuuuuuuuuuuuuuuuuuuuuuuuuuuuuuuuuwwwwwwxwwwwwwwwwwwwwwwxwwwwwwwwwwwwwww{{{{{{{z{{z{{{{{{{{{{{{z{{z{{{{{{{{{{{~~~~&  RS ևsd dapplmntrRGB XYZ  acspAPPL-applAa\0ʹsrXYZPgXYZdbXYZxwtptchad,rTRC gTRC  bTRC aarg aagg aabg0 vcgtP0ndin8descddscmmmod(cprt@$XYZ yz@H@XYZ VlSoXYZ &e}XYZ sf32 W)curv #(-27;@EJOTY^chmrw| %+18>EKRY`fmu| %.7@JS\fpy  +7BMYep|,9FTao| (7GVet$5EVgx'9L^p/BVj~ ! 6 K ` u " 9 O e |   4 K c { $ = V n  : T n  'B]x:Vr;Xv (Fd<[z9Yz>_)Km=`5Y}4Y}8^Cj-T|Cl7`0Z-X  0 [ ! !7!c!!!""B"p"""#%#S###$ $:$i$$$%$%T%%%&&B&r&&''4'e'''(*([((()")U)))**R***++R+++,",V,,,-)-^---.3.i../ /A/w//00R000101g1122H2223*3c3344H444505j5566U6677B7~77818m889#9`99::T::; ;K;;<>>~>>????@@A@@AAGAAB BNBBCCXCCD!DeDDE0EtEEF@FFGGSGGH#HiHHI;IIJJUJJK*KqKLLHLLM MhMMNBNNOOgOOPEPPQ$QnQRRORRS1S|STT`TTUFUUV,VzVWWbWWXLXXY8YYZ$ZtZ[[c[\\S\\]D]]^7^^_,_~_`"`t`aalabbebc c`cdd\deeZeffYfggZghh\hi i_ij jdjkkkkllslm#m|mn.nno:oopGppqVqr rfrssxst/ttuCuuvYvwwpwx+xxyEyzz`z{{}{|<||}[}~~|~=`#Ipӄ6`Æ'TL|H{H~MV(d͔7 uJ bΙ:~WĜ1 yUß1}[ˢ:jۥL.eةJ/oVˮ?(q]ӳI6$yiZҺKĻ>0$vmf_YSNJGECBABCDGJNSX^emuۈܓݞ$ު1߷>LZjz%8L`u,D\u7So9Yx)Kncurv #(-27;@EJOTY^chmrw| %+18>EKRY`fmu| %.7@JS\fpy  +7BMYep|,9FTao| (7GVet$5EVgx'9L^p/BVj~ ! 6 K ` u " 9 O e |   4 K c { $ = V n  : T n  'B]x:Vr;Xv (Fd<[z9Yz>_)Km=`5Y}4Y}8^Cj-T|Cl7`0Z-X  0 [ ! !7!c!!!""B"p"""#%#S###$ $:$i$$$%$%T%%%&&B&r&&''4'e'''(*([((()")U)))**R***++R+++,",V,,,-)-^---.3.i../ /A/w//00R000101g1122H2223*3c3344H444505j5566U6677B7~77818m889#9`99::T::; ;K;;<>>~>>????@@A@@AAGAAB BNBBCCXCCD!DeDDE0EtEEF@FFGGSGGH#HiHHI;IIJJUJJK*KqKLLHLLM MhMMNBNNOOgOOPEPPQ$QnQRRORRS1S|STT`TTUFUUV,VzVWWbWWXLXXY8YYZ$ZtZ[[c[\\S\\]D]]^7^^_,_~_`"`t`aalabbebc c`cdd\deeZeffYfggZghh\hi i_ij jdjkkkkllslm#m|mn.nno:oopGppqVqr rfrssxst/ttuCuuvYvwwpwx+xxyEyzz`z{{}{|<||}[}~~|~=`#Ipӄ6`Æ'TL|H{H~MV(d͔7 uJ bΙ:~WĜ1 yUß1}[ˢ:jۥL.eةJ/oVˮ?(q]ӳI6$yiZҺKĻ>0$vmf_YSNJGECBABCDGJNSX^emuۈܓݞ$ު1߷>LZjz%8L`u,D\u7So9Yx)Kncurv #(-27;@EJOTY^chmrw| %+18>EKRY`fmu| %.7@JS\fpy  +7BMYep|,9FTao| (7GVet$5EVgx'9L^p/BVj~ ! 6 K ` u " 9 O e |   4 K c { $ = V n  : T n  'B]x:Vr;Xv (Fd<[z9Yz>_)Km=`5Y}4Y}8^Cj-T|Cl7`0Z-X  0 [ ! !7!c!!!""B"p"""#%#S###$ $:$i$$$%$%T%%%&&B&r&&''4'e'''(*([((()")U)))**R***++R+++,",V,,,-)-^---.3.i../ /A/w//00R000101g1122H2223*3c3344H444505j5566U6677B7~77818m889#9`99::T::; ;K;;<>>~>>????@@A@@AAGAAB BNBBCCXCCD!DeDDE0EtEEF@FFGGSGGH#HiHHI;IIJJUJJK*KqKLLHLLM MhMMNBNNOOgOOPEPPQ$QnQRRORRS1S|STT`TTUFUUV,VzVWWbWWXLXXY8YYZ$ZtZ[[c[\\S\\]D]]^7^^_,_~_`"`t`aalabbebc c`cdd\deeZeffYfggZghh\hi i_ij jdjkkkkllslm#m|mn.nno:oopGppqVqr rfrssxst/ttuCuuvYvwwpwx+xxyEyzz`z{{}{|<||}[}~~|~=`#Ipӄ6`Æ'TL|H{H~MV(d͔7 uJ bΙ:~WĜ1 yUß1}[ˢ:jۥL.eةJ/oVˮ?(q]ӳI6$yiZҺKĻ>0$vmf_YSNJGECBABCDGJNSX^emuۈܓݞ$ު1߷>LZjz%8L`u,D\u7So9Yx)Knparaff Y paraff Y paraff Y vcgtndin0WJ@&w[P@T@333333desc Cinema HDmluc nlNLdaDKplPLenUSnbNOfrFRptBRptPTzhCNesESjaJPruRUsvSEzhTWdeDEfiFIitITkoKRCinema HDmmod)textCopyright Apple, Inc., 200934]NSMutableData1VNSData_{{0, 0}, {38, 17}}_{{0, 0}, {38, 17}}34[$classhints_NSCGImageSnapshotRep1_NSCGImageSnapshotRepZNSImageRep_NSCachedImageRepXD0 034WNSImage1-UNSRGBXF1 1 19 Ƥ  [_NSParagraphStyle^NSOriginalFont+_NSLineBreakMode34_NSMutableParagraphStyle1_NSMutableParagraphStyle_NSParagraphStyle-"XO'0.3297149255 0.3792172715 0.4336734694-%XO'0.5606473666 0.6053889737 0.6581632653-(XO'0.4925371362 0.5449991733 0.591836734734*+_BWStyledTextFieldCell,-.1_BWStyledTextFieldCell\NSActionCellVNSCell3401_BWStyledTextField21_BWStyledTextFieldLMNOP67=<(TUVWXYZ[\]^_`abcde9^;<+>++nBCn+s+Hvwx#%&"  $ 29AM!NY\]_aQS7U7sY   9:\_{{17, 15}, {48, 48}}efvvgv  .l!_Library-GradientBox_{{325, 99}, {80, 80}}\Gradient Box_$84808563-9092-468B-9958-81BD93D1E464_QA box with a gradient or solid appearance and options for border and inset lines.v(0'_QA box with a gradient or solid appearance and options for border and inset lines.yz{|Y}~\]_anns_BWGBFillStartingColor_BWGBTopInsetAlpha]BWGBFillColor_BWGBFillEndingColor_BWGBBottomBorderColor_BWGBHasBottomBorder_BWGBHasGradient_BWGBHasTopBorder_BWGBBottomInsetAlpha_BWGBTopBorderColor*">,+).  "/-_{{421, 45}, {177, 134}}-XO'0.6757685227 0.7219481306 0.7653061224-XO&0.5137671852 0.568490517 0.6173469388-XO'0.6196008614 0.6611920051 0.7193877551-XO'0.5576646639 0.5988924899 0.6428571429-XO'0.4278436609 0.4794251509 0.520408163334]BWGradientBox1]BWGradientBox9ȯFNRrcZYw^SQ[64*7{dAnB7 16~ҀAbQ9D?CFJMOREV3Z^bṕf^kn`|(To3Lrρ8 niQۀM ?mY\]_anns 23  5 _{{20, 187}, {214, 17}}@@41\YT_Hyperlink Button341Y\]_an ns 78  5 _{{20, 309}, {214, 17}}@@ց6\YTY\]_aw!"n$nvs'(YNSBoxType]NSTransparent\NSBorderType_NSTitlePosition[NSTitleCellYNSOffsets:>  ;_{{325, 547}, {282, 5}}+v,.I<\=SBox4XM0 0.800000013467UNSBox61Y\]_aw:"n$nvs?(@> A_{{20, 427}, {282, 5}}Cv,FI<\BKXM0 0.80000001MNO@@DE\YT[PreferencesY\]_aXn[ns UC  5 Y\]_awa"n$nvsf(G> H_{{325, 307}, {128, 5}}jv,mI<\IrXM0 0.80000001Y\]_aunxns KL  5 _{{325, 309}, {138, 17}}~f@@J\YT./N]NSApplicationY\]_anns PQ  5 _{{325, 187}, {138, 17}}9@@#O\YT@@ST\YT_"Textured Buttons (all Apple stuff)Y\]_anns pR  5 _{{20, 549}, {138, 17}}Y\]_aw"n$nvs(W> X_{{325, 185}, {128, 5}}v,I<\YĀXM0 0.80000001Y\]_aw"n$nvs([> \_{{325, 427}, {282, 5}}v,I<\]؀XM0 0.80000001Y\]_aw"n$nvs(_> `_{{20, 185}, {282, 5}}v,I<\aXM0 0.80000001. &&K@::ef;cSd_BWHyperlinkButtonCellTLinkY\.]_a s jbig i;h_BWHyperlinkButtonTUVWXYZ[\]^_`abcde^ +++nn+s+vwx4uvs  t r2_{{25, 25}, {34, 23}}Y\]_a n#ns lm  5 _{{325, 549}, {117, 17}})*f@@#k\YT23D@@Ho\YTY\]_a<n?ns qn  5 _{{20, 429}, {214, 17}}_{{325, 429}, {124, 17}}9AG!́f_{{20, 99}, {80, 80}}_$BDA810CB-D174-486A-8689-B6B8DADCABCE_)A button that opens a URL in the browser.MOx0w_VA button that opens a URL in the browser. Text or an image can be used as a hyperlink.9SV/)*Wy-Z[\_NSTighteningFactorForTruncation#?z,9`Ȭabcdefghijkl{}~nopZNSLocation#@<|34rsYNSTextTabt1YNSTextTabnvp#@L|nyp#@U|n|p#@\|np#@a|np#@e|np#@h|np#@l|np#@o|np#@q|np#@s@|np#@u|9A!c6RBAQ[d7( k9oZ?EM3T?^n|6̀ہ1^iJFOVY\]_aw"n$nvs(> _{{20, 547}, {282, 5}}v,I<\ʀXM0 0.80000001Y\]_aw"n$nvs(> _{{20, 307}, {282, 5}}v,I<\ހXM0 0.80000001Z{645, 589}34\NSCustomView19ȯFQ7Znnn[n BArnYnnnZ nNnnnnnZnnnnnnn{ZRncZndnnZnn Znnn3 | π?`M~ A E  T fn i o^ 1Jṕ6퀋ۀ O  k 9.ȯGNRZcrYw^SQ6[4* 7{dAnB7 16~ҀAQb9D?CFJOMREV3Z^b^̀pkfn`(|To3Lπr8 nQiۀM ?m9xȯGyz{|}~ÁāŁƁǁȁɁʁˁ́́΁ρЁсҁӁԁՁցׁ؁فځہ܁݁_Textured Slider Cell_ Image View (Library-GradientBox)_,Toolbar Flexible Space Item (Flexible Space)_)Library Object Template (Textured Slider)_Static Text (Hyperlink Button)_Selectable Toolbar_Static Text (Token Field)_Static Text (Label)_&Image View (Library-SelectableToolbar)_Image Cell (Library-TokenField)_#Image View (Library-InsetTextField)_Text Field Cell (Label)_Button Cell (NSAddOnTexture)_&Image Cell (Library-SelectableToolbar)_Horizontal Line_#Image Cell (Library-InsetTextField)_Horizontal Line-1_Text Field Cell (Preferences)_Horizontal Line-2_Static Text (Styled Text Field)_Toolbar Space Item (Space)_Static Text (Gradient Box)[Application_ Image Cell (Library-GradientBox)_4Text Field Cell (Textured Buttons (all Apple stuff))_Static Text (Preferences)_Horizontal Line-3_Textured Slider_Horizontal Line-4_Horizontal Line-5_Toolbar Item (Advanced)_Hyperlink Button Cell (Link)_5Library Object Template (Round Textured Button (Add))_%Library Object Template (Token Field)_)Round Textured Button (NSRemoveOnTexture)_Static Text (Textured Slider)_Hyperlink Button (Link)_Text Field Cell (Inset Label)_&Round Textured Button (NSAddOnTexture)\Gradient Box_,Library Object Template (Selectable Toolbar)_0Static Text (Textured Buttons (all Apple stuff))_Static Text (Inset Label)_"Text Field Cell (Hyperlink Button)_#Text Field Cell (Styled Text Field)_Image View (Library-TokenField)_Button Cell (NSRemoveOnTexture)_Text Field Cell (Token Field)_$Image Cell (Library-StyledTextField)_Toolbar Item (General)_Token Field Cell\File's Owner_#Image Cell (Library-TexturedSlider)_ Image View ( CGImageSource=0x101c7c010" )>)_8Library Object Template (Round Textured Button (Remove))_Styled Text Field Cell (Label)_!Toolbar Show Colors Item (Colors)_&Library Object Template (Gradient Box)_Text Field Cell (Gradient Box)_*Library Object Template (Hyperlink Button)_$Image View (Library-StyledTextField)[Token Field_"Toolbar Separator Item (Separator)_+Library Object Template (Styled Text Field)_Inset Text Field (Label)_Library Objects_Toolbar Show Fonts Item (Fonts)_%Library Object Template (Inset Label)_Horizontal Line-6_!Text Field Cell (Textured Slider)_Horizontal Line-79 ȪAZ*Q䀣7Mbဪ3f9 Ȫ%*EB,8Nc‫4g9 #ȯONDRrcZYw^HSQ[6GE4* J7F{CdAnIB7> 16~ҀAbQ9D́?CFJMOREV3Z^bṕf^kn`|({To3L]rρ8 nmiQ ۀM ?m9 uȯO v w x y z { | } ~  ā      !"#$%&'()*+,-./01&u.r >'<!" ,5(/+q2p="9A !9 Ƞ9 Ƞ34  ^NSIBObjectData 1_NSKeyedArchiver " #]IB.objectdata"+5:?-;MY`| "$&),/258:=@CEHQ]_ajs~  &.<EGIKM%0BT]it        # % N X c j v w y z | ~  N o       + - / 1 9 R [ n s    ! - 6 E L T m  "':KMOXZdmz>TUWY[]`bdfh{(=Zemvxz.?ACEG "$&(*Abglnpq~%')+ $EQejoqsuwy{+4<AVXZ\^q~#%')+-/1358:<>@BDEGPRUWxy{} -?NPYbgikmoqsuxz"I>OQSUW  "WYbkprtvxz|~ HUWY[moqsuwy{}9>CEGHUWY[wy*>Uk            0 : a n p  !!&!M!t!!!" "":"N"k"~"""""##*#A#g#i#k#m#n#p#q#z#|#}###############$$$$-$5$7$<$>$@$B$C$D$I$K$X$Z$\$^$p$}$$$$$$$$$$$$%J%L%N%P%Q%S%T%V%W%Y%[%]%_%a%c%e%g%%%%%%%%%%%&&O&Q&S&U&V&X&Y&[&\&^&`&b&d&f&h&j&l&&&&&&''''''''''!'#'%''')'+'-'3';'D'i'k'p'r't'v'w'x'}''''''( ( ((((((((((((!(#(,(.(U(^(k(m(o(q(|((((((((((((((((())) ) )4)<)I)K)M)O)f)))))))))))))))))))*********#*%*.*K*R*o*}************************++"+$+&+(+*+y+{+}+++++++++++++++++++++++++++++++++,,,,, , , ,$,E,J,O,Q,S,T,a,c,e,g,|,,,,,----.-_-u-v-x-z-|-~--------------..0.;.O.\.a.c.e.g.i.k.m.n.p.r.t.}................/////'/)/+/-///~///////////////////////////////////000 0 0000)0J0O0T0V0X0Y0f0h0j0l0000111!1#1%1]1~111111111112202B2U2i22222222222222222222222223333 33%3235383=3@3C3L3U3W3Z3]3f3h3m3p3s33333333333[5[>[L[S[Z[o[[[[[[[[[\\\\\\\*\0\2\9\F\H\Q\T\W\Z\]\f\i\k\m\o\\\\\\\\\\]]]]I]V]X]]]]]]]]^ ^^^0^=^Q^b^d^f^i^l^^^^^^^^^^^^^^^^^^^^^^^__ _#_$_'_*_-_/_2_4_7_@_B_O_Q_S_U_W_Y_[_r_____________``m`z`|`~``aa0aDaRahaaaaaaaaaaaaaabbbbbb bbb,b9b;bebrbtbbbbbbccccHcQc_chcvccdddddddd!d#d%d'd)d+d-d/d2d4d7d:d=d@dBdEdHdKdNdQdTdVdYd\d^dadcdedhdjdmdpdrdtdwdzd}dddddddddddddddddddddddddddddddddddde e*e/e4e7e:ee@eBeUe^eieeeeeeeeeeeeeeeeeeeff)f7fDfVfbflfmfpfsfufwfyf{f~fffffffffffffffgg1g2g5g8g:ggAgCg[gxg}ggggggggggggggggggh h hhhhhhhhPhQhThWhYh[h]h`hbh{hhhhhhhhhhhhhhhhhhhii5i:i?iAiDiFiHiJiLiUiWiZihiiiiiiiiiiiiiiiiiiijjjjj j"j$j&j(jMjnjojrjujwjzj}jjjjjjjjjjjjjkkkkk k"k$k1k3kAkrkskvkyk{k}kkkkkkkkkkkkkkllll l"l$l&l)l+lCl`lelhljlmlolql~lllllllllllllllllm mm;mv@vBvDvGvJvMvOvQvSvUvWvYv[v]v`vcvfvovqwwww wwwwwww w#w&w)w,w/w2w5w8w;w>wAwDwGwJwMwPwSwVwYw\w_wbwewhwkwnwqwtwwwzw}wwwwwwwwwwwwwwwwwwwwwwwwwwwwwwwxx@xlxxxxxyyEy_y~yyyyzz'zIzfzzzz{{{+{?{S{m{{{||8|R|r|||} }&}K}q}}}}~~(~5~[k5b7_sˁ́ρсӁց؁ځ܁߁  "ÂłȂʂ̂΂тԂւ؂ڂ܂ނ !$')+.0369<>@BEGIKMORTVXZ]_adgikmoqsuwy|.147:=@CFILORUX[^adgjmpsvy|ĄDŽʄ̈́Єӄքل܄߄  #%'*-0369;>@CEGJMORUXadgjloqsvy|…Ņȅ˅΅хԅׅڅ܅߅ %49KP^ $`unison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/English.lproj/InfoPlist.strings0000644006131600613160000000030611361646373032664 0ustar bcpiercebcpierce/* Localized versions of Info.plist keys */ NSHumanReadableCopyright = " Brandon Walkin, 2010"; unison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWSplitViewInspector.nib0000644006131600613160000004160411361646373031372 0ustar bcpiercebcpiercebplist00[\X$versionX$objectsY$archiverT$topy-1289=AW_jstuz{ #()-.23478=HIJNQWZbcqrz{   48?IQR[\denowx !&123567?@CFILTU^_ghqrux    !*+,345=>?FGHOPQRYZabc ?@ABCDEFGHIJKLMNOPQRSTUVWXYZ[\]^_`abcdefghijklmnopqrux     !"#$%&'()*+,-./0123456789:;<=>?@ABCDEFGHIJKLMNORUXU$null  !"#$%&'()*+,_NSAccessibilityOidsKeys_NSVisibleWindows]NSObjectsKeys_NSClassesValues[NSFrameworkVNSRoot_NSAccessibilityOidsValues]NSClassesKeys\NSOidsValuesV$classYNSNextOidZNSOidsKeys]NSConnections_NSObjectsValues[NSNamesKeys_NSAccessibilityConnectors]NSFontManager]NSNamesValuesv,w+.x-u./0[NSClassName_BWSplitViewInspector3456Z$classnameX$classes^NSCustomObject57XNSObject_IBCocoaFramework:;?\NSMutableSet>@7UNSSet:BC7DEFGHIJKLMNOPQRSTUV #̀рՀ؀܀߀XYZ[\] WNSLabel]NSDestinationXNSSource `ab.cdefghfWNSFrame[NSSuperviewXNSvFlags_NSNextResponder   b.ckleno+qr[NSFrameSizeZNSSubviews $_{{98, 18}, {154, 81}}_"BWSplitViewInspectorAutosizingView34vw\NSCustomViewvxy7VNSView[NSResponder^autosizingView34|}_NSNibOutletConnector|~7^NSNibConnectorXYZ[ "`abcffYNSEnabledVNSCell   ! _{{81, 119}, {148, 18}}_NSPeriodicInterval[NSCellFlags]NSButtonFlags\NSCellFlags2_NSAlternateContents_NSKeyEquivalent]NSNormalImageZNSContents]NSControlView_NSAlternateImageYNSSupport_NSPeriodicDelay^NSButtonFlags2H?E!G6*,'1.5_You shouldn't see this__popUpItemAction:34KL^NSMutableArrayKM7WNSArray34OPVNSMenuO734RS_NSPopUpButtonCellRTUV7^NSMenuItemCell\NSActionCellVNSCell34XY]NSPopUpButtonXxy7`abc\]f_f <=  ! _{{81, 296}, {21, 18}}defgkpH; (VSwitch`abctufwxf @A  N _{{8, 298}, {70, 14}}|}~[NSTextColor_NSBackgroundColor@BB?MJCEUColorD#@&_LucidaGrande-Bold]NSCatalogName[NSColorName\NSColorSpaceWNSColorFIGHVSystem\controlColorWNSWhiteIM0.666666666734WNSColor7FIKL_controlTextColorIB034_NSTextFieldCell7\NSActionCellVNSCell34[NSTextFieldxy7`abcff\NSIsBordered[NSDragTypes RT  PS:;Q_NSColor pasteboard type_{{104, 293}, {66, 24}}UNSRGBIO0.058130499 0.055541899 134[NSColorWellxy7[NSColorWell`abcfxf VW  N _{{8, 144}, {70, 14}}|}@BXUMJCE[Collapsible`abcff Z[  : _{{81, 139}, {186, 22}}_NSSelectedIndexKA@@\Y] ( 9!_],[1.^$&'`82ZRight Pane__popUpItemAction::B 7a\!c],[1.bYLeft Pane__popUpItemAction: !`"ab#c$l%&'()*+,-f/f123YNSBoxType]NSTransparent\NSFillColor2^NSBorderColor2]NSContentView\NSBorderType_NSTitlePosition[NSTitleCellYNSOffsetsf  e:B67,f`abcl9:<>ddg:BA7BCDEFGHhlpx`abcKL,Nx, ijf Nf_{{8, 67}, {70, 14}}|}STUB@BkhMJCEYView Size`abc^_,ax, mnf Nf_{{81, 49}, {88, 14}}|}fghC@BolMJEYMin Width`abcqr,tx, qrf Nf_{{84, 65}, {86, 19}}|y}z{D_NSDrawsBackgroundqABpMv( sFItu_textBackgroundColorIB1FIwLYtextColor`abc,, yzf :f_{{175, 62}, {92, 22}}EKA@@(x{ |( 9!~|,z1.}$&'82Vpoints__popUpItemAction::B7€{!̀|,z1.Q%__popUpItemAction:`abc,x, f Nf_{{81, 6}, {91, 14}}|}F@BMJEYMax Width`abc,x, f Nf_{{84, 22}, {86, 19}}|y}GqABMv( s`abc,, f :f_{{175, 19}, {92, 22}}H  KA@@( ( 9 !,1.}$&'82__popUpItemAction::B#7%'( .!̀,1.__popUpItemAction:_{{1, 1}, {272, 102}}34x4xy7_{{-1, 171}, {274, 104}}V{0, 0}|}89:<M(sSBoxBIM0 0.80000001EIO!0.57647061 0.57647061 0.57647061HIO!0.84705889 0.84705889 0.8470588934JKUNSBoxJxy7`abcNOfQxf $N _{{8, 98}, {70, 14}}|}VWX@BMJCEZAutosizing`abcabfdxf  N _{{112, 37}, {125, 42}}|}ijknBM(E_1Set the springs in each subview's Size inspector.tIO!0.29803923 0.29803923 0.29803923`vabcxzf|}fZNSEditable  :;_Apple PNG pasteboard type_Apple PDF pasteboard type_NSFilenamesPboardType_Apple PICT pasteboard type_1NeXT Encapsulated PostScript v1.2 pasteboard type_NeXT TIFF v4.0 pasteboard type_{{85, 5}, {180, 107}}999WNSAlignWNSScaleWNSStyleZNSAnimates ._Inspector-SplitViewBackground34[NSImageCell7VNSCell34[NSImageViewxy7Z{272, 321}]inspectorViewXYZ[G XmaxFieldXYZ[F XmaxLabelXYZ[D pXminFieldXYZ[C lXminLabelXYZ[ Āˀv_NSPreservesSelection^NSDeclaredKeys_NSSelectsInsertedObjects_NSAvoidsEmptySelection_NSFilterRestrictsInsertion__NSManagedProxy_"NSClearsFilterPredicateOnInsertion :B؀7ހ€ÀĀŀƀ_subviewPopupSelection_subviewPopupContent_collapsiblePopupContent_collapsiblePopupSelection_minUnitPopupSelection_maxUnitPopupSelection34__NSManagedProxy7__NSManagedProxy34_NSArrayController7_NSArrayController_NSObjectController\NSControllerWcontentXYZ YNSKeyPath_NSNibBindingConnectorVersionYNSBindingπ΀Ѐ̀_>value: inspectedObjectsController.selection.dividerCanCollapseUvalue_7inspectedObjectsController.selection.dividerCanCollapse34_NSNibBindingConnector7_NSNibBindingConnector^NSNibConnectorXYZHԀӀЀҀ_.selectedIndex: selection.maxUnitPopupSelection]selectedIndex_selection.maxUnitPopupSelectionXYZE׀ӀЀրx_.selectedIndex: selection.minUnitPopupSelection_selection.minUnitPopupSelectionXYZހۀڀЀـ%_,contentValues: selection.subviewPopupContent]contentValues_selection.subviewPopupContent"XYZ#O'_NSPreviousConnectorހ؀ӀЀ݀%_.selectedIndex: selection.subviewPopupSelection_selection.subviewPopupSelectionXYZ-0ڀЀY_0contentValues: selection.collapsiblePopupContent_!selection.collapsiblePopupContent"XYZ6Q: ߀ӀЀY_MselectedIndex: inspectedObjectsController.selection.collapsiblePopupSelection_>inspectedObjectsController.selection.collapsiblePopupSelectionXYZ@C ΀ЀO_1value: inspectedObjectsController.selection.color_*inspectedObjectsController.selection.colorXYZIJL ЀO_      !"#$%&'()*_Text Field Cell (Min Width)_Menu Item (Left Pane)]Menu Item (%)_Pop Up Button Cell (points)_Static Text (Collapsible)_Text Field Cell (Max Width)_CText Field Cell (Set the springs in each subview's Size inspector.)_Static Text (Color)ZColor Well_Text Field Cell (Collapsible)]Pop Up Button_Text Field Cell (Color)^Inspector View_"Button Cell (Divider Can Collapse)_Text Field Cell_"Menu Item (You shouldn't see this)_Check Box (Switch)_*Image View (Inspector-SplitViewBackground)\File's Owner_Menu Item (Right Pane)_Menu Item (points)_Menu Item (Subview 0)_*Image Cell (Inspector-SplitViewBackground)_Button Cell (Switch)_Array Controller_Menu Item (points)-1ZText Field_Text Field Cell (Autosizing)_Pop Up Button-2_Static Text (Max Width)_Pop Up Button Cell (Subview 0)\Text Field-1_Pop Up Button-1_?Static Text (Set the springs in each subview's Size inspector.)_Menu (OtherViews)_Menu (OtherViews)-1_Text Field Cell (View Size)_Static Text (View Size)_Pop Up Button Cell (points)-1_Menu (OtherViews)-2_Pop Up Button-3[Application_Menu (OtherViews)-3_$Split View Inspector Autosizing View_Text Field Cell-1_Pop Up Button Cell (Right Pane)_Static Text (Min Width)_Menu Item (%)-1_ Check Box (Divider Can Collapse)YBox (Box)_Static Text (Autosizing):dt:dw:dzF]KVSHCJMPB< EzGDFTL%GNOFUDuI]brE O_fRHQLz=]{倹lрW܀ha4|Oxp[jՀ'*?؀#) A;% Ur\dn Y ߀:dÀF /0123456789:;<=>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ[\]^_`abcdefghijklmnopqrstb|ZY]V:BQ7:dT:dW34YZ^NSIBObjectDataY7_NSKeyedArchiver]^]IB.objectdata"+5:?5;$.9GYe %*3FOZ\]fsz  +3?HZ\^`ceg"+BIXikmoq .;Qcq|   ' 0 2 4 = ? L U \ a n }    & / 8 C M _ p r t v x C U ` g   4 = Q Y c l w      ( < E P U ` i k p r t   )=JYfmv  "$&(*,.07TUWY[^`by -9FNPRTVX_ly#,8Chu'3PQSUWZ\^uK]_hmrtvxz|}  >@EGIKMOTVXbv",./13579;=?ACENPSUnprtwy{ %BCEGILNPg#,13579;<>SUWY[q~<>GLQSUWY[\^`cdegi"$&(*,1357Khikmortv4=BDFHJLMOlmoqsvxz   ;=BDFHJLQSUbdfh|(/LQSUWY[]anp~ #%'=^chjlnprt.;=a3g    & / ; B I R ^ i t !! !!!!!!#!H!_!n!!!!!!!!!!!!""" " """" """$"&">"T"n""""""""""###-#B#O#W#t#~##########$4$=$U$\$t$$$$$$$$$$% %*%,%.%0%2%4%6%g%%%%%%%%%%&&0&F&H&J&L&N&P&R&T&&&&&&&&&''''H'J'L'N'P'R'T'V''(((( ( (((D(q((((((((())4)6)8):)<)>)@)}))))))))*!***,***************************************************++++++ +)++++++++++++++++++++++++++++++++++++++++++++++++++++++,,j,l,n,p,r,t,v,x,z,|,~,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,-D-F-H-J-L-N-P-R-T-W-Z-]-`-c-f-i-l-o-r-u-x-{-~------------------------------. ..7.S.q....// ///T/f/////00 0M0d0w00000111$1f1z1111122222Y2m2222233 333333$3&3333333333333333333333333333333333333344444 4 4 4444444444!4#4%4'4)4+4-4/41434547494;4=4?4A4J4L44444444444445555 5555555 5#5&5)5,5/5255585;5>5A5D5G5J5M5P5S5V5Y5\5_5b5e5h5k5n5q5t5w5z5}55555555555555555555555555555555555555555555555555555555666 6 6666666666 6"6$6&6(6*6,6.60626466686:6<6>6G6I6J6S6U6V6_6a6b6k6z6666_6././@LongLink0000000000000000000000000000015500000000000011566 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWTransparentTextFieldCell.classdescriptionunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWTransparentTextFieldCell.classdes0000644006131600613160000000041111361646373033507 0ustar bcpiercebcpierce{ Actions = { // Define action descriptions here, for example // "myAction:" = id; }; Outlets = { // Define outlet descriptions here, for example // myOutlet = NSView; }; ClassName = BWTransparentTextFieldCell; SuperClass = NSTextFieldCell; } unison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWSplitViewLibrary.nib0000644006131600613160000002204211361646373031023 0ustar bcpiercebcpiercebplist00 X$versionT$topY$archiverX$objects]IB.objectdata_NSKeyedArchiver 156;<@DJRv   [#',=AKTX\]^_`aefsx`e &'(-/458<?BCN^_`ghmnqtw xz *+,-./0123456789:;<=>?@ABCDEHKNU$null  !"#$%&'()*+,-./0VNSRootV$class]NSObjectsKeys_NSClassesValues_NSAccessibilityOidsValues]NSConnections[NSNamesKeys[NSFramework]NSClassesKeysZNSOidsKeys]NSNamesValues_NSAccessibilityConnectors]NSFontManager_NSVisibleWindows_NSObjectsValues_NSAccessibilityOidsKeysYNSNextOid\NSOidsValuesˀmʀȀq234[NSClassNameXNSObject789:X$classesZ$classname:5^NSCustomObject_IBCocoaFramework=>?ZNS.objects78ABBC5\NSMutableSetUNSSet=EFGHI ?VKLMNOPQ]NSDestinationXNSSourceWNSLabel>1 =STUVWXYZ[\]^_`abcdef+hijkl++opqds++_NSNextResponderWNSFrameXsubtitle_initialCategoryPathZidentifierZNSSubviewsXNSvFlagsUlabel[draggedView_filterableNamesXNSWindow_briefDescription_fullDescription[NSSuperview_animationScalingMode_representedObject]draggableView 0/!  "# SXYw]2`oyzk{o}~[NSFrameSize8=E STY]`PoPZNSEditableVNSCell[NSDragTypesYNSEnabled    =>_Apple PDF pasteboard type_Apple PNG pasteboard type_NSFilenamesPboardType_1NeXT Encapsulated PostScript v1.2 pasteboard type_NeXT TIFF v4.0 pasteboard type_Apple PICT pasteboard type_{{16, 16}, {48, 48}}sss[NSCellFlagsWNSStyleZNSContentsWNSAlignWNSScale\NSCellFlags2ZNSAnimates 2^NSResourceNameWNSImage_Library-GradientSplitView785_NSCustomResource785[NSImageCell785[NSImageViewYNSControlVNSView[NSResponder78ģ5^NSMutableArrayWNSArray_{{23, 314}, {80, 80}}_Gradient Split View_$BA582DDE-54F0-4E4A-9177-F69A7A719E31_iA split view with a gradient divider, subview size constraints, autosizing, and collapsing functionality.\NSAttributesXNSString.%$_A split view with a gradient divider, subview size constraints, autosizing, and collapsing functionality. Connect a button to the toggleCollapse: action to collapse a subview with animation.=WNS.keys-ր&'ـ(*_NSParagraphStyleVNSFont+ZNSTabStops[NSAlignment)78ڢ5VNSSizeVNSNameXNSfFlags,#@(+YHelvetica78ۢ5785\NSDictionary785_NSAttributedString[Split Views785_IBLibraryObjectTemplateSTXY]2`dkod_NSOriginalClassName <;342 [BWSplitView[NSSplitView=E 59SYw]2`Oy oO18671Y{163, 43}\BWCustomView785\NSCustomViewSTY]2`Oy oO18:71_{{0, 52}, {163, 44}}_{{111, 298}, {163, 96}}78!""5^NSClassSwapper78$%%&5_NSNibOutletConnector^NSNibConnectorKLMN)*Q>N@=STUVWXYZ[\]^_`abcde/+h23k4++o89ds++ 0H/JAIKL =E?@BSTY]`*DFGo*@D EC @=>MsVssF 2[G_Library-VerticalSplitView_{{23, 210}, {80, 80}}_Vertical Split View_$4258894C-EB17-472E-8524-0E6C56C08198_rA split view with an adjustable divider color, subview size constraints, autosizing, and collapsing functionality.d.%M_A split view with an adjustable divider color, subview size constraints, autosizing, and collapsing functionality. Connect a button to the toggleCollapse: action to collapse a subview with animation.STXYg]2`hdklmknod^NSDividerStyle\NSIsVertical eW=STUVWXYZ[\]^_`abcde+hk++ods++ 0_/aX`bc =EYSTY]`oW[ \Z W=>sss] 2^_Library-HorizontalSplitView_{{23, 418}, {80, 80}}_Horizontal Split View_$9FA31B50-1D4C-4A6D-917B-0CE3ED4B59FBƀ.%dSTXYg]2`dknod >5[NSTextField23A~]NSApplication=EE*)POnWe@N 1SOPTQYR]ST`dnVWXYZ+o\sdYNSBoxType[NSTitleCell]NSTransparent\NSBorderTypeYNSOffsets_NSTitlePosition   _{{20, 504}, {224, 5}}V{0, 0}   acdsf{qSBox !j#k%wt_textBackgroundColor)!+pwB1)!+swM0 0.8000000178uvv5UNSBoxZ{356, 543}78yŢ5=|)d)dO@ddOddd*dPN eN 1B 1e n WY @ =vdP wO*F)@Qn} 59Sj1@EhNpWY\Be =ɀ]Custom View-2_Static Text (Split Views)[Application_Library Objects_-Library Object Template (Gradient Split View)[Custom View]Custom View-1]Custom View-3]Custom View-4ZSplit View_&Image Cell (Library-GradientSplitView)_-Library Object Template (Vertical Split View)_&Image Cell (Library-VerticalSplitView)\File's Owner]Custom View-5\Split View-1_Text Field Cell (Split Views)_/Library Object Template (Horizontal Split View)_(Image View (Library-HorizontalSplitView)_(Image Cell (Library-HorizontalSplitView)_Horizontal Line_&Image View (Library-VerticalSplitView)\Split View-2_&Image View (Library-GradientSplitView)=䀍O)1eN=ꀍ222=dwI *HvPGFO)@ S5V9@?WQn}j E1hNpY\Be = !"#$%&'()€ÀĀŀƀ^eYf\pbS _!VciadhU]"Z[`Tg=EG=J=M78OPP5^NSIBObjectData"'1:?DRTfRY`n&8R\ikmoqsuwy{}  '-68?ACEVdmuwy{}  &2DM`r~    "%'P[bnxz|~3Tq !)ENSfov  ;   $ + 4 6 ? A C M V [ d i v          ( 4 = ? D F H e g i l n p r t ~   ! * 1 H W h j l n p  "$-/<>@BDFHikmn{}gtvxzDq  (BSUWY[   ')+-/13TVXYfhjl!#%')+-68=?A^`bdfhjt   "$&(*,.02468Y[]_abdf  19FR`bdfhjq~$-8DMOQ_hj{}   29V[]_acei~8:<>@BDFHJLNPRTVXZ\^`bdfoq "$&(*,.02468:<>@BPlx$T}"M_2468:<>@BDFHJLNPRTVXZ\^`bdfhqs   (*+467@BCLQQ`unison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWTransparentControlsLibrary.nib0000644006131600613160000006047711361646373033140 0ustar bcpiercebcpiercebplist00 X$versionT$topY$archiverX$objects]IB.objectdata_NSKeyedArchiver 156;<@DOW{    /01567KPQUVZ[\^_en[ox[y{`~ )-1234565:LMNOSWXW\g_duy"-./459<?DEHKNZ[\]^ghjkpL   /3=FJNOPQRSRWabcdxyz     &*-2<?DGjmpsvy|  $,1278@'ADGHILMRSUabmno ;u NU$null  !"#$%&'()*+,-./0VNSRootV$class]NSObjectsKeys_NSClassesValues_NSAccessibilityOidsValues]NSConnections[NSNamesKeys[NSFramework]NSClassesKeysZNSOidsKeys]NSNamesValues_NSAccessibilityConnectors]NSFontManager_NSVisibleWindows_NSObjectsValues_NSAccessibilityOidsKeysYNSNextOid\NSOidsValues vǁ Ɓȁ  Ł234[NSClassNameXNSObject789:X$classesZ$classname:5^NSCustomObject_IBCocoaFramework=>?ZNS.objects78ABBC5\NSMutableSetUNSSet=EFGHIJKLMN PpĀـPQRSTUV]NSDestinationXNSSourceWNSLabelO1 NXYZ[\]^_`abcdefghijk+mnopq++tuvix++_NSNextResponderWNSFrameXsubtitle_initialCategoryPathZidentifierZNSSubviewsXNSvFlagsUlabel[draggedView_filterableNamesXNSWindow_briefDescription_fullDescription[NSSuperview_animationScalingMode_representedObject]draggableView 0/!  "# X]^|b2et~pt[NSFrameSizew=E XY^beUtUZNSEditableVNSCell[NSDragTypesYNSEnabled    =>_Apple PDF pasteboard type_Apple PNG pasteboard type_NSFilenamesPboardType_1NeXT Encapsulated PostScript v1.2 pasteboard type_NeXT TIFF v4.0 pasteboard type_Apple PICT pasteboard type_{{18, 24}, {44, 32}}xxx[NSCellFlagsWNSStyleZNSContentsWNSAlignWNSScale\NSCellFlags2ZNSAnimates 2^NSResourceNameWNSImage_Library-TransparentPopUpButton785_NSCustomResource785[NSImageCell78å5[NSImageViewYNSControlVNSView[NSResponder78ɣ5^NSMutableArrayWNSArray_{{310, 430}, {80, 80}}_Transparent Pop Up Button (HUD)_$AF3C0ED2-BF58-45A7-8960-A37D8CF230E6_:Pop-up button for use in transparent panels (HUD windows).\NSAttributesXNSString.%$=WNS.keys-ڀ&'݀(*_NSParagraphStyleVNSFont+ZNSTabStops[NSAlignment)78ޢ5VNSSizeVNSNameXNSfFlags,#@(+YHelvetica78ߢ5785\NSDictionary785_NSAttributedString_Transparent Controls785_IBLibraryObjectTemplateXY^b2eipti_NSOriginalClassName M435 2 _BWTransparentPopUpButton]NSPopUpButton_{{395, 458}, {100, 22}}  2 !$%T'*+,-._NSMenuItemRespectAlignment_NSArrowPosition_NSAlternateContents_NSPeriodicInterval^NSButtonFlags2_NSKeyEquivalentYNSSupportZNSMenuItem]NSControlView_NSPreferredEdge_NSUsesItemFromMenu]NSAltersState_NSPeriodicDelayVNSMenu]NSButtonFlagsA@ :7K:M8;1 <6@_BWTransparentPopUpButtonCell_NSPopUpButtonCell34,#@&9\LucidaGrandeP89:;<=>?@BCDFGH,J'XNSTargetWNSTitle_NSKeyEquivModMaskZNSKeyEquiv]NSMnemonicLocYNSOnImage\NSMixedImageXNSActionWNSState5C=:>@?BhDFGH,m5CG:>@?BrDFGH,w5CJ:>@xxxW 2X_Library-TransparentLabel_{{310, 342}, {80, 80}}_Transparent Label (HUD)_$EC285393-CFF0-4711-8EF0-586BB955CA87_2Label for use in transparent panels (HUD windows)..%^XY^beipti o`a  _{{395, 375}, {38, 14}}2_NSBackgroundColor[NSTextColor@Mcgde_Bbl_BWTransparentTextFieldCell_NSTextFieldCellULabel3,f_LucidaGrande-BoldWNSColor\NSColorSpace[NSColorName]NSCatalogNamekjihVSystem\controlColorWNSWhitekK0.6666666978ޢ5knmh_controlTextColorkB0785[NSTextFieldPQRSOqXYZ[\]^_`abcdefghij+mp ++t ix++ 0y/{rz|} =EsXY^betqu vt q=>"x+xxw 20x_Library-TransparentCheckboxCell_{{20, 166}, {80, 80}}_ Transparent Check Box Cell (HUD)_$C8192A0A-8DD8-47E3-8EB9-EC8AB6842CC2_,Check box cell for use in transparent views.9.%~;<2=@ABCEFGHIJK]NSNormalImage_NSAlternateImageM::Hxxx 2_Library-TransparentTableView_{{310, 254}, {80, 80}}_Transparent Table View (HUD)_$FDB83576-2468-4324-A58F-7E706FD396FB_7Table view for use in transparent panels (HUD windows)..%XY]^b2eiti[NSHScrollerXNSsFlags\NSScrollAmts[NSVScroller]NSNextKeyView]NSContentView MÀOA A AA  _BWTransparentScrollView\NSScrollView=EX]^|beataYNScvFlagsYNSDocViewYNSBGColor =EˀĀX^|b2ext_NSDraggingSourceMaskForNonLocalYNSTvFlags_NSAllowsTypeSelect\NSCornerView_NSIntercellSpacingWidth_NSColumnAutoresizingStyle_NSIntercellSpacingHeight[NSGridColor_NSDraggingSourceMaskForLocal^NSTableColumns[NSRowHeightM #@#@ #@4_BWTransparentTableView[NSTableViewZ{240, 135}XY^+_{{-26, 0}, {16, 17}}785]_NSCornerView=E   ^NSIsResizeable\NSHeaderCellWNSWidthZNSDataCell^NSResizingMaskZNSMinWidthZNSMaxWidth\NSIsEditable #@m#@D#@@ Gx:kK0.33333299knh_headerTextColor78  !5_NSTableHeaderCell\NSActionCell2#&'*+,!@Mce_BWTransparentTableViewCellYText Cell2kjh_controlBackgroundColor6'8UNSRGBkF1 1 178:;;5]NSTableColumn>kB1ABkhYgridColorGkD0.5JkG1 0.1478LMM5ZNSClipViewX8Y^b2?eOaaSTtVWaYYNSPercentM#?ݠ_BWTransparentScrollerZNSScroller_{{-100, -100}, {15, 120}}\_doScroller:X8Y^b?eOaaab'tWaf€#?I$_{{-100, -100}, {225, 15}}78i[[5_{{398, 199}, {240, 135}}PQRSmnVOӀŀNXYZ[\]^_`abcdefghijs+mvwpx++t|}ix++ 0̀/πƀ΀Ѐр =EXY^bentnŀ ʀ =>xxx 2_Library-TransparentCheckbox_{{20, 342}, {80, 80}}_Transparent Check Box (HUD)_$A39224B0-B5D2-4D6D-854E-938511A6152E_6Check box for use in transparent panels (HUD windows)..%XY^b2eipti MրՀ Ԁ _BWTransparentCheckboxXNSButton_{{106, 373}, {63, 18}};<2@ABCEFmHIKM::eӀPQRSVOڀNXYZ[\]^_`abcdefghij+mp++tix++ 0/ۀ =EڀۀXY^betŀڀ ߀ =>xxx 2_Library-TransparentButton_{{20, 430}, {80, 80}}_Transparent Button (HUD)_$4F24C31E-C382-4B82-B3C2-3285017ADD6F_3Button for use in transparent panels (HUD windows)..%XY^b2eipti MՀ  _BWTransparentButton_{{103, 454}, {81, 28}}2=@E!GHM::퀃@_BWTransparentButtonCellVButtonPQRSVONXYZ[\]^_`abcdefghij!+m$%p&++t*+ix++ 0/ =E12XY^be689t =>?xHxx 2M_Library-TransparentSlider_{{20, 254}, {80, 80}}_#Transparent Horizontal Slider (HUD)_$746DB67C-37BB-4C61-A84E-A57E23607AFE_>Horizontal slider for use in transparent panels (HUD windows).V.%XY^b2eiZ[\pt_i M  _BWTransparentSliderXNSSlider_{{108, 286}, {96, 15}}efghi2jklmox'GstIuvtvWNSValue_NSNumberOfTickMarks_NSTickMarkPositionZNSMaxValueZNSMinValueZNSVertical]NSAltIncValue_NSAllowsTickMarkValuesOnly#@IM:#@Y#_BWTransparentSliderCell\NSSliderCellPQRS|}VONXYZ[\]^_`abcdefghij+mp++tix++ 0 / =EXY^be}t}   =>xxx 2 _Library-TransparentTextView_{{310, 102}, {80, 80}}_Transparent Text View (HUD)_$EBF4A84F-3790-478C-9C09-AE6F0747EF77_6Text view for use in transparent panels (HUD windows)..%XY]^b2eitiĀ sMuP q=EȀqsX]^|be|t|XNSCursornm=EڀӁX^|bet+_NSTextContainerYNSTVFlags\NSSharedDataYNSMaxSizeXNSMinizeZNSDelegatel%] $jk=> !"#_NeXT RTFD pasteboard type_NSStringPboardType_NeXT ruler pasteboard type_Apple URL pasteboard type_#CorePasteboardFlavorType 0x6D6F6F76_#CorePasteboardFlavorType 0x75726C20_WebURLsWithTitlesPboardType_Apple HTML pasteboard type_NSColor pasteboard type_NeXT font pasteboard type_*NeXT Rich Text Format v1.0 pasteboard typeZ{225, 180}'YNSTCFlagsZNSTextView_NSLayoutManager\#@l &+_NSTextContainers]NSTextStorageYNSLMFlags[Z' !"#$+_NSAttributeInfoY*(W'()YNS.string)_^Lorem ipsum dolor sit er elit lamet, consectetaur cillium adipisicing pecu, sed do eiusmod tempor incididunt ut labore et dolore magna aliqua. Ut enim ad minim veniam, quis nostrud exercitation ullamco laboris nisi ut aliquip ex ea commodo consequat. Duis aute irure dolor in reprehenderit in voluptate velit esse cillum dolore eu fugiat nulla pariatur. Excepteur sint occaecat cupidatat non proident, sunt in culpa qui officia deserunt mollit anim id est laborum Et harumd und lookum like Greek to me, dereud facilis est er expedit distinct. Nam liber te conscient to factor tum poen legum odioque civiuda78+,,5_NSMutableString=E/01+S=48-5ف,'&9:;-./6'>kO!0.90196079 0.90196079 0.90196079A4C,#@$9 E0)=HIR JKLMNOPQRSTUVWXYZ[\]^_`abcdefghi13456789:;<=>?@ABCDEFGHIJKLMNOPQkltZNSLocation278noo5YNSTextTabklr2#@Lklu2#@\klx2#@ekl{2#@lkl~2#@qkl2#@ukl2#@xkl2#@|kl2#@kl2#@kl2#@@kl2#@kl2#@kl2#@kl2#@@kl2#@kl2#@kl2#@kl2#@kl2#@kl2#@`kl2#@@kl2#@ kl2#@kl2#@kl2#@kl2#@klÁ2#@klƁ2#@`klɁ2#@@kĺ2#@ 78ʢ5=Հ-5ف,'&9؁-TUA,fV)=HR JKLMNOPQRSTUVWXYZ[\]^_`abcdefghi13456789:;<=>?@ABCDEFGHIJKLMNOPQWNS.dataXO "78 5]NSMutableDataVNSData78  5_NSMutableAttributedString=E%78578ݢ5+!+#WNSFlags_NSDefaultParagraphStyle_NSInsertionColor_NSSelectedAttributes_NSMarkedAttributes_NSLinkAttributesi*n^e=&)-'(_`*+ac/kjbh_selectedTextBackgroundColor5kndh_selectedTextColor=:=-;(f`>?gh[NSUnderline6'CkF0 0 178EFF5_NSTextViewSharedData\{480, 1e+07}X{223, 0}78JK5VNSTextZ{225, 135}NOPQ'YNSHotSpot\NSCursorTypepoW{4, -5}78T͢5X8Y^b2?eO||YTtVW|`Mr #?_{{225, 0}, {15, 135}}X8Y^b?ecO||ag'tW|klZNSCurValuet#?#?B`_{{-100, -100}, {87, 18}}_{{398, 47}, {240, 135}}=HqR6a~U\,%i}nx |2mTdb8cs ځ <; v耻ǀVŀʀQaqx ׀Ӏ15߁s_܁}IqzSF=EmTaUnb}|x}Ӏ1耙ڀ ŀQq_XY^beipti oyz  _{{20, 518}, {138, 17}}m@|g/{x@l4Ҁ,#@*978פ!5XY^beivtxiYNSBoxType[NSTitleCell]NSTransparent\NSBorderTypeYNSOffsets_NSTitlePosition ~  _{{20, 516}, {582, 5}}V{0, 0}=x|{SBoxkh_textBackgroundColorkM0 0.80000001785UNSBoxZ{686, 555}785\NSCustomView23]NSApplication=HR6ixiiU,aiianii}b|iiaimiiT|i|i,ii2i, q 5<s ŀS ǀ _ Ӏ 1܁ ڀ < x Q<=H=R7a~U\,%i}nx |2mTb8dcs ځ <; v耻ǀVŀʀQaqx ׀Ӏ15߁s_܁}qIzSF=HwR7xyz{|}~Áā_$Transparent Scroll View (Table View)_)Image Cell (Library-TransparentTableView)_,Image View (Library-TransparentCheckboxCell)_9Library Object Template (Transparent Pop Up Button (HUD))_+Image Cell (Library-TransparentPopUpButton)_2Library Object Template (Transparent Button (HUD))_Transparent Slider Cell_+Image View (Library-TransparentPopUpButton)\File's Owner_Menu (OtherViews)_Menu Item (Item 1)_Transparent Table View_Library Objects_,Image Cell (Library-TransparentCheckboxCell)_5Library Object Template (Transparent Text View (HUD))_Transparent Button (Button)_Transparent Scroller_(Image View (Library-TransparentCheckbox)_%Image Cell (Library-TransparentLabel)_5Library Object Template (Transparent Check Box (HUD))\Table Column_(Image Cell (Library-TransparentCheckbox)_1Library Object Template (Transparent Label (HUD))_(Image View (Library-TransparentTextView)_)Image View (Library-TransparentTableView)_'Transparent Table View Cell (Text Cell)_#Transparent Text Field Cell (Label)_Transparent Scroller-1_ Transparent Button Cell (Button)[Application_"Static Text (Transparent Controls)_#Transparent Scroll View (Text View)_=Library Object Template (Transparent Horizontal Slider (HUD))_Horizontal Scroller_&Image View (Library-TransparentSlider)_(Image Cell (Library-TransparentTextView)_#Transparent Checkbox Cell (Check)-1_Transparent Checkbox (Check)_"Transparent Pop Up Button (Item 1)_'Transparent Pop Up Button Cell (Item 1)_&Image Cell (Library-TransparentButton)_Horizontal Scroller-1_!Transparent Checkbox Cell (Check)_Static Text (Label)YText View_&Image View (Library-TransparentButton)_Horizontal Line_6Library Object Template (Transparent Table View (HUD))_&Image Cell (Library-TransparentSlider)_:Library Object Template (Transparent Check Box Cell (HUD))_Menu Item (Item 3)_&Text Field Cell (Transparent Controls)_Transparent Slider_%Image View (Library-TransparentLabel)_Menu Item (Item 2)=HRa \|Tm耻5qa׀1Ӏ=HRV-+VJu_逼6b쀚؀2Ԁ=HR?a~IU\,LM%Ji}nNx H|2mTGdb8Kcsp ځ <ـ; v耻ǀVŁʀQaqPx ׀Ӏ1 5߁s_܁}IqāzSF=HPR?QRSTUVWXYZ[\]^_`abcdefghijklmnopqrstuvwxyz{|}~ʁˁ́́΁ρЁсҁӁԁՁցׁ؁فځہ܁݁ށ߁b^8]=@e4cY`gZj5)d[G-/<*>\L2_?=Eр=HԁR=HׁR78ڢ5^NSIBObjectData"'1:?DRTf-9ES^l  %135>GP[`o!l~"9M[]_acegilnprtvxz|~   ! # % ' ( * , / 0 2 4 = ? L N P R T V X t  1 R ^ f q y    $ 0 9 D P Z a m v } 3 @ M V X Z \ i q s x z |    ! & / 4 A J O d {  :+=R`ry  FOWkv "$7KTYdmovxz| '07N]nprtv !#%&(*35BDFHJLNoqst1>@BDegikmnpr #468Laiv #,7CTVXZ\   (*,.024UWYZgikm -/13r&246?DZkmoqs "#%'02?ACEGIKlnpq~<IKMO #09;BDFHu1;P]w "$&(*,5NZevxz|$3>IVWY[dfoxy{   & O T V X Z \ ^ ` c e g ! ! !!#!%!'!)!+!5!B!D!I!V!X!`!i!r!}!!!!!!!!!!!!!!"""D"F"H"J"L"N"P"R"["w""""""""# # ########## #"#$#&#(#*#3#5#8#:#c#e#g#i#j#l#n#o#q#s#|#~################$$$$K$$$$$$$$$$$$$$$$$% %N%W%Y%[%]%_%a%c%e%g%i%k%|%~%%%%%%%%%%%%%%%%%%%%%%%%&(&*&,&.&/&1&3&4&6&8&A&C&P&R&T&V&X&Z&\&}&&&&&&&&&&' 'A'N'P'R'T'}''''''''''''''''(((( ( ((.(5(F(H(J(L(N((((((((((((((((((((((((((((())) ) )))) )")$)&)G)I)K)L)Y)[)])_){)))*!*.*0*2*4*]*_*a*d*f*i*j*l*n*p*****+ ++)+4+?+M+j+s+u+x+z+|+~++++++++++++,",$,&,),+,-,0,3,6,8,:,<,?,B,D,F,H,Q,S,V,Y,,,,,,,,,,,,,,,,,,,,,,,,,,,----K-r---------.... . ......".$.+...1.4.e.n.q.s.v.y.|.............// /////"/%/(/+/./0/3/6/8/A/C/h/k/n/q/s/v/y/|//////////////0%0K0i000001 111013161?1B1W1j1x1111111111111114:4C4J4\4e4g4l4o4r444444444444444444555555T5W5Z5]5`5c5f5i5l5o5r5u5x5{5~555555555555555555555555555666 666"6+6.676@6C6L6U6X6a6j6m6v666666666666666666677 7777'7*737<7?7H7Q7T7]7f7i7r7{7~77777777777777777788888#8&8/888;8D8M8P8Y8b8e8n8w8|88888888888888888899"9%9(9+9.9194979:9=9@9C9F9I9L9O9R9U9X9[9^9a9d9g9j9m9p9s9v9y9|999999999999:::: ::: :%:F:N:h:{:::::::::::::::::::;; ; ;;;/;D;F;H;K;M;a;n;p;u;x;{;;;;;;;;;;;;;;;< << <-<0<3<;>>>> > >>>>>>>>> >">%>'>)>+>->0>2>4>6>?>A>f>i>l>n>p>r>t>v>x>z>|>~>>>>>>>>>>>>>>>>>>????? ?? ?"?+?-?0?9?B?s?}????????????????@@@@@@ @$@9@;@=@@@B@X@e@g@u@~@@@@@@@@@@@@ANAPARATAVAXAZA\A^A`AbAdAfAhAjAlAnApArAtAvAxAzA}AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAB=B?BABCBEBGBIBLBNBPBRBTBVBXBZB]B_BaBcBeBgBiBkBmBpBrBtBvByB{B~BBBBBBBBBBBBBBBBBBBBBBBBBBBC4C7C:C=C@CCCFCICLCOCRCUCXC[C^CaCdCgCjCmCpCsCvCyC|CCCCCCCCCCCCCCCCCCCCCCCCCCCCCCCDD,D[DDDEEBEOEcExEEEF F(F?FjFFFGG6GaGGGGHH%HJHpHHHII@I_IIIIJJ)J3J\JnJJK K"KKK`KKKKKKKKKKKKKKKKKKKKKKKLL L"L$L&L(L*L,L.L1L3L5L7L9L;L=L?LHLKLLLLLLLLLLLLLLLLLLLLLLLLLMMMMM M MMMMMMMM M"M$M&M)M+M-M/M1M3M5M8M:MNANDNGNJNMNPNSNVNYN\N_NbNeNhNkNnNqNtNwNzN}NNNNNNNNNNNNNNNNNNNNNNNNNNNNNNNNNNNNNNNNNNNNNNNNNNNNNNNOOOOOO O OOOOOOOOOO O"O$O&O/O1O2O;O>O?OHOKOLOUOZOi././@LongLink0000000000000000000000000000015200000000000011563 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWToolbarShowColorsItem.classdescriptionunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWToolbarShowColorsItem.classdescri0000644006131600613160000000040411361646373033541 0ustar bcpiercebcpierce{ Actions = { // Define action descriptions here, for example // "myAction:" = id; }; Outlets = { // Define outlet descriptions here, for example // myOutlet = NSView; }; ClassName = BWToolbarShowColorsItem; SuperClass = NSToolbarItem; } ././@LongLink0000000000000000000000000000014600000000000011566 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWTransparentSlider.classdescriptionunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWTransparentSlider.classdescriptio0000644006131600613160000000037311361646373033642 0ustar bcpiercebcpierce{ Actions = { // Define action descriptions here, for example // "myAction:" = id; }; Outlets = { // Define outlet descriptions here, for example // myOutlet = NSView; }; ClassName = BWTransparentSlider; SuperClass = NSSlider; } unison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/GradientWellPattern.tif0000644006131600613160000001173211361646373031254 0ustar bcpiercebcpierceMM*N5`@# A0g*a8V֌Ch`=D hT2KT\טCN;H$sY& g2 ^z(48+&&dVP̥ZUSԪ}^X"uzyZs + ܀;%gޡ嚑Q\'$.]pX}'xެT:>K51CqWz卾tV نex[?ua!r-RU͕U.+g"Vs%.G4O Β%۴47Uo^1t(mDMZRe2%ZEWebޓ}3axbx:3ÆUeWܘU|A> }IOEUVnHbu)hۙr=ʲ}-L؜:eN3dQ_m4E-͗lՋfi }+XELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Kmunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/Library-SheetController.tif0000644006131600613160000001605211361646373032053 0ustar bcpiercebcpierceMM*00 P8$ BaPd6DbQ8V-FcQv* cax ''# E _;M-)|-v=OT`B0bA C8 '}?@.7j?G$pͦ+`_fϩdrP1`>0A1]>=^@*PF@``X+?^\`dv4 H%WϭF兓D{ Krpdp` j~KYZZk{ajdyd@{^`IRIpz @d  w`p A`YAhк܇h2,0(spqI $r'f zB,y@P& m G J Sb4.,&+Hٯv^i`9x{1/fQVQ('"0u( GN/ uRSUDV̋Y.:.-G`Ix =C(p#`&uheMHD R9b vUr'Y^s2|_&^eZyΘ*Š6EJb((^ 6t{͸. nG(+ V&JS+Q{]hVV 4_+TEzf/~6N`.É&||@BC0y@ʀ>xL{ Fewh1dTn|@Pս*'p)-MPaЇ:d A(#.R 88! p9& BCpmH˹o B.e+F!H M 64#=#"i.P:GhPNrL{xq"b@ C xQvD` ~F3Y'#4E:XR;x-@ `c=lS/! gH\ü7\Lix|0EIg*L(T)BPNE AT#D@X#7q];9 U  f͂NS/K̊`r :xi<hiԨI4M 7D#~0 It 6@!>+9vhP,_`o!4`S ,7P= cH@蹳B0.bx5hȼ2:D4[*z@!17$XAVA$H`s 4LX<0 G&|bj}.^@ 1ӂe?xo*L]-N{4M2-ț)Lxr\gk KmP IZRFT"PV*r512^ p. ~ vsR&dF !m&ISg62g{2LK0r718ӌDI $32NBfn3r&& @j4a$J@sE]&eS&6^0&w0I8 *!  " K譴$):#_2k.CP `&@܅ op S4_.3%FfXw_%?2:gDZ`aHF A hFDRB1+EoS373s h VРf fMMn 6sHn2oFs?w?KGî!Q^VI d~9CBt2u(~~вn.5< jf%D@@xj`NESNs.j&n^v!Ak"Q 5"5%JRҶ"1S4 ri&/C[0v@@`Zj<AV&G]`@&:\A'#BR e)ρa4:Rb'Vj$bv-'ϯaRraS:'pZUS6)O(pmV2"002\(12=RSڇis HHHAdobe Photoshop CS3 Macintosh2008:07:04 16:58:08 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000014600000000000011566 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWTransparentButton.classdescriptionunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWTransparentButton.classdescriptio0000644006131600613160000000037311361646373033673 0ustar bcpiercebcpierce{ Actions = { // Define action descriptions here, for example // "myAction:" = id; }; Outlets = { // Define outlet descriptions here, for example // myOutlet = NSView; }; ClassName = BWTransparentButton; SuperClass = NSButton; } unison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWTexturedSliderInspector.nib0000644006131600613160000001506111361646373032411 0ustar bcpiercebcpiercebplist00 X$versionT$topY$archiverX$objects]IB.objectdata_NSKeyedArchiver 156<=AEKS dkwx"#$(*/0369ABIJRS_hlmt  !"#$%&'(+.G`abcdefghijklmnopqrstux{~U$null  !"#$%&'()*+,-./0VNSRootV$class]NSObjectsKeys_NSClassesValues_NSAccessibilityOidsValues]NSConnections[NSNamesKeys[NSFramework]NSClassesKeysZNSOidsKeys]NSNamesValues_NSAccessibilityConnectors]NSFontManager_NSVisibleWindows_NSObjectsValues_NSAccessibilityOidsKeysYNSNextOid\NSOidsValues]xbwycafz234[NSClassName_BWTexturedSliderInspector789:X$classesZ$classname:;^NSCustomObjectXNSObject_IBCocoaFramework>?@ZNS.objects78BCCD;\NSMutableSetUNSSet>FG%HIJ TYLMNOPR]NSDestinationXNSSourceWNSLabelS RTUVWX2YZ[\]^_[abc_NSNextResponderZNSSubviewsXNSvFlags[NSFrameSizeXNSWindow[NSExtension[NSSuperview Q M OPN>Ff%ghij )9=TlmVnXZPpqrst[PWNSFrameVNSCellYNSEnabled ( _{{81, 3}, {186, 22}}yz{|}~tgtt[NSCellFlags_NSMenuItemRespectAlignment_NSArrowPosition_NSAlternateContents_NSPeriodicInterval^NSButtonFlags2_NSAlternateImage_NSKeyEquivalentYNSSupportZNSMenuItem]NSControlView_NSPreferredEdge_NSUsesItemFromMenu]NSAltersState_NSPeriodicDelay\NSCellFlags2VNSMenu]NSButtonFlagsA@ K'  @VNSSizeVNSNameXNSfFlags#@& \LucidaGrande78;VNSFontPrXNSTargetWNSTitle_NSKeyEquivModMaskZNSKeyEquiv]NSMnemonicLocYNSOnImage\NSMixedImageXNSActionWNSState[NSMenuItems& !WRegular2^NSResourceNameWNSImage_NSMenuCheckmark78Ѣ;_NSCustomResource2Հ_NSMenuMixedState__popUpItemAction:78;ZOtherViews>F݀%߀"rUNSTag#$ULarge78;^NSMutableArrayWNSArray78;78m;_NSPopUpButtonCell^NSMenuItemCell\NSButtonCell\NSActionCell78;]NSPopUpButtonXNSButtonYNSControlVNSView[NSResponderTlmVnXZPst[P 8*+ _{{8, 8}, {70, 14}}y     h_NSBackgroundColorZNSContents[NSTextColor@7/,-)B4ZTrack Size._LucidaGrande-Bold !WNSColor\NSColorSpace[NSColorName]NSCatalogName3210VSystem\controlColor%'WNSWhite3K0.6666666978);,-!3650_controlTextColor%23B078455m;_NSTextFieldCell78788;[NSTextFieldTlmVnXZP<=st[P 8:; _{{8, 33}, {70, 14}}y     Ei7/<-94ZIndicatorsTlmVnXZPpMNst[P (>? _{{81, 28}, {186, 22}}yz{|}~tZjtt^ '@= ANb^g?BACk& DTNone>Fo%Zqrs@EGJuvNtt^]NSIsSeparator\NSIsDisabled?  AFN^?HAIUPhotoN^?KAL^Speaker VolumeY{272, 54}78;\NSCustomView]inspectorView78;_NSNibOutletConnector^NSNibConnectorLMNgYNSKeyPathYNSBinding_NSNibBindingConnectorVersionXWV U_=selectedTag: inspectedObjectsController.selection.trackHeight[selectedTag_0inspectedObjectsController.selection.trackHeight78;_NSNibBindingConnectorLMNjX\[=Z_BselectedIndex: inspectedObjectsController.selection.indicatorIndex]selectedIndex_3inspectedObjectsController.selection.indicatorIndex>`Nsrr^PZqj=hig?JGA @E=^+;)"9 23Ѐ_]NSApplication78;>ր`j^^gN^^PrhiPPP=AA ?AA )9  >`Nsrr^PZqj=hig߀?JGA @E=^+;)9 ">`     defghijklmnopqrstuv_Menu Item (Regular)_Pop Up Button Cell (None)_Menu Item (Speaker Volume)_Menu Item (Photo)_Pop Up Button Cell (Regular)_Menu (OtherViews)^Inspector View_Menu Item (None)YSeparator_Popup Button (None)[Application_Text Field Cell (Track Size)_Menu (OtherViews)-1_Text Field Cell (Indicators)_Static Text (Track Size)\File's Owner_Static Text (Indicators)_Popup Button (Regular)_Menu Item (Large)>*`>-`>0`Nsrr^PZHqjI=Jhig߀?JGA @ E=^+T;Y)9 ">I`JKLMNOPQRSTUVWXYZ[\]^_{|}~NUYXJVW$ZTIaBd9e>8M>Fw%>z`>}`78;^NSIBObjectData"'1:?DRTf.<HTbm{   (468T]fqv#%')+Pbmv 3 &1?Qft  %*1BDFHIv*9;=?GYbgz        " $ * 3 : I Q Z _ h u   ! # % & ( * ? ` t      ! # * 7 D L N Z c h }          2 S U W Y [ ] _ j         ? A C E G I K M O \ ^ ` b g p r { }    EGIKMOQSUdnw!#%')+-/o{DR9;=?ACEGIKMOQSUWY[]fh   'C`t*Idq  !#%')+-/1357@Bqsuwy{}unison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWGradientBoxInspector.nib0000644006131600613160000004312311361646373031650 0ustar bcpiercebcpiercebplist00X$versionX$objectsY$archiverT$top-1289=A]ew6>?BGH\abghilpqruv| #$(+/1;?@CKLUV^_mw{| !"#$%&,-1489:;=&ADHLMVZ_dehmnvw   !&',-27<NRSUY_`jklmryz{ #$&U5~U$null  !"#$%&'()*+,_NSAccessibilityOidsKeys_NSVisibleWindows]NSObjectsKeys_NSClassesValues[NSFrameworkVNSRoot_NSAccessibilityOidsValues]NSClassesKeys\NSOidsValuesV$classYNSNextOidZNSOidsKeys]NSConnections_NSObjectsValues[NSNamesKeys_NSAccessibilityConnectors]NSFontManager]NSNamesValues @?BA./0[NSClassName_BWGradientBoxInspector3456Z$classnameX$classes^NSCustomObject57XNSObject_IBCocoaFramework:;?\NSMutableSet>@7UNSSet:BC#DEFGHIJKLMNOPQRSTUVWXYZ[\ (рӀՀ׀؀ـ^_`abc WNSLabel]NSDestinationXNSSource fghijklmnnpqrqtuvYNSEnabled\NSIsBordered[NSSuperviewXNSvFlags_NSNextResponder[NSFrameSize[NSDragTypesWNSColor    xhi.jyz{|}~|WNSFrameZNSSubviews̀&)$΀):; _NSColor pasteboard typeX{86, 27}\NSColorSpaceUNSRGBO0.05813049898 0.05554189906 134WNSColor734[NSColorWell7[NSColorWellYNSControlVNSView[NSResponderYcolorWell34_NSNibOutletConnector7^NSNibConnector^_`a 'hi.jky{qq&  % $:B#fgxh.ijlmnn_NSOriginalClassName  _BWGradientWellColorWell[NSColorWell:; _{{2, 2}, {31, 23}}ĀO0.058130499 0.055541899 134^NSClassSwapper7fgxh.ijlmnn !  "[NSColorWell:;׀ _{{147, 2}, {31, 23}}܀O0.058130499 0.055541899 134^NSMutableArray7WNSArrayY{180, 27}^BWGradientWell34\NSCustomView7\gradientWell^_`a| Ѐ)i.jky{~+& ΀π*:B#q+IX\`jnruy} fxhijn  | |VNSCell ,-) H)_{{81, 133}, {186, 22}} !"#$&'()*+,nnn012245]NSControlView_NSPreferredEdgeVNSMenu_NSSelectedIndex_NSPeriodicDelay]NSButtonFlags[NSCellFlags_NSPeriodicInterval]NSAltersState_NSUsesItemFromMenu_NSMenuItemRespectAlignment\NSCellFlags2_NSAlternateImage_NSAlternateContents_NSKeyEquivalent^NSButtonFlags2YNSSupportZNSMenuItem_NSArrowPosition+4@A@GK 122.3789:;<=VNSNameVNSSizeXNSfFlags0/#@& \LucidaGrande34@AVNSFont@7789:;EF0/#@&PIJKLMNOPQRS'U W2YZ[XNSAction_NSKeyEquivModMaskWNSStateYNSOnImageXNSTargetZNSKeyEquiv]NSMnemonicLoc\NSMixedImageWNSTitle<46-=2:5]Q^_`[NSMenuItems?F>[Solid Colorc.def^NSResourceName987WNSImage_NSMenuCheckmark34jk_NSCustomResourcej7c.dnf9;7_NSMenuMixedState__popUpItemAction:34stZNSMenuItems7ZOtherViews:Bx#y5{@3CIJLMNOPQ}~'U W2ZB46-=2:ATNone__popUpItemAction:IJLMNOPQ'U W2ZE46-=2:DXGradient__popUpItemAction:34VNSMenu734_NSPopUpButtonCell7^NSMenuItemCell\NSButtonCell\NSActionCellVNSCell34]NSPopUpButton7XNSButtonfxhijn|| JK)$W)_{{8, 25}, {70, 14}}"ZNSContents[NSTextColor_NSBackgroundColor@BLIVSMOWBorders789:0N#@&_LucidaGrande-Boldm]NSCatalogName[NSColorNamePQRVSystem\controlColor&WNSWhiteM0.6666666667mҀPTU_controlTextColor&րB034_NSTextFieldCell7\NSActionCellVNSCell34[NSTextField7fxhijn|| YZ)$W)_{{8, 77}, {70, 14}}"@B[XVSMO[Inset Linesfxhijn|| ]^) W)_{{8, 138}, {70, 14}}"@B_\VSMOTFillfxhijn|  | ab)$i)_{{152, 21}, {21, 18}} "!224]NSNormalImageH,Q22dc`fh.VSwitchc.d!f9e7XNSSwitch%&![NSImageNamege34)*_NSButtonImageSource)734,-.7\NSActionCellVNSCell3407fgxhijlmnn4p|7|9: l)$)km:;= _{{84, 18}, {67, 24}}BO0.058130499 0.055541899 1fxhijnEF|H| op)$W)_{{81, -2}, {72, 17}}"MNO4@qnVS.OSTopfxhijnXY|[ | st)$i)_{{246, 21}, {21, 18}} "!`abc224lH,Q22dcrfh.fgxhijlmnnpp|s|uv w)$)vx:;y _{{178, 18}, {67, 24}}~O0.058130499 0.055541899 1fxhijn|| z{)$W)_{{175, -2}, {72, 17}}"4@|yVS.OVBottomfxhijn|| ~)$)_{{84, 76}, {86, 15}}"24ZNSMaxValueZNSMinValue]NSAltIncValue_NSNumberOfTickMarks_NSTickMarkPosition_NSAllowsTickMarkValuesOnlyZNSVerticalWNSValue2}#?#.##?34\NSSliderCell7\NSSliderCell\NSActionCellVNSCell34XNSSlider7XNSSliderfxhijn|| )$W)_{{178, 75}, {67, 19}}"24n_NSDrawsBackground[NSFormatterqA@2V. n+++n\NS.localizedVNS.nil_NS.negativeformat[NS.rounding_NS.negativeattrs_NS.positiveformatWNS.zero_NS.positiveattrsVNS.nanVNS.maxVNS.minZNS.decimal[NS.thousand_NS.hasthousands_NS.allowsfloats]NS.attributes  :WNS.keys  ^positiveFormatWmaximumZmultiplier^negativeFormat_attributedStringForZero_groupingSeparator\allowsFloatsWminimum_formatterBehavior_decimalSeparator_usesGroupingSeparator_textAttributesForZeroZzeroSymbol[numberStyleR0%#@Y#@YS-0%'()*+\NSAttributesXNSStringR0%:./03423\NSDictionary273456_NSAttributedString77_NSAttributedStringQ,#Q.:.?@34BC_NSMutableDictionaryB27'()*瀛'()*KSNaNNOPQnSnn&_NS.raise.dividebyzero_NS.raise.underflow_NS.raise.overflow_NS.roundingmode 34WX_NSDecimalNumberHandlerY7_NSDecimalNumberHandler34[\_NSNumberFormatter]^7_NSNumberFormatter[NSFormattermbcP_textBackgroundColor&gB1mkҀPUYtextColorfxhijnpq|st| )$)_{{251, 73}, {15, 22}}xy"zn|}4\NSAutorepeat[NSIncrement #?#?.#?34]NSStepperCell7]NSStepperCell\NSActionCellVNSCell34YNSStepper7YNSStepperfxhijn|| )$)_{{84, 51}, {86, 15}}"242#?#.##?fxhijn|t| )$)_{{251, 48}, {15, 22}}xy"n4 #?#?.#?fxhijn|| )$W)_{{178, 50}, {67, 19}}"24nqA@2V. n+++n ˀȀɀ€ƀ :퀦 €ÀĀƀǀ#@Y#@Y'()*R0%#'()*瀛'()* SNaNNOPQnSnn& :B#c _{{84, 102}, {180, 27}}Z{272, 158}]inspectorView^_`aq Ҁ ]wellContainer^_`a#Ԁ_endingColorWell^_`a)ր_startingColorWell^_`a'^_`a'^_`a9 ;=>?@ABCDnFnHnnnLn_NSPreservesSelection^NSDeclaredKeysZNSEditable_NSSelectsInsertedObjects_NSAvoidsEmptySelection_NSFilterRestrictsInsertion__NSManagedProxy_"NSClearsFilterPredicateOnInsertion :BP#Q_fillPopupSelectionT34VW__NSManagedProxyX7__NSManagedProxy34Z[_NSArrayController\]^7_NSArrayController_NSObjectController\NSControllerWcontentabc^_`defg cYNSKeyPath_NSNibBindingConnectorVersionYNSBinding _5value: inspectedObjectsController.selection.fillColorUvalue_.inspectedObjectsController.selection.fillColor34no_NSNibBindingConnectorpq7_NSNibBindingConnector^NSNibConnectorabc^_`sefv __Number Formatter_Text Field Cell (Fill)[Slider Cell\NSTextField1ZColor Well_Button Cell (Switch)_Gradient Well Color Well_ Pop Up Button Cell (Solid Color)_Check Box (Switch)\File's Owner[Application\Color Well-2_Check Box (Switch)-1]Gradient Well_Text Field Cell-6-1]Slider Cell-1\NSTextField2[Custom View_Static Text (Fill)_Gradient Well Color Well-1_Horizontal Slider_Static Text (Inset Lines)YStepper-3_Text Field Cell (Borders)\Color Well-1_Number Formatter-1^Stepper Cell-3[Stepper-3-1_Text Field Cell-5-1_Stepper Cell-3-1^NSTextField2-1_Menu (OtherViews)_Text Field Cell (Inset Lines)_Text Field Cell-6_Button Cell (Switch)-1^NSTextField1-1_Menu Item (Gradient)^Inspector View_Horizontal Slider-1_Menu Item (None)_Text Field Cell-5]Pop Up Button_Static Text (Borders)_Array Controller_Menu Item (Solid Color):::FcqyZT FHM5{K\PSD|I'UGERXFOqVW[YQL;YNJ  {Zn@-pӀ3C؁+쀷 X}^)Հ4yKjр(逹bu \rItـڀ`怅׀:7F89:;<=>?@ABCDEFGHIJKLMNOPQRSTUVW YZ[\]^_`abcdefghijklmnopqrstuvwxyz{|}CDEFGHIJKLMNOPQRSTUVWXYZ[\]^_`abcdefghijklmnopqrstuvwxyz{|}~eihS]fdqrYTp:Bŀ#:ȁ:ˁ34^NSIBObjectData7_NSKeyedArchiver]IB.objectdata"+5:?[a (6CJT_m  %.9BQV_r{  !2:HQSUWY~ !#&(*,57:<V_ly -4CTVXZ\y{}   # % ( * ? L N k t ) 2 A H P Z i r              " $ & C J K M O Q T V X q   ) > L a ~          ! # % ' ) : A H Q S U ^ a n w ~  "/79>@BDFHMOQ^jlnp|',7@BIKMOxz  )=JYfsz  49>@BDFHJRcegpr (57:CU^kr{ 3468:=?AXy~ %*/13579;=?ACJWY[]fo{}  !#:GIf  &_afkprtvxz|~ )*,.0357Opuz|~,BWt"+HIKMORTVn,3GSfz   ')FHJLNPRTVXZ\^`b#6Nfq} &(1467DFGHQgn{}',ENbi} 8]jv{|  ) * , . 0 3 5 7 N !!+!0!1!6!?!A!J!L!N!W!t!u!w!y!{!~!!!!!!!!!!!!!!"+","."0"2"4"6"8":"<">"@"B"D"E"F"H"J"W"Y"v"x"z"|"~""""""""""""""""""""""""""""""""""# #####!###%#)#>#?#A#B#C#L#N#S#U#W#p#{##################$$$$$$!$2$4$6$8$:$K$M$O$Q$S$x$$$$$$% %1%2%4%5%7%8%9%:%<%=%F%H%K%M%b%g%i%r%%%%%%%%%%&&&&E&O&Q&S&U&W&Y&[&&&&&&' ''6'8':'<'>'@'B'''''''''("([(x(z(|(~((((()))))) )")?)A)C)E)G)I)K)h)j)l)n)p)r)t))***** * **+*-*/*1*3*5*7*T*V*X*Z*\*^*`*******+++B+J+++++++++,,, , ,,,,P,,,,,,,,,-"-?-B-D-F-I-K-M----------....v.x.z.|.~..............................................///`/b/d/f/h/j/l/n/p/r/t/v/x/z/|/~///////////////////////////////0!0#0%0'0)0+0-0/010305080:0<0>0@0B0D0F0H0J0L0N0P0R0T0V0X0Z0\0^0`0b0d0f0h0j0l0n0p0r0t0v0x0z0|000000000001111 1 1111111!1$1'1*1-101316191<1?1B1E1H1K1N1Q1T1W1Z1]1`1c1f1i1l111111122&232?2L2c2q222222233363C3X3g3s3333334 4424A4W4j4~4444444444444455555555555555555555555555555555555555555555555555555566666 6 6 666666666 6"6$6&6/626666666666666666666667777 7 7777777!7#7&7)7,7/7275787;7>7A7D7G7J7M7P7S7V7Y7\7_7b7e7h7k7n7q7t7w7z7}777777777777777777777777777777777777777777777777777777777788888 8 8 8888888888!8#8,8.8/888;8<8E8H8I8R8a8f8x8}88././@LongLink0000000000000000000000000000014600000000000011566 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWAddSmallBottomBar.classdescriptionunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWAddSmallBottomBar.classdescriptio0000644006131600613160000000037111361646373033467 0ustar bcpiercebcpierce{ Actions = { // Define action descriptions here, for example // "myAction:" = id; }; Outlets = { // Define outlet descriptions here, for example // myOutlet = NSView; }; ClassName = BWAddSmallBottomBar; SuperClass = NSView; } ././@LongLink0000000000000000000000000000014700000000000011567 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/Inspector-SplitViewArrowBlueRight.tifunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/Inspector-SplitViewArrowBlueRight.t0000644006131600613160000000715211361646373033532 0ustar bcpiercebcpierceMM* @xD&xݮX6  )*)7[-V 4 UEȢq_CA0`|B+ɥb5:àj\X3 ` #AU]+pR<1K&"\zc0`H*9Q -ky^^@kj7Zms@ 2(12=RSis H"HHAdobe Photoshop CS4 Macintosh2008:12:27 02:55:49 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Kmunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWControllersLibrary.nib0000644006131600613160000001433611361646373031412 0ustar bcpiercebcpiercebplist00 X$versionT$topY$archiverX$objects]IB.objectdata_NSKeyedArchiver 156;<@DHPt} q  !-0<?CGJKNQ`RVbefxyz   ()*+,-./012369?ZNS.objects78ABBC5\NSMutableSetUNSSet=EFG IJKLMNO]NSDestinationXNSSourceWNSLabelEB DQRSTUVWXYZ[\]^_`abcd+fghij++mnobq++_NSNextResponderWNSFrameXsubtitle_initialCategoryPathZidentifierZNSSubviewsXNSvFlagsUlabel[draggedView_filterableNamesXNSWindow_briefDescription_fullDescription[NSSuperview_animationScalingMode_representedObject]draggableView A@!  "# QVWu[2^mwxiym{|[NSFrameSizeeabdc=E QRW[^NmNZNSEditableVNSCell[NSDragTypesYNSEnabled    =>_Apple PDF pasteboard type_Apple PNG pasteboard type_NSFilenamesPboardType_1NeXT Encapsulated PostScript v1.2 pasteboard type_NeXT TIFF v4.0 pasteboard type_Apple PICT pasteboard type_{{16, 16}, {48, 48}}qqq[NSCellFlagsWNSStyleZNSContentsWNSAlignWNSScale\NSCellFlags2ZNSAnimates 2^NSResourceNameWNSImage_Library-SheetController785_NSCustomResource785[NSImageCell785[NSImageViewYNSControlVNSView[NSResponder78£5^NSMutableArrayWNSArray_{{20, 202}, {80, 80}}_Sheet Controller_$FB2E7CB9-EA98-4C6F-B4EE-7CFA4E1599D2_4Controller object for loading and dismissing sheets.\NSAttributesXNSString_NSAttributeInfo?%$=_Controller object for loading and dismissing sheets. To use, connect its outlets and actions. Optionally, you can connect the delegate outlet if you want to execute code when an action occurs on the sheet. The delegate should implement the method -(BOOL)shouldCloseSheet:(id)sender.=EӀ؀&/59;=WNS.keys.ހ'()+_NSParagraphStyleVNSFont+ZNSTabStops[NSAlignment*785VNSSizeVNSNameXNSfFlags-#@(,YHelvetica785785\NSDictionary=.݀(0'134ZNSLigature-2VMonaco+*=.'0(64317WNSColor\NSColorSpaceUNSRGB8O"0.66666669 0.050980393 0.5686274878 5=#(.'0(6,431:/8O!0.36078432 0.14901961 0.60000002=27.'0(6;431<>8O!0.24705882 0.43137255 0.45490196@ABWNS.data>M78DEEF5]NSMutableDataVNSData78HII5_NSAttributedString[Controllers78LMM5_IBLibraryObjectTemplate23PC_BWSheetController78STTU5_NSNibOutletConnector^NSNibConnector=WXfY[NM^_bGI BWY 23dH]NSApplicationQghRiWj[kl^bnopqrstmvqbYNSBoxType[NSTitleCell]NSTransparent\NSBorderTypeYNSOffsets_NSTitlePosition VLJ K _{{20, 288}, {224, 5}}V{0, 0}{|}~q_NSBackgroundColorYNSSupport[NSTextColorUPMNTSBox-#@*O\LucidaGrande[NSColorName]NSCatalogName8SRQVSystem_textBackgroundColortWNSWhite8B1t8M0 0.80000001785_NSTextFieldCell\NSActionCell785UNSBoxQRW[^b_imb `XY  _{{20, 290}, {138, 17}}{|}f^]NSControlView@UZ@NW@]8\[Q\controlColort8K0.666666698_^Q_controlTextColortǀ8B078ʥ5[NSTextField=È^[NWI Z{264, 327}78Ԥ5\NSCustomView78â5=Wـfbbb^N  W =WfY[NM^_bGI BWY =Wfjklmnopqrs[Application_$Image Cell (Library-SheetController)_Horizontal Line_*Library Object Template (Sheet Controller)\File's Owner_Static Text (Controllers)_Text Field Cell (Controllers)_Library Objects_$Image View (Library-SheetController)=Wf=W f=WfYG[NM^_bG I BWY =Wf !"#$%&'xyz{|}~78*5/9).6=E5=W8f=W;f78=>>5^NSIBObjectData"'1:?DRTfw} ,8FQ_{ %.7BGVir}6HPYoz%')+-/1368:<>@BDFHJkwy{}9Um#+6>FS^ceglmz+4;JRj}       : C E P R T V X Z g o q v x z     $ - 2 ? L N U W Y [ b d f h s " + 0 = ? H J L N P Y [ ] _ a n p   " ) 7 > G L a m v   )+-;lv (49;=?ACGXZcehu &3<EKlnprtuwy13579LY[^gr~  "$&(*,.02;=RTVXZ\^`bdfr!3Zcefoqr{}   "#,1?@unison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWTokenField.classdescription0000644006131600613160000000037011361646373032375 0ustar bcpiercebcpierce{ Actions = { // Define action descriptions here, for example // "myAction:" = id; }; Outlets = { // Define outlet descriptions here, for example // myOutlet = NSView; }; ClassName = BWTokenField; SuperClass = NSTokenField; } unison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/Library-TransparentTextView.tif0000644006131600613160000001146211361646373032740 0ustar bcpiercebcpierceMM*, *Lx  BaPd6DbQ88,pcOR=HdP4_'rG/Le๣loR׬M?>#2BT%6h 58=W7VbÙB~yX` 6W2oyZ88:mSzɸoz`a+qXUmi`+CNt۟p/Hm 5V`ndlOmFY|3h᯾#JQ3+ϑsy]"M-]0/wsfM~1]^w]A7)^ЮͲo(v@8#YB$a Pa j|1_P=jq {S!" |)a!*«1%2h['èd>tJ*-r;̌LȀlZ"JY7$4O XPs,5:Uр9=,S|OЈ;PvKI}OT]RՉ"JTրmH!t]S_RNBE } ]i捭X+mJ dVMl WU%%^ {ЅC[ |` h})JWa>f ̀hUsˆ`Ǒ=xއ{/! (ѩ=B*0M a #XJ{lZl$ F)#(DFt4;+u ;L '~}6|l(=szmkbBt m{+ lb\G,dpT.gd٢r:%q'"R3$BodTMՠS@KXh>S*"R6; JAQ+jH)li:%wf}I?—q ; 9[(KY^ Z|2icO"2H!ihlo"̄yA󄇢T\IM"7D3\h^4#tTgQo4 o5`GGa+ m:P4vbW0 i!"F/Jm-NCX3@G] JE , 2s(12=Sis HHHAdobe Photoshop CS4 Macintosh2008:11:03 23:24:19 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Kmunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWToolbarItem.classdescription0000644006131600613160000000037211361646373032574 0ustar bcpiercebcpierce{ Actions = { // Define action descriptions here, for example // "myAction:" = id; }; Outlets = { // Define outlet descriptions here, for example // myOutlet = NSView; }; ClassName = BWToolbarItem; SuperClass = NSToolbarItem; } ././@LongLink0000000000000000000000000000015700000000000011570 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWTransparentPopUpButtonCell.classdescriptionunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWTransparentPopUpButtonCell.classd0000644006131600613160000000041511361646373033532 0ustar bcpiercebcpierce{ Actions = { // Define action descriptions here, for example // "myAction:" = id; }; Outlets = { // Define outlet descriptions here, for example // myOutlet = NSView; }; ClassName = BWTransparentPopUpButtonCell; SuperClass = NSPopUpButtonCell; } unison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/Inspector-SplitViewBackground.tiff0000644006131600613160000003162411361646373033377 0ustar bcpiercebcpierceMM*&kN  BaPd6DbQ8V-FcQv=HdR9$''^8@Rspm.K ̼>Og;y /P!~nL+K_hsp?sP%H y&i/[-XLB~ˀ\\A.p]3X6 7n"+ X8Cul&쎮Mj; cLr,wj=iƬP☷cc~+~߫&y\(-딮"3ǩ|ĐPuR = b6kZƦj%')⒃ \էo2.*X{'=:\`#, ̿&RꜣBh<4rd 84[%\\&d'@ ӊ:!mGOKkʦN(m30+1sRP)Ks@b Tie)tI=,ȳr:\3EjP3Ke<Ηdܗ2%OJ4Шt}rF%-e_#FS]aF d|Quw$5"ND%7톧s=$? .@Qѥf 2TsKZd!$DOf4Vpa9%P$]]l SљKNmcI~A#Ւ7/$хݹ@ 0[ )FZ\J^|4$`*iN285 X3O]esFQC*Y%Ig`ؗv/)Z&p &9?Hf?R Y"J\>2X+Qg=R_rciIK.$19HIǬҮe ~S=?'ɱ8Jzk&< BTr+mOE9UVc&)mjޡlRǷőp'IuGց!DS" DŽJH&1A Tʆc9t}a8:+XR,vIZKA ЀlOXXj `1+ZS}x:|"1.fd}dRL(ZjUW7F./˕YiRn~=E.H6v. 0ř; g ZeֶW}'>{:?]a]z N=Mr#yq{ƶsq |>Ǩ*/럱PÅ$L!兌r!JP&D#9b*c\'(r\c\N-wX@ Ek>yXPA%Ơ^3!)8䰜*AW,]01Irdc1IBc7hy-%ܞx5c! d̐ѧ+"~#R|\aMW$+mrWct 9F*os%ГswԜ l&!ħ׺ԬA#Z:MteCQFa2 nP樍ֲ6rueAu#{+ #ٔG#K먗/O:>3fقvfgR;֌n>.>tOTG:A%)M!,wµԏnajXVr?w0-)?+nULݻoP (ra.7t^miqRz4Fdw8wܚu14s/)uj*BXLpx MWl0FI> YH`J)vZ/M$ħ*.v!hAH·|uB~ED܈e C&-"<`%D=ctn)d*noO" .vK 0 p  @ O¢<0hxfԨ&L+àa~P0p$@ 8D a 2F |c-aAAmA1EqIL! ` @ &<\HkXMXfR8LXaA^au1q( @-4o(x^!Aq `~ 1^_\q :H` :~qoqFd<9#=#@! q\ɢyh\!bR̀@a~hd8caC!C(2(r QH` FFI P$:(-2-bF ) )K JsKb0!HrL~qM!,a5-1!2" 2q ;)2% L!$,!M!5s%6m6B +.", |]Pa4`^ c-*C:as7;s@-. ( PSH`$XXpV{-s!?!A?@0 z@ h|_9 ,>㌿5!ai@TMDP$<Ȥl<$,*R vA&MS^a|gE4I"L-3&tB!G$0!:M>D!I!cIN4J+ %†!0&^g7v:Su9@T ̠ '`oOXVH`2pBB&+HaC?AvYSXsn ` ~<` L a!UĆ`$Tga1!MS!tUX\ YʉKz`^$2-Cao\`$ L LDS~(AR& \5aAzf6e`LE$OաaHBR $*~,H Bp+ÌMBAgk6`)Aq s8̯>`c@^`&@ҼM!kajQkwp0 `Tğ$LyE 9A( &4gn5RtQ  ^M,'J W'^NZ%SPaAtGu7y WX,+4*V. JjaUR@, V7CxאA}#@M.8CJZW 2jK-t:U*^j?~8--~w$< TAn9R2|:=Pa8$18t!jՓgR^1 !TQ#z0C5*^xw Ā\Rbt&j$0 l4d#-?8gPAa~8xr mKg2B6S Y@6 "7ց%&01!T1U~ @}QXU?gSb@ `8 B0\,nA}9Ww @ $ye2Op~쮬a.LH`Zi$K¶8Pa7e٥p A 9e`9Π,G@b=p`H`nV(h^]:a 6  &,'T >t H`܄m˱xEA6a =2* `(4@.@1>GCC! HyEgru<̡0A 9-a2 A(.D;Tr'aMAyR ` (kљaAT~;鲊@:;@"= >YC[ɲzap  bViѱwB}a*(!$  {78!7H`AWô)Л~CAF>< -*LbcN;%!abQ:linNA8_]q`-C`@aq%A>$#.hF@)xA {v9 (mCN)En9GI%IT&-!@H pX,?@?O-J'@J}>7uΆj[u]  !0X    ~?{> 2/9ՀZW_ϷM;g<(4^yo"€H:z~}[˾2拏%;3p, =ժzuk[V& 8&@x '!;k:cH34x~G(xOqw] "8 B'z{:G՞y΂*+JX\(~yVUeyfZ 0+ h~/c$}̬~GΦJj (*~yX]kŽ!Ч2@RMk*'iX4׎gVy_q\BV1jέj+59a΀@JҪԯk(yIc|{wlQ\Wp5ҡ$"\5 u~T Q}'qd}pf=M*R*_ =BQ|~1PRc|2`}V Ar A00[9P |;'?PXӨ ؙ+ (󬧢QR)GQ ) CK#Al<8 Im%"\ օ#HUDhc`xi1蕱{" &-=`!PWv<ưOI /M(W$@pgG@:`ނjLz -eØJ8cLB*(ɠD& ħA(38$*?hcn qs1gTqJi!uFhB @ptq.J͙hې\^!DY`(@LJb)U!A >3v*Xi:PTJSun ,[G._GpC IGj+=rPP9b!1)[Vi(4YO&`Qt%t(H6_Ug=j Z`l|O*3xi0cC7>(č`U7W+QTFH4A3|y&0?egtRč Sk.. scJ5 BHKp(3x{YI]_눢=asq#>K~IXM{{=C(}^r@at/Äf4U\@@003| a[RLВO`=gլ;rsL6ѡ3 Jqh7 ªs(>;3frA1U[d!H`>IZ\S<CBizX(ό14FNhљ"|3[CO?&wd~g]zJ)*t>d?Ea@FcFǻc`5G uʼnL L~::_vy(PaY%,`-J_ARa[P{遰;Y{Wu*mt8 @5Q:b5 ([Bt,JgҲQ/@l}k3Rdb q@[*Pٺ a n9j+I`= 7jRu ;л674^K,B `R T ;sFBt1Xyz[M'Dw"*Tr V'ݻt3by7'f"V3]Gv@XP>"<:>#>>R;#42k={C*+<;yП+c 9?3 33Cq(~ˊ sm?cֿK?| >K?34\I@:%S8Ɓ;,zY*,@<“c?taT^q?LAbưY'9D3B $7lB*>g?K(AApiqt3BhZ?>{̮'4ࡽqDeyZ۽SV "{" YA8~A{[{یqJ-9{BD:U*tzD繻Ŵ5R`xqHU:KoIRҐHKJ$X:pǑIA3õ4|X?{-txƴC;?ÚlR=B{4ujLBDLvFE#,|)$Hz@ɣBK=c ߶EL\.TȡYA_;GLw';TDqSy{=Qp/G=Jx~ H (),{% EMOC4T+M5WAēLO]X3) xrӤn(9Uĭh?Xp55_H[Q<ž{L&)ťӑPŞWгC+DG4 MO̹Fe*@YBGmXn;hXk&2%'' (1'2'2=S'Fis H'LHHAdobe Photoshop CS4 Macintosh2008:12:27 00:43:51 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Kmunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/Library-TransparentButton.tif0000644006131600613160000001076211361646373032436 0ustar bcpiercebcpierceMM*f, *Lx  BaPd6DbQ88,pcOR=HdP4_'rG/Le๣loR׬}?B怶5Gge6aC1UWVkQ0eu_6F:ҷgB]ol' /@dqx~/샀rR+[7,k O<}Cu:.k~?t8 a@X.عN CǏa0gq< vSaHXk4n8'h|M?1oץ~vlgY<)x*!jgS^xP p y!}nt9q*~0 0aƌqChkb~/a(Nfy)"fɬǴ$p-LV(l欘HV橦gS;=?& ⡖di5*hX,ɱMtOOԝC07!?6tbȸ0D"ނ2l׃}\ {؃`::ŸUu^JD`kR 6/o'zоcTt| !|T lGM0_x1p"ij|Q|1!/5!& |ZEn bptGiuxϙ7Z8}yR)1mN@T @HWJb..k浜OPH)_Ghx<#aP|2 (rpԀ6`diHPZruƦ[@Ӌ]H=\=b"^TpGļN &EBO瑍t%qzϬjxX'F6> yRb nFɵmRԵt  C!yVäY^UT`Y(jJ8!W@@(גHgUl{RJQ ´9P9X|(ވP+CEam1*DIdЩH1>J.xB2EB,i , \24bj(1r2=Sis HHHAdobe Photoshop CS3 Macintosh2008:05:18 00:05:52 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Kmunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWAnchoredButton.classdescription0000644006131600613160000000037011361646373033270 0ustar bcpiercebcpierce{ Actions = { // Define action descriptions here, for example // "myAction:" = id; }; Outlets = { // Define outlet descriptions here, for example // myOutlet = NSView; }; ClassName = BWAnchoredButton; SuperClass = NSButton; } ././@LongLink0000000000000000000000000000014600000000000011566 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/Inspector-SplitViewArrowRedRight.tifunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/Inspector-SplitViewArrowRedRight.ti0000644006131600613160000000713411361646373033526 0ustar bcpiercebcpierceMM* @~P8`7 U*0 -Ej9 LApT&J( CF10bzQ<Hx VG=ELw)F|ЮW ga s(d 2(12=RS is HHHAdobe Photoshop CS4 Macintosh2008:12:27 04:33:26 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Kmunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWBottomBarLibrary.nib0000644006131600613160000002430111361646373030766 0ustar bcpiercebcpiercebplist00 X$versionT$topY$archiverX$objects]IB.objectdata_NSKeyedArchiver 156;<@DQY} b i+/9BFJKLMNONSXimw !"#$%$)0127>?@Eastu 789:;<L=>?@ABCDEFGHIJKLMNORU|U$null  !"#$%&'()*+,-./0VNSRootV$class]NSObjectsKeys_NSClassesValues_NSAccessibilityOidsValues]NSConnections[NSNamesKeys[NSFramework]NSClassesKeysZNSOidsKeys]NSNamesValues_NSAccessibilityConnectors]NSFontManager_NSVisibleWindows_NSObjectsValues_NSAccessibilityOidsKeysYNSNextOid\NSOidsValuesŀĀƀ234[NSClassNameXNSObject789:X$classesZ$classname:5^NSCustomObject_IBCocoaFramework=>?ZNS.objects78ABBC5\NSMutableSetUNSSet=EFGHIJKLMNOP 39HZ[mnRSTUVWX]NSDestinationXNSSourceWNSLabel2 1Z[\]^_`abcdefghijklm+opqrs++vwxkz++_NSNextResponderWNSFrameXsubtitle_initialCategoryPathZidentifierZNSSubviewsXNSvFlagsUlabel[draggedView_filterableNamesXNSWindow_briefDescription_fullDescription[NSSuperview_animationScalingMode_representedObject]draggableView 0/!  "# Z_`~d2gvrv[NSFrameSize7=EV Z[`dgWvWZNSEditableVNSCell[NSDragTypesYNSEnabled    =>_Apple PDF pasteboard type_Apple PNG pasteboard type_NSFilenamesPboardType_1NeXT Encapsulated PostScript v1.2 pasteboard type_NeXT TIFF v4.0 pasteboard type_Apple PICT pasteboard type_{{17, 17}, {46, 46}}zzz[NSCellFlagsWNSStyleZNSContentsWNSAlignWNSScale\NSCellFlags2ZNSAnimates 2^NSResourceNameWNSImage_Library-AddMiniBottomBar785_NSCustomResource78£5[NSImageCell78ť5[NSImageViewYNSControlVNSView[NSResponder78ˣ5^NSMutableArrayWNSArray_{{20, 253}, {80, 80}}_Add Mini-Size Bottom Bar_$B9E1A9B6-64E0-4283-93A4-92E198E82690_5Adds a mini-size bottom bar to a non-textured window.\NSAttributesXNSString.%$_kAdds a mini-size bottom bar to a non-textured window. If you want to put text on it, use 10 pt system font.=WNS.keys-݀&'(*_NSParagraphStyleVNSFont+ZNSTabStops[NSAlignment)785VNSSizeVNSNameXNSfFlags,#@(+YHelvetica785785\NSDictionary785_NSAttributedString_Window Frame Elements785_IBLibraryObjectTemplate785_NSNibOutletConnector^NSNibConnectorRSTUW24 8Z[`d2gk rvk 756 _{{108, 270}, {46, 46}}_BWAddMiniBottomBar785\NSCustomViewRSTUX2<:1Z[\]^_`abcdefghijkl+o !r"++v&'kz++ 0B/D;CEF =E-<Z[`dg245v:> ?= :=>;zDzz@ 2IA_Library-AddSheetBottomBar_{{177, 253}, {80, 80}}_Add Sheet Bottom Bar_$CDD912D5-A7D5-48E9-BFE4-D49E9C7EE333_*Adds a bottom bar to a non-textured sheet.R.%GRSTUUV2WI8Z[\]^_`abcdefghijkl[+o^_r`++vdekz++ 0Q/SJRTU =EklKZ[`dgVprsvVIM NL I=>yzzzO 2P_Library-AddSmallBottomBar_{{20, 165}, {80, 80}}_Add Small-Size Bottom Bar_$33725B03-2202-4ACF-B99A-E66DE702D009_6Adds a small-size bottom bar to a non-textured window..%VZ[`d2gkrvk 7XY _{{109, 182}, {46, 46}}_BWAddSmallBottomBarRSTUlVX2KI1RSTU2j\8Z[\]^_`abcdefghijkl+or++vkz++ 0d/f]egh =E^Z[`dgv\` a_ \=>ŀzzzb 2Ӏc_Library-RemoveBottomBar_{{177, 165}, {80, 80}}_Remove Bottom Bar_$DAD61DC2-341F-46F3-9A14-FC48D4FCDFD7_KWhen dragged on a window with a bottom bar, its bottom bar will be removed.܀.%iZ[`d2gkrvk 7kl _{{265, 182}, {46, 46}}_BWRemoveBottomBarRSTUX2^\1RSTU2}o8Z[\]^_`abcdefghijkl+or++vkz++ 0w/ypxz{ =EqZ[`dg  vos tr o=>zzzu 2v_Library-AddRegularBottomBar_{{20, 77}, {80, 80}}_Add Regular-Size Bottom Bar_$2DBAA44B-C425-49F3-A1EA-F046EB60FF51_8Adds a regular-size bottom bar to a non-textured window.(.%|Z[`d2gk,rv.k 7~ _{{108, 94}, {46, 46}}_BWAddRegularBottomBarRSTU42:8Z[`d2gk:rv<k 7 _{{265, 270}, {46, 46}}_BWAddSheetBottomBarRSTUX2qo1=FGrUWV4V4lUVk [\:NW Ij}< ?K^a to4q\Zbc[d`edfggkijklmnovqzkYNSBoxType[NSTitleCell]NSTransparent\NSBorderTypeYNSOffsets_NSTitlePosition   _{{20, 339}, {224, 5}}V{0, 0}vwxyz{|}z~_NSBackgroundColorYNSSupport[NSTextColorSBox,#@*\LucidaGrandeWNSColor\NSColorSpace[NSColorName]NSCatalogNameVSystem_textBackgroundColoroWNSWhiteB1785oM0 0.80000001785_NSTextFieldCell\NSActionCell785UNSBoxZ[`dgk[rvk  _{{20, 341}, {117, 17}}vwxz}V]NSControlView@@_Bottom Bar Views\controlColoroK0.66666669_controlTextColoroǀB078ʥ5[NSTextField=ÈVUWUV4 4WI}o:j\Z{334, 378}23݀]NSApplication78̢5=F〦klkkkkkkWVVkkVkkk K : < I \^q o =FrUWV4V4UVlk [\:NW Ij}< ?K^a to4q\=F !"#$%&'()*+,-./0123456€_.Library Object Template (Add Sheet Bottom Bar)_&Image Cell (Library-AddSmallBottomBar)_Add Small Bottom Bar_2Library Object Template (Add Mini-Size Bottom Bar)_3Library Object Template (Add Small-Size Bottom Bar)_Add Regular Bottom Bar_&Image View (Library-AddSheetBottomBar)_%Image View (Library-AddMiniBottomBar)_&Image Cell (Library-AddSheetBottomBar)_%Image Cell (Library-AddMiniBottomBar)_Horizontal Line_Static Text (Bottom Bar Views)_&Image View (Library-AddSmallBottomBar)_$Image View (Library-RemoveBottomBar)_$Image Cell (Library-RemoveBottomBar)_Library Objects_(Image Cell (Library-AddRegularBottomBar)_"Text Field Cell (Bottom Bar Views)\File's Owner[Application_5Library Object Template (Add Regular-Size Bottom Bar)_Add Mini Bottom Bar_(Image View (Library-AddRegularBottomBar)_+Library Object Template (Remove Bottom Bar)=FQ=FT=FW$rUOWGVI4MVJ4UVlKNPkH [L\:NW Ij9}FOep{ !#%'),.02468:<>@amoqsuwy{   /Kc !,4<ITY[]bcp    " + 2 A I a |   r     " $ . 7 < E J W ` e z   * , . 0 2 4 6 O d m v         @ B D F G I K L N P Y [ h j l n p r t  MZ\^`qsuwy!#$&()+-68EGIKMOQrtvw:GIKMjlnprtv"$&(*,.02468:<>@BKMPR{}/V  "$&79;=?  8:<=JLNPn579;=?AYq;=?ACEGIKMOQSUWY[]_acegikm<PZfkmoqsuy'),5:GIW`i{!#%*,?TVXZ\ivx   "-68:HQV_a   "$&(*,.02468:<>GI%Z#K]~2Wdp "#,./8: # % ' ) + - / 1 3 5 7 9 ; = ? A C E G I K M O Q S U W Y [ ] _ a c e g i k m o q s u w y { }   unison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/Library-AddSheetBottomBar.tif0000644006131600613160000001515411361646373032234 0ustar bcpiercebcpierceMM* .. @( A`8,6DbQ8V-Fc@|Gx(> rd]/C_0W4Fc?PhS W )*VWQ`@-j x(Z ..dE`U: \  Ҳ6%q?q1^+r+ \dI _XhZꍏſ1r:6Yv$g`RLfl4 0Pk5ʋ}?m=w@  0Ρ.48 6nJ;6I)j/t`޽`!*L ǀ 2cӰpX({/p1G (<^MOs16H8 D~" 3J52R,{w,Qŝ8żY+":{2i?LLtπed3bWB JfT&B q1$  0 \4 HO ҅Pd.G@%}?):\@~Gɿ ~@&"&Zp*|t0hd`Ƙq P9&DLt1$jjw-4 G`\ ȣP;ِ(Cz~EbN+!E} "r0e 4G@3E.l >(GaN-! aA`&?k. M@#JfGB"`PihȭJ*OJ)j"pH #:1G ,ё[`1jv1] $ *ŀ-< ` umj[s6D ;uC 6@̐VSチT<aoӂ\q))G -PW []n\H @=k4#ŧr}(飅vّvW1%jOk Ir"Ǭ~=vЮE(|Rjح¨ э[ f|5t0> J 1pc&nͲ2\Id s(ž(ey OX ]F [ˠ=3)Y!73{@vn&\ * wupsO,ÆpMZjUfr7ؿ;#ҺV5\8$9XH05^_oZV6u%Sڿ;논nasi!oh].0sjݯ:p@Cw KNlT|Xma(P[z npwj,.Bv,qoog2P [ e@ ophanp,1OS`q*R /A 0lp k 0zRp~|/&{nc bP"@0" iaX7-p- 7 }*poe1fa mvypB.нc0d.G˔'q1NCŭC4 P3 gFŒ* ,:9  LZZ1(@!1]!#"ku 8M}q%%.%a[&2&Ru Qk ͝r8j@dR? Er M$Y%&T{* %r&r"1AW+/Glw?q@g-19$2CR)\2:OZ// / 8R1*3 11 ,2 +(RRBQ⼒ .BXD4/O` Y*3`-|2.{ w8o5*E34C4a9 'Q4*+  " Y" !Q;6q\TwBo'E698B8874G :N `? T/r   3M"1B-(_-->CW@ B t p H C /T` }o=tN!B NJh" Gb"l`Dhl3oؒ{.. 2   (1 2=RSis H$HHAdobe Photoshop CS3 Macintosh2008:08:31 03:53:10 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Kmunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/Library-SelectableToolbar.tif0000644006131600613160000001230411361646373032321 0ustar bcpiercebcpierceMM*(0 P8$ BaPd6DbQ8z, M1Hv=Hbk"]='e@E/LfR|}@ GR԰3QRt Vjpd@ $A}6kpװsB.6 o f(M|`,z@S=Y ֗}j@ `@~כ~Xu_/@8T KA<{@w?fx@o XMc|u7lvy8Cvcj A HH,p{Gkp!b V`0HŌRw,d  KdG/K1#`!~pz#  @b}[B($JtP2 tM}`JҒ T\Ss%Ih"FP Np,}J! yK@ JF "q: &Ig0a:>gE6LgmHRD+M4=!~$0l{_b ۧqf^{6tYV9I獀< CY@(er\WgE͂ng0Ia}*-1A6|ih F!JWF1@PQ&EHҲ >1 Yv`Hp9ÀWnzri 8(4  VkFi3b4[ty `#HSR9zHvwqQT M~Br'hPfya+lHN\rKjhl<"^c`@"Ahmxʂm4PaAzHFh՜:Ylaq)g 5I(]T @t`^P,G8o XD2&Y`Q&6?qOeSy>B@PC-@.AL?%kxf !-TA].`P@\ :נTb t%@4fcGQ1ԚNf#~&js,nnnH=jDxpv[G8.11։qv`0p68nns oPAPrG)(P^52ZEE!RB"HI-)H Ǭr:({TGT$LqiS9Ns'AՀTnXezV Vw HYQ8WC) dCRc.3k?&4R:*l`94Q$XDp9B X"X;bf`@m mc\G v< AmʡW %Cm [)8ԹR5NLTX.AkvYwHAYCS0jx3b w@%).LjD-˿@An7 ~B 0ɟT5pYW{ЮR6#.w]!/" 1Q OCrTNA@dQ2E/&&Q% iMYlGaF@`e͙da7d0*22:(1B2`=RStis H|HHAdobe Photoshop CS3 Macintosh2008:08:31 17:36:33 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000015000000000000011561 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWTransparentCheckbox.classdescriptionunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWTransparentCheckbox.classdescript0000644006131600613160000000037511361646373033620 0ustar bcpiercebcpierce{ Actions = { // Define action descriptions here, for example // "myAction:" = id; }; Outlets = { // Define outlet descriptions here, for example // myOutlet = NSView; }; ClassName = BWTransparentCheckbox; SuperClass = NSButton; } ././@LongLink0000000000000000000000000000015000000000000011561 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWTransparentScroller.classdescriptionunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWTransparentScroller.classdescript0000644006131600613160000000037711361646373033661 0ustar bcpiercebcpierce{ Actions = { // Define action descriptions here, for example // "myAction:" = id; }; Outlets = { // Define outlet descriptions here, for example // myOutlet = NSView; }; ClassName = BWTransparentScroller; SuperClass = NSScroller; } unison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/Library-AddRegularBottomBar.tif0000644006131600613160000001521211361646373032560 0ustar bcpiercebcpierceMM* .. @( A`8,6DbQ8V-Fc@|Gx(> rd]/C_0W4Fc?PhS W )*VWQ`@-j x(Z ..dE`U: \  Ҳ6%q?q1^+r+ \dI _XhZꍏſ1r:6Yv$g`RLfl4 0Pk5ʋ}?m=w@  0Ρ.48 6nJ;6I)j/t`޽`!*L ǀ 2cӰpX({/p1G (<^MOs16H8 D~" 3J52R,{w,Qŝ8żY+":{2i?LLtπed3bWB JfT&B q1$  0 \4 HO ҅Pd.G@%}?):\@~Gɿ ~@&"&Zp*|t0hd`Ƙq P9&DLt1$jjw-4 G`\ ȣP;ِ(Cz~EbN+!E} "r0e 4G@3E.l >(GaN-! aA`&?k. M@#JfGB"`PihȭJ*OJ)j"pH #:1G ,ё[`1jv1] $ *ŀ-< ` umj[s6D ;uC 6@̐VSチT<aoӂ\q))G -PW []n\H @=k4#ŧr}(飅vّvW1%jOk Ir"Ǭ~=vЮE(|Rjح¨ э[ f|5t0> J 1pc&nͲ2\Id s(ž(ey OX ]F [ˠ=3)Y!73{@vn&\ * wupsO,ÆpMZjUfr7ؿ;#ҺV5\8$9XH05^_oZV6u%Sڿ;논nasi!oh].0sjݯ:pO_RngXvq\Swϗ9ۜ *Qz_t.+8 ‡o7z+ͽOj 0m3҈ w[, 5u-zxKtH(2Zxb? w ^t|$0!Wl=}! jg^wI􄃂?( xy=B{~7>͐@q~_e?M hc'e/aI_у@v @&+/T1*&m0R= P8~ROWg¶/8" a` t X hϺn`yoُ$/{JޛLώ0Q"& pB b )b i " 6Gz*OPNE 0NP" J PQ-woA% l mv9=b o#Q cmudm1&G˔'ДF9lZBQN%U b _bfnl/5 {ZZ1I QM"X' 11 o k0.à>0"8!#I2r4%|!Rj@dRN#)"0:A0(r!8 rC #rvq&"}4r'2'M"|"h rVҼ!. c 8A *@310Y1`i&O"QD ⼒{-"*@sD4j28,B \b P slo1Ϥ|P/q:ψB7p34S-Ҍ: S(@;Z P^ S @t.hBwBo%6@9*E9qK9#A@`B NA1>Q>OPf[CS0IDaLm0 bKd R O G @8$`Gb.t\,.g2T>(k AEb +&R"b 8l" `DЍvT5i"j b.. 2  (12&=RS:is HBHHAdobe Photoshop CS3 Macintosh2008:08:31 03:03:17 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000015200000000000011563 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWTransparentSliderCell.classdescriptionunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWTransparentSliderCell.classdescri0000644006131600613160000000040311361646373033540 0ustar bcpiercebcpierce{ Actions = { // Define action descriptions here, for example // "myAction:" = id; }; Outlets = { // Define outlet descriptions here, for example // myOutlet = NSView; }; ClassName = BWTransparentSliderCell; SuperClass = NSSliderCell; } ././@LongLink0000000000000000000000000000015100000000000011562 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWTransparentTableView.classdescriptionunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWTransparentTableView.classdescrip0000644006131600613160000000040111361646373033556 0ustar bcpiercebcpierce{ Actions = { // Define action descriptions here, for example // "myAction:" = id; }; Outlets = { // Define outlet descriptions here, for example // myOutlet = NSView; }; ClassName = BWTransparentTableView; SuperClass = NSTableView; } unison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/Inspector-ButtonBarMode1Pressed.tif0000644006131600613160000001147011361646373033414 0ustar bcpiercebcpierceMM*9> P8 A0d6DbQ8V-D_8";0l "c2d]/E7 y s8\ 2P Of4e6O7ꬶ~Z7 G5.>o\bowtJ7t!/ ~FKt`PPb; 9ZBlVT@d6WcwjrFd tzPʛs)^`Y,Ale<""јf-,9 MBR!^cH^%H@`l p?(`-:ql\P힤"l%(VDL|+1pT| ʛ%|BX&@-6nZ8BYIKkjB^+_=#TƄ2j(vD5 ga}6wj wftixX1!X@âI LR)OJ=YA T#GF @:w8z @"  @ |FVGS8 ~04mmI`,VV,͜zРak=+p(8&]|fHyu/YkyNUgن蘾dYMBpIv=[)nm ik-[#oS o b]; æ?r"n?~ſ_W~szk| K`}W_́: 9P dЌB$_t$D=H7 .C= 6pèU!Dv ?H+V$˜lB(XWf-@ع`4_b 83c. >8cSQ8w{IGحxnOAp!H NEH09P@h9=#<wRIY,GDDC@h+ER7J .eĦ8uKW+A\fy-\' fKvǜї`hl@i% nd?9,&t:3D[ni&P07Y#~?š`L#<&W B@㓛&}<i)F* )TU@ .@9 HaRyb̈A_ ~Sw0G9>2>i(12=RSis HHHAdobe Photoshop CS3 Macintosh2008:07:02 01:37:37 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000015200000000000011563 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWTransparentButtonCell.classdescriptionunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWTransparentButtonCell.classdescri0000644006131600613160000000040311361646373033571 0ustar bcpiercebcpierce{ Actions = { // Define action descriptions here, for example // "myAction:" = id; }; Outlets = { // Define outlet descriptions here, for example // myOutlet = NSView; }; ClassName = BWTransparentButtonCell; SuperClass = NSButtonCell; } unison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWAnchoredButtonBarInspector.nib0000644006131600613160000002062311361646373033006 0ustar bcpiercebcpiercebplist00X$versionX$objectsY$archiverT$top-1289=ALT_eqr #$0459:>?@AKLTUY^bchjmptux{$3456789:;<=>?BE\stuvwxyz{|}~U$null  !"#$%&'()*+,_NSAccessibilityOidsKeys_NSVisibleWindows]NSObjectsKeys_NSClassesValues[NSFrameworkVNSRoot_NSAccessibilityOidsValues]NSClassesKeys\NSOidsValuesV$classYNSNextOidZNSOidsKeys]NSConnections_NSObjectsValues[NSNamesKeys_NSAccessibilityConnectors]NSFontManager]NSNamesValuespрstu./0[NSClassName_BWAnchoredButtonBarInspector3456Z$classnameX$classes^NSCustomObject57XNSObject_IBCocoaFramework:;?\NSMutableSet>@7UNSSet:BC5DEFGHIJK ^`bdgikMNOPQR WNSLabel]NSDestinationXNSSource]\ U.VWXYZ[+]^XNSvFlags_NSNextResponder[NSFrameSizeZNSSubviews[ ZY :Ba5bcd KfghiUVjklRnoRYNSEnabledWNSFrameVNSCell[NSSuperview    _{{8, 56}, {70, 14}}stuvwxyz{|b~[NSCellFlags\NSCellFlags2ZNSContents]NSControlView[NSTextColorYNSSupport_NSBackgroundColor@B TModeVNSNameVNSSizeXNSfFlags#@&_LucidaGrande-Bold34VNSFont7]NSCatalogName[NSColorName\NSColorSpaceWNSColorVSystem\controlColorWNSWhiteM0.666666666734WNSColor7_controlTextColorB034_NSTextFieldCell7\NSActionCellVNSCell34[NSTextField7YNSControlVNSView[NSResponderfgiUVyjRR_NSIntercellSpacing]NSMatrixFlags[NSProtoCellYNSNumRowsZNSCellSize[NSCellClassWNSCells^NSSelectedCellYNSNumCols_NSCellBackgroundColorVNSFont7D 96  8  I"J_{{82, 3}, {185, 72}}:B׀5ڀ +0stuvxc_NSPeriodicInterval]NSButtonFlags_NSAlternateContents_NSKeyEquivalent]NSNormalImage_NSAlternateImage_NSPeriodicDelayUNSTag^NSButtonFlags2|@!!$!(*"P##@*\LucidaGrande.^NSResourceName'&%WNSImage_Inspector-ButtonBarMode234_NSCustomResource7.')%_Inspector-ButtonBarMode2Pressed34  \NSButtonCell   7\NSActionCellVNSCellstuvxcK|@,!.*".'-%_Inspector-ButtonBarMode1.!'/%_Inspector-ButtonBarMode1Pressedstuvx%&'(c+./K|@1!3*".2'2%_Inspector-ButtonBarMode3.7'4%_Inspector-ButtonBarMode3Pressed34;<^NSMutableArray;=7WNSArrayX{59, 72}V{4, 2}\NSActionCellstuxBCDEFGJKH:Z[C\]?@_`a_NSTIFFRepresentationBAOMM*<'''+++555### <uPPPਨTTTuyuuu|||%%%yFjjj浵wwwF BBBJJJ xxxݿ|||$$....$nnnkkk$...,,, C______C ebbbdddee333€𿿿333eCwwC $..$  RS34de_NSBitmapImageRepfg7_NSBitmapImageRepZNSImageRep34=i=7lD0 034noWNSImagen7qrs[NSImageNameHG]NSRadioButton34vw_NSButtonImageSourcev7zB134|}XNSMatrix~7XNSMatrixfghiUVjjRRZNSEditable[NSDragTypes S T  X L:;MNOPQR_Apple PNG pasteboard type_Apple PDF pasteboard type_NSFilenamesPboardType_Apple PICT pasteboard type_1NeXT Encapsulated PostScript v1.2 pasteboard type_NeXT TIFF v4.0 pasteboard type_{{81, 6}, {61, 66}}stujWNSAlignWNSScaleWNSStyleZNSAnimatesUW .'V%_ Inspector-ButtonBarModeSelection34[NSImageCell7VNSCell34[NSImageView7Y{272, 77}34\NSCustomView7[contentView34_NSNibOutletConnector7^NSNibConnectorMNOPR ]_ ]inspectorViewMNOPc ]aVmatrixMNOPd ]cK]selectionViewMNO ڀfe0\selectMode3:34_NSNibControlConnector7^NSNibConnectorMNO ـfh+\selectMode2:MNO πfj \selectMode1:MNO cYNSKeyPath_NSNibBindingConnectorVersionYNSBindingnmol_AselectedIndex: inspectedObjectsController.selection.selectedIndex]selectedIndex_2inspectedObjectsController.selection.selectedIndex34_NSNibBindingConnector7_NSNibBindingConnector^NSNibConnector:ZCdlbcRKq 0+9 T./r]NSApplication:Z CRb RccRcc d   K:ZC dRblc 0K9 +Tq:Z&C'()*+,-./012vwxyz{|}~_&Button Cell (Inspector-ButtonBarMode2)_&Button Cell (Inspector-ButtonBarMode3)\File's Owner_-Image View (Inspector-ButtonBarModeSelection)_Prototype Button Cell (Radio)^Inspector View_Static Text (Mode)_Text Field Cell (Mode)_&Button Cell (Inspector-ButtonBarMode1)VMatrix_-Image Cell (Inspector-ButtonBarModeSelection)[Application:ZAC:ZDC:ZGCGdJEblIRKFcH D9b0Kqi ^T +g k`d :Z^C_`abcdefghijklmnopqrY]:B5:ZC:ZC34^NSIBObjectData7_NSKeyedArchiver]IB.objectdata"+5:?~ (/KYfmw !#BKV_ns|%')+-FOamxz}$0=HVbl*7?ACEGIP]jrtv )4>EQ %,.3468:<>ACEGIKMOQhqsz|~  + = C R T ] b d f h j l n p r t v x y     B K X a n u   & W Y ^ c e g i k m o r t    H J O T V X Z \ ^ a g |  (05>JLN\e{!#%')Eay"*2:EJOQSTaceg ")8IKMOQ_prtvx):<>@BOlv4=U\t  2468:<>@BDFHJSUnprtvxz|~5DYr,.02468:<>@BDFHJLNPRT]_  27EGunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWToolbarItemsLibrary.nib0000644006131600613160000002131111361646373031477 0ustar bcpiercebcpiercebplist00 X$versionT$topY$archiverX$objects]IB.objectdata_NSKeyedArchiver 156;<@DMUy  !"#'()e,0^5:KOYbfjklmnost  '()-/269<=EFPUVY^_bem nqs      #&U$null  !"#$%&'()*+,-./0VNSRootV$class]NSObjectsKeys_NSClassesValues_NSAccessibilityOidsValues]NSConnections[NSNamesKeys[NSFramework]NSClassesKeysZNSOidsKeys]NSNamesValues_NSAccessibilityConnectors]NSFontManager_NSVisibleWindows_NSObjectsValues_NSAccessibilityOidsKeysYNSNextOid\NSOidsValuesfH234[NSClassNameXNSObject789:X$classesZ$classname:5^NSCustomObject_IBCocoaFramework=>?ZNS.objects78ABBC5\NSMutableSetUNSSet=EFGHIJKL =?STbNOPQRST]NSDestinationXNSSourceWNSLabel<1 ;VWXYZ[\]^_`abcdefghi+klmno++rstgv++_NSNextResponderWNSFrameXsubtitle_initialCategoryPathZidentifierZNSSubviewsXNSvFlagsUlabel[draggedView_filterableNamesXNSWindow_briefDescription_fullDescription[NSSuperview_animationScalingMode_representedObject]draggableView 0/!  "# V[\z`2cr|}n~r[NSFrameSize=E VW\`cSnrSZNSEditableVNSCell[NSDragTypesYNSEnabled    =>_Apple PDF pasteboard type_Apple PNG pasteboard type_NSFilenamesPboardType_1NeXT Encapsulated PostScript v1.2 pasteboard type_NeXT TIFF v4.0 pasteboard type_Apple PICT pasteboard type_{{16, 16}, {48, 48}}vv[NSCellFlagsWNSStyleZNSContentsWNSAlignWNSScale\NSCellFlags2ZNSAnimates2^NSResourceNameWNSImage_Library-ShowColors785_NSCustomResource785[NSImageCell785[NSImageViewYNSControlVNSView[NSResponder78ǣ5^NSMutableArrayWNSArray_{{111, 218}, {80, 80}}_Show Colors Toolbar Item_$4441130C-85E3-495B-A733-21AC7F883A78_#Colors toolbar icon from iWork '08.\NSAttributesXNSString.%$_aColors toolbar icon from iWork '09. More appropriate for Leopard toolbars than the standard icon.=WNS.keys-ـ&'܀(*_NSParagraphStyleVNSFont+ZNSTabStops[NSAlignment)78ݢ5VNSSizeVNSNameXNSfFlags,#@(+YHelvetica78ޢ5785\NSDictionary785_NSAttributedString]Toolbar Items785_IBLibraryObjectTemplate 2   v +++_NSToolbarItemVisibilityPriority_NSOriginalClassName_NSToolbarItemView_NSToolbarItemEnabled_NSToolbarItemAction_NSToolbarIsUserRemovable_NSToolbarItemTarget_NSToolbarItemAutovalidates_NSToolbarItemIdentifier_NSToolbarItemPaletteLabel_NSToolbarItemToolTip_NSToolbarItemTag_NSToolbarItemMaxSize_NSToolbarItemMinSize_NSToolbarItemLabel_NSToolbarItemImage:3 45692957_BWToolbarShowColorsItem]NSToolbarItem_$97090EAA-0A04-42C8-A0EF-26D0A5600BE8\Toolbar ItemP2&8_ToolbarItemColorsV{0, 0}78*++5^NSClassSwapper78-../5_NSNibOutletConnector^NSNibConnectorNOPQS4< >NOPQ78T[vdvF2iG_Library-ShowFonts_{{23, 218}, {80, 80}}_Show Fonts Toolbar Item_$4B4B332F-9188-40E1-B5DF-5DFBC63F9881_"Fonts toolbar icon from iWork '08.r.%M_`Fonts toolbar icon from iWork '09. More appropriate for Leopard toolbars than the standard icon. 2   v v+++:P 4569O95Q_BWToolbarShowFontsItem2R_ToolbarItemFontsNOPQN84NOPQ4VWXYZ[\]^_`abcdefgh+kn++rgv++ 0]/^V5_` =EWVW\`crUY ZX U=>_{{19, 19}, {42, 42}}vvv[ 2ƀ\_Library-ToolbarItem_{{199, 218}, {80, 80}}_$F9174FB5-0E5B-4043-8D3C-46D902920FD2_5Standard toolbar item with a customizable identifier.΀.%aNOPQTEB8=E="=%78'((5^NSIBObjectData"'1:?DRTf29@N`|2<IKMOQSUWY[]_acegikmv %')+-/1BPYacegi 09L^j <GNZdfhjkmoprt}=Zq  )27JSZfoz % K X e n p r t    ( 3 ? A C E N S d k r { }  e  , F b y     $ 2 Y f g t v x z egikmoqsuwy{}%')+?Wq3~  WY[]_acegikmoqsuw!#$1357Mf<>@BCEFHIKMOQSUWYgpr%79;=?@BDFHJb .02468?Ubjlox}!#%'(*,Efty{} %1:<GIKMOQ\en{ !#%')+-/1:<cegikmoqsuwy{}&I~=^ ACEGIKMOQSUWY[]_acegikmoqz|  !"+-.79:CH)Wunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/Library-GradientBox.tif0000644006131600613160000003070211361646373031143 0ustar bcpiercebcpierceMM*$200(5555555555555555555555555555555555555555(,, EE NNRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRFF +Xs||||||||||||||||||||||||||||||||||||||sX+ "-22222222222222222222222222222222222222-"  00%(20$%0%8(1%@2%^RS%ris H%zHHAdobe Photoshop CS4 Macintosh2009:06:17 04:03:18 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Kmunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/Library-TransparentTableView.tif0000644006131600613160000001057611361646373033050 0ustar bcpiercebcpierceMM*, *Lx  BaPd6DbQ88,pcOR=HdP4_'rG/Le๣loR׬M?>#2BT%6h 58=W7VbÙB~yX` 6W2oyZ88:mSzɸoz`a+qXUmi`+CNt۟p/Hm 5V`ndlOmFY|3h᯾#JQ݇6 m0T ٽ_te߸WRI*Taw~|0{ }p* 뀥 @Ƅ$4l, 0 {+.(1ЀiŃD\ -H`EhGxχ?aP=`yQU+ KC\{V^VUmh#]P_Rwgx. d*%(evHkŇb"LjLV\ep/ݒ3m'o p Er ΅Zqd x!p)ᗱ|)V▝g.4.c=!PPv႞&X(V.Zg&d-m!0ٝ`{e h3H)=qjעέ)~$S>Zgū ͩ KjXZg,o Sur#"d]Wg%4<1q&3; )fLH&]?e˴Ne"n>s xCqiWfvA.j G} hmң"o G29NS|4̀ T,0(i1_m&ȡDELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Kmunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWSplitView.classdescription0000755006131600613160000000020111361646373032273 0ustar bcpiercebcpierce{ Actions = { "toggleCollapse:" = id; }; Outlets = { }; ClassName = BWSplitView; SuperClass = NSSplitView; } unison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWTokenFieldCell.classdescription0000644006131600613160000000040011361646373033167 0ustar bcpiercebcpierce{ Actions = { // Define action descriptions here, for example // "myAction:" = id; }; Outlets = { // Define outlet descriptions here, for example // myOutlet = NSView; }; ClassName = BWTokenFieldCell; SuperClass = NSTokenFieldCell; } unison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/ToolbarItemFonts.tiff0000644006131600613160000000561411361646373030740 0ustar bcpiercebcpierceMM* P8$ BaPd6DbQ8p,"F])HdP`䕴"޲܎]/A3nlrOO*c?DT0RB.bO#jU8H:vVP`_g8CjD6.wYSmk7@7qCg5{Dk U"9X}2;La0z\!6BaI=zzpgڮ$' Kߜ W!8:{Ht*CuDMb\)2r_J|%ΫqwrC 4<*?Q /,9''* q Fxx-1eL 7#gQ/r3D'|坣LMI \."7r:*B:PwQ.d%n '+\H%gYB' Poͨc1DFtQHO~0dH(\H2]̏F\2=ιZ H0FmX]3_֪VH ,U?@ZNS.objects78BCCD;\NSMutableSetUNSSet>FG(HIJK MRVMNOPQS]NSDestinationXNSSourceWNSLabelL KUVWXY2Z[\]^_[ab_NSNextResponderZNSSubviewsXNSvFlags[NSFrameSizeXNSWindow[NSSuperview J  G IH>Fe(fgh ,<UjkWlYZQnop^q[QWNSFrameVNSCellYNSEnabled + _{{81, 23}, {186, 22}}vwxyz{|}~qfqq[NSCellFlags_NSMenuItemRespectAlignment_NSArrowPosition_NSAlternateContents_NSPeriodicInterval^NSButtonFlags2_NSAlternateImage_NSKeyEquivalentYNSSupportZNSMenuItem]NSControlView_NSPreferredEdge_NSUsesItemFromMenu]NSAltersState_NSPeriodicDelay\NSCellFlags2VNSMenu]NSButtonFlagsA@ K*  @VNSSizeVNSNameXNSfFlags#@& \LucidaGrande78;VNSFontPpXNSTargetWNSTitle_NSKeyEquivModMaskZNSKeyEquiv]NSMnemonicLocYNSOnImage\NSMixedImageXNSActionWNSState[NSMenuItems) !UItem12^NSResourceNameWNSImage_NSMenuCheckmark78΢;_NSCustomResource2Ҁ_NSMenuMixedState__popUpItemAction:78;ZOtherViews>Fڀ(݀"%p#$UItem2p&'UItem378;^NSMutableArrayWNSArray78;78k;_NSPopUpButtonCell^NSMenuItemCell\NSButtonCell\NSActionCell78;]NSPopUpButtonXNSButtonYNSControlVNSView[NSResponderUjkWlYZQ ^q[Q ;-. _{{8, 28}, {70, 14}}v~g_NSBackgroundColorZNSContents[NSTextColor@:2/0,B7ZActive Tab1_LucidaGrande-Bold !"#$%&'(WNSColor\NSColorSpace[NSColorName]NSCatalogName6543VSystem\controlColor!,$.WNSWhite6K0.66666669780  ; !"#$3&4(6983_controlTextColor!,$96B078;<<k;_NSTextFieldCell78>??;[NSTextFieldUjkWlYZQBCD^q[Q F=> _{{81, 3}, {161, 18}}vyJz{|}~KLNO/PRhUVW]NSNormalImageE@B?<H] DghQfp܀.>,<[% "23\]NSApplication78;>]gphQQQf,<  >]Dghf Qp܀>,<% .[ ">π]܀abcdefghijklm_Menu (OtherViews)_Menu Item (Item1)_&Button Cell (Preferences Toolbar Mode)_Static Text (Active Tab)_$Check Box (Preferences Toolbar Mode)_Menu Item (Item3)_Popup Button (Item1)_Text Field Cell (Active Tab)\File's Owner[Application^Inspector View_Pop Up Button Cell (Item1)_Menu Item (Item2)>]>]>]HKJDghf IQp܀ VR>,<% .M[ ">]     rstuvwxyz{|}~fzip|Y{gS]eh>F)(>,]>/]78122;^NSIBObjectData"'1:?DRTfw} ,8FQ_{ <ENY^mv8JU^jsVb%:HZgn|JS[oz  +49LY[]_r  ! # % ' ) + - / 5 > E T \ e j s  ( * , . 0 1 3 5 K l  % ' ) + - / 6 C P X Z f o t    ! # $ & ( ? x    & / 8 C M V _ l z   QW!/]~)24MOQSUWY[]_acenpr 02468:<>@BDFHJ^r'4@Ol "$&(*,.02468:<>@BDFHJLNPRT]_ajlmvxy3././@LongLink0000000000000000000000000000015400000000000011565 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWTransparentCheckboxCell.classdescriptionunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWTransparentCheckboxCell.classdesc0000644006131600613160000000040511361646373033513 0ustar bcpiercebcpierce{ Actions = { // Define action descriptions here, for example // "myAction:" = id; }; Outlets = { // Define outlet descriptions here, for example // myOutlet = NSView; }; ClassName = BWTransparentCheckboxCell; SuperClass = NSButtonCell; } unison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWTexturedSlider.classdescription0000755006131600613160000000037011361646373033323 0ustar bcpiercebcpierce{ Actions = { // Define action descriptions here, for example // "myAction:" = id; }; Outlets = { // Define outlet descriptions here, for example // myOutlet = NSView; }; ClassName = BWTexturedSlider; SuperClass = NSSlider; } unison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWRemoveBottomBar.classdescription0000644006131600613160000000036711361646373033426 0ustar bcpiercebcpierce{ Actions = { // Define action descriptions here, for example // "myAction:" = id; }; Outlets = { // Define outlet descriptions here, for example // myOutlet = NSView; }; ClassName = BWRemoveBottomBar; SuperClass = NSView; } ././@LongLink0000000000000000000000000000015500000000000011566 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWTransparentTableViewCell.classdescriptionunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWTransparentTableViewCell.classdes0000644006131600613160000000041111361646373033501 0ustar bcpiercebcpierce{ Actions = { // Define action descriptions here, for example // "myAction:" = id; }; Outlets = { // Define outlet descriptions here, for example // myOutlet = NSView; }; ClassName = BWTransparentTableViewCell; SuperClass = NSTextFieldCell; } unison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWStyledTextFieldInspector.nib0000644006131600613160000002466511361646373032531 0ustar bcpiercebcpiercebplist00X$versionX$objectsY$archiverT$top-1289=AS[fp|}&./;<ABLMNRUZ[^cfrvwx|    !$$%&*/AGHIJLPVW\]bghmnxyz{-IJKLMNOPQRSTUVWXYZ[\]^_`abglU$null  !"#$%&'()*+,_NSAccessibilityOidsKeys_NSVisibleWindows]NSObjectsKeys_NSClassesValues[NSFrameworkVNSRoot_NSAccessibilityOidsValues]NSClassesKeys\NSOidsValuesV$classYNSNextOidZNSOidsKeys]NSConnections_NSObjectsValues[NSNamesKeys_NSAccessibilityConnectors]NSFontManager]NSNamesValuesꀼ./0[NSClassName_BWStyledTextFieldInspector3456Z$classnameX$classes^NSCustomObject57XNSObject_IBCocoaFramework:;?\NSMutableSet>@7UNSSet:BC)DEFGHIJKLMNOPQR kuwxz|TUVWXY WNSLabel]NSDestinationXNSSourceji \.]^_`ab+deXNSvFlags_NSNextResponder[NSFrameSizeZNSSubviewsb hg :Bh)ijklmno -=CGRcqrst\]uvwYyzYYNSEnabledWNSFrameVNSCell[NSSuperview   , _{{81, 2}, {92, 22}}~iuuu_NSPeriodicInterval_NSPreferredEdge[NSCellFlags]NSButtonFlags\NSCellFlags2_NSAlternateContents_NSKeyEquivalent_NSAlternateImage]NSControlViewZNSMenuItem_NSMenuItemRespectAlignmentVNSMenuYNSSupport_NSPeriodicDelay_NSUsesItemFromMenu]NSAltersState_NSArrowPosition^NSButtonFlags2KA@@   +VNSNameVNSSizeXNSfFlags#@& \LucidaGrande34VNSFont7#@&PwXNSActionWNSStateYNSOnImageXNSTargetZNSKeyEquiv]NSMnemonicLoc\NSMixedImageWNSTitle[NSMenuItems *TNone.^NSResourceNameWNSImage_NSMenuCheckmark34_NSCustomResource7.Ѐ_NSMenuMixedState__popUpItemAction:34ZNSMenuItem7ZOtherViews:B)!#&wuu]NSIsSeparator\NSIsDisabled" __popUpItemAction:w_NSKeyEquivModMask%$UAbove__popUpItemAction:w ('UBelow__popUpItemAction:34^NSMutableArray7WNSArray34VNSMenu734_NSPopUpButtonCell7^NSMenuItemCell\NSButtonCell\NSActionCellVNSCell34 !]NSPopUpButton "#$%7XNSButtonYNSControlVNSView[NSResponderqrst\]u()Y+,Y ./  < _{{8, 7}, {70, 14}}012345j789:ZNSContents[NSTextColor_NSBackgroundColor@B0-;813VShadow>?@2#@&_LucidaGrande-BoldCDEFGHIJK]NSCatalogName[NSColorName\NSColorSpaceWNSColor4756VSystem\controlColorEOHQWNSWhite7M0.666666666734STWNSColorS7CDEFGHXJY479:_controlTextColorEOH]7B034_`_NSTextFieldCell_ab7\NSActionCellVNSCell34de[NSTextFieldd#$%7qgrt\]hFuuklYnYpq\NSIsBordered[NSDragTypes @B  >A:;tu?_NSColor pasteboard type_{{178, 4}, {86, 20}}EyH{UNSRGB7O0.058130499 0.055541899 134}~[NSColorWell#$%7[NSColorWellqrst\]uY,Y DE  < _{{8, 68}, {70, 14}}012l789:@BFC;813TFillqrst\]uYzY HI  , _{{81, 63}, {186, 22}}~muuuKA@@JGK  +MKILʀN*[Solid Color__popUpItemAction::B)ÀJO΀QKIPXGradient__popUpItemAction:rt\.]_`YY؀`b  a S:Bۀ)݀T[qgrt.\]hFuunn_NSOriginalClassName XZRU RVWY_BWGradientWellColorWell[NSColorWell:;u?_{{2, 2}, {31, 23}}EyH7O0.058130499 0.055541899 134^NSClassSwapper7qgrt.\]hFuunn ^ZRU R\]_[NSColorWell:;u?_{{147, 2}, {31, 23}}EyH 7O0.058130499 0.055541899 1_{{84, 32}, {180, 27}}^BWGradientWell34\NSCustomView$%7qgrt\]hFuulYY eB  df:;u?_{{84, 32}, {86, 27}}EyH#7O0.058130499 0.055541899 1Y{272, 88}]inspectorView34'(_NSNibOutletConnector')7^NSNibConnectorTUVW, .jtl01234567u9u;uuu?u_NSPreservesSelection^NSDeclaredKeysZNSEditable_NSSelectsInsertedObjects_NSAvoidsEmptySelection_NSFilterRestrictsInsertion__NSManagedProxy_"NSClearsFilterPredicateOnInsertion m s q :BC)DEFnop_shadowPositionPopupSelection[shadowColor_fillPopupSelectionKr34MN__NSManagedProxyO7__NSManagedProxy34QR_NSArrayControllerSTU7_NSArrayController_NSObjectController\NSControllerWcontentTUVWYn܀jvRT\gradientWellTUVWYn݀jvR[TUVWdnjy[R_endingColorWellTUVWjnj{TR_startingColorWellopqTUVrstu oYNSKeyPath_NSNibBindingConnectorVersionYNSBinding~}c_6value: inspectedObjectsController.selection.solidColorUvalue_/inspectedObjectsController.selection.solidColor34|}_NSNibBindingConnector~7_NSNibBindingConnector^NSNibConnectoropqTUVt.olc_$hidden: selection.fillPopupSelectionVhidden_selection.fillPopupSelectionopqTUVt.nYNSOptionslR:WNS.keys_NSValueTransformerName_NSNegateBoolean34\NSDictionary7opqTUVt.mlG_+selectedIndex: selection.fillPopupSelection]selectedIndexopqTUVst ݀~[_7value: inspectedObjectsController.selection.endingColor_0inspectedObjectsController.selection.endingColoropqTUVst ܀~T_9value: inspectedObjectsController.selection.startingColor_2inspectedObjectsController.selection.startingColoropqTUVst k~=_7value: inspectedObjectsController.selection.shadowColor_0inspectedObjectsController.selection.shadowColoropqTUVt.kl=_/enabled: selection.shadowPositionPopupSelectionWenabled_&selection.shadowPositionPopupSelectionopqTUVt.il _5selectedIndex: selection.shadowPositionPopupSelection:׀mi.ljwY)nko!GE[ l&C-O /R#J=IKTc./]NSApplication347:YlnY YY i jYwYmnY CR   K- K GIR :mi.lj wY)nko!GE[ l&C-O /R#T=IcKJ:/0123456789:;<=>?@ABCDEFGHYSeparator]Pop Up Button_Text Field Cell (Fill)_Gradient Well Color Well_Pop Up Button-1_Array Controller_Menu Item (Below)_Menu Item (None)_Static Text (Fill)_Static Text (Shadow)[Application\File's Owner_Pop Up Button Cell (None)_Menu Item (Gradient)^Inspector View_Text Field Cell (Shadow)]Gradient Well_Menu Item (Above)_Menu (OtherViews)-1_Gradient Well Color Well-1ZColor Well_ Pop Up Button Cell (Solid Color)\Color Well-1_Menu (OtherViews)_Menu Item (Solid Color):d݀T[:iUU:n(MIYPDjwQmlHKnJLR. oNkOF)iGE[z # -!&JGCxR|lKTcE=Ou/I wk:(€ÀĀŀƀǀȀɀʀˀ̀̀΀πЀрҀӀԀՀր׀؀ـڀۀ܀݀ހ߀iYeh~qZf]Sr:B)::񀟠34^NSIBObjectData7_NSKeyedArchiver]IB.objectdata"+5:? k ,>Jft )2=?@IV]cln%02579;=FHWY[]_ace/AM[h~1@BDMRWY[]_abdfijkmo$.7BP]egikmoqvxz   ! 5 > I N Y b d m o q s u  % ' , . 0 2 4 6 ; = ? E Y   + 8 E L U c p y   " ' , . 0 2 4 6 8 ? P R T ] _ s   % ' ) + - @ M O R [ m v  #:GMOlu  23579<>@X  $&(*6JSUZ\^+ABCEGIKNPRTVp|!$&(*,8ACFH_ln.;=Zdr{ 2Khz %*<EYbv !#7T^} %,DSprtvxz|!#<NWdi1d!#%'a =?ACEGI !#VXZ\^`bdfhjlnprtvxz|~8:<>@BDFHJLNPRTVXZ\^`bdfhjt.:Gcz'4Hbkmrtv              " $ & ( * , . 0 2 4 6 8 A C !!!!!! ! !!!!!!!!!! !"!$!&!(!1!3!5!7!9!;!D!F!G!P!R!S!\!^!_!h!w!|!!!!././@LongLink0000000000000000000000000000015000000000000011561 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWAnchoredPopUpButton.classdescriptionunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWAnchoredPopUpButton.classdescript0000644006131600613160000000040211361646373033542 0ustar bcpiercebcpierce{ Actions = { // Define action descriptions here, for example // "myAction:" = id; }; Outlets = { // Define outlet descriptions here, for example // myOutlet = NSView; }; ClassName = BWAnchoredPopUpButton; SuperClass = NSPopUpButton; } unison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/Inspector-ButtonBarMode2Pressed.tif0000644006131600613160000001163611361646373033421 0ustar bcpiercebcpierceMM*9> P8 A0d6DbQ8V-D_8";0l "c2d]/E7 y s8\ 2P Of4e6O7ꬶ~Z7 G5.>o\bowtJ7t!/ ~FKt`PPb; 9ZBlVT@d6WcwjrFd tzPʛs)^`Y,Ale<""јf-,9 MBR!^cH^%H@`l p?(`-:ql\P힤"l%(VDL|+1pT| ʛ%|BX&@-6nZ8BYIKkjB^+_=#TƄ2j(vD5 ga}6wj wftixX1!X@âI LR)OJ=YA T#GF @:w8z @"  @ |FVGS8 ~04mmI`,VV,͜zРak=+p(8&]|fHyu/YkyNUgن蘾dYMBpIv=[)nm ik-Y^=nqYHL^@龜ag=0Ȉpq[EÓq]Nf<ýqoo/%߮]W^s_7Yͼ>_zioAoWsW{i_~wF&>W0$GZ^N23/ +HnA)PARB /"0 'zPCG< p!}lE %H`<Q2&(.QR*xm\z$X$Y>B#LQ13X #4m6;(p}\;1ZAy c,M >( $Y-ɉ2$`NJ)!Ħ Oɩ|?RJe*2?Ș.{S˩/$1HH$$2> (12:=RSNis HVHHAdobe Photoshop CS3 Macintosh2008:07:02 01:39:42 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Kmunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/Library-AnchoredButton.tif0000644006131600613160000000766211361646373031665 0ustar bcpiercebcpierceMM*& 3 M  BaPd6CD15\T?Pp v4`TI cRhY J/Y7ʓG-K9,_)،j'1r*He6? urRUedEJ7;UB!xpeWY$6|Q%بudpEa:aw^ ~SW8:sm@ Zn"&n$7ǰ]77T\$c }5h| Xg$cvϛ>YD.%?\(8/Z ȕ+4*i#0Jpj4-D< LĈQ@l0%ǫ1 B !9!#pB@(=ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Kmunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/Library-TexturedRemoveButton.tif0000644006131600613160000000747211361646373033123 0ustar bcpiercebcpierceMM* @ÄDbQ8V-D1R<@  e@lS8m7DӰ|Y@: 5Gi@6sOTi:wW!kOve4XlV8GZ@Kerd\l6uo\WFvB?x; Jp>7&rXW!'sXv%f M%CŖW"DTnJm,Z:jb<;CxrnJf,jKN,vg+,xf&,zbf,y|bLOf6W_/ e@ 2 @t ΡhCǤ<版NHuEj Ѩ J2il(12=RSis HHHAdobe Photoshop CS3 Macintosh2008:06:20 01:33:50 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000014600000000000011566 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/Inspector-ButtonBarModeSelection.tifunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/Inspector-ButtonBarModeSelection.ti0000644006131600613160000001127411361646373033507 0ustar bcpiercebcpierceMM*0=B-͆Ba/L"!*#bxf%"~C$Ic ZQr1T-wFS?PhT:%GPA P xқ2#k>?d)V+ ~abVlJn6[v UF-z+i-` 6e25X{j' Ieu}V/WSIdzlw=e0ZxYb.2ԑ}mW6,z?hj]-ϸ?g .C ޸3:1 Es$pc_??cZn)>tI'3Ê4AcFm;䴋 BjL$kJ#jγGok:[0K+,x#M(3<0ۿLRT>r|J,KEX.U@!9uAIuYs-zXMCYBFZuOޣjƛYH?uVM[uZz;Gk i6omt+ݺM}^-{nA#٬B35KٸGC}w1zOCuݿkQwp|G'1:aܿ_ZvӪ[mNz}Ot/{y'Cv_ˁ|&/vg\WspeJ;$ty3`)v0-|7űHKׂ/U=8X 8WvSw0(\z )|O>vpܠ -C"$ y1M⽧$RsU5aR15:ç>aLMBn"3lp)TF <6^LVhb%@ǚ L^ю/Xd{h0@Hb4IrD{b~R~5GFh"QFߤ~wU多IpV3y!W,3% |̹7$si٪Qɑ29Y+' H9AD)`S6YdtI=8'`8=B&2,4(1<2Z=Snis HtHHAdobe Photoshop CS3 Macintosh2008:06:04 01:14:18 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Kmunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/Library-StyledTextField.tif0000644006131600613160000001164611361646373032020 0ustar bcpiercebcpierceMM* 307=w "07=w/6;w8@GguAJS6=DENW "guVal $(UkxEMUYdokx3kxLT^!Do}NXaNXam{o}NXa"DuR\d'+/UDLSU_g/49fR\deq{>EKU_g3 V_ho{^hr uR\d3{Zdl?FKuU^ekw{W`g{it}jvkvAHNs@GL{5;?w{W`gQY`LT[ELR"%D[dl-15f6<@w #&Dx>DI 5:?w[dl 3_go!$&D`hp !#&D;@Ew3#&)DIOU|"`hp9=BfRX_T[a,03Udmu"%'D>CGw"$'Dfnu37;fdmuݕFKOwcjq]cj~ݕBGLwiqx 3%(*D>BFw"r{$')D'*,D036Uiqx ݚ~"RX]GMQwmu|̔fmtpxZ`fRX]3yqy37:Uydkrpx"[ag@DHw"zݓ3ekrnt{̉RW\.03Uw~33"33AEIw" 3%'*D"3AEIw.14U  2 (1$2BRSVis H^HHAdobe Photoshop CS4 Macintosh2009:06:17 04:01:46 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000015100000000000011562 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWToolbarShowFontsItem.classdescriptionunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWToolbarShowFontsItem.classdescrip0000644006131600613160000000040311361646373033550 0ustar bcpiercebcpierce{ Actions = { // Define action descriptions here, for example // "myAction:" = id; }; Outlets = { // Define outlet descriptions here, for example // myOutlet = NSView; }; ClassName = BWToolbarShowFontsItem; SuperClass = NSToolbarItem; } unison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWInsetTextField.classdescription0000644006131600613160000000037311361646373033247 0ustar bcpiercebcpierce{ Actions = { // Define action descriptions here, for example // "myAction:" = id; }; Outlets = { // Define outlet descriptions here, for example // myOutlet = NSView; }; ClassName = BWInsetTextField; SuperClass = NSTextField; } unison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/Inspector-SplitViewArrowRedLeft.tif0000644006131600613160000000713611361646373033513 0ustar bcpiercebcpierceMM* P8$6ܯ @pd8!!+ a :NEzA"I R="@ @@hD?h Dqgl :-E3†'9#Ī5|`(` 8z Wm 2(12=RSis HHHAdobe Photoshop CS4 Macintosh2008:12:27 04:33:02 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Kmunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/Library-TransparentCheckbox.tif0000644006131600613160000001047011361646373032705 0ustar bcpiercebcpierceMM*, *Lx  BaPd6DbQ88,pcOR=HdP4_'rG/Le๣loR׬}?B怶5Gge6aC1UWVkQ0eu_6F:ҷgB]olͼC+uVA6vՇbo< G'dY6VӃ3F=A|n9A10`ll*a4pE7e/M wD^*>6zx*ۯi6TL4 7BQbȶ0 kA,ZtBp< 6Á`Zk"ȰE\r0/DD !p9$8KÀ'2')0 ~`n# Hqܠ(t?B ݊BvCD|<d A"_7.M8x>D.I7D 49?cAhB|4bă)D`路-j$0)ؠN傜{V-ƦVgE`G x)"8lo$,,s5|=ф=/9u@o\v?S١y·`v]|vݸ{DnhcўG3Lߵ` , 2z(12=Sis HHHAdobe Photoshop CS3 Macintosh2008:05:18 00:13:22 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Kmunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/ToolbarItemColors.tiff0000644006131600613160000001243211361646373031104 0ustar bcpiercebcpierceMM* P8$ BaPd6DbQ8V-@@@$,  0@];]N%.b@xg ġN#a`2H|=Kr8/vcj3Zmh@ yGA`P&9˄apP$@ࠈ wooA_]0QJޏGKZX96!ۮ1 DJ Pf?@}xu$@Fzfɜux:AH`MЂ' 0.&~ } @I}Gqv za~#n)IxKCh8J @PBqY! ,@ X,o=G^҉3Cs0r_)Gg~dl9qt@, 9^  9qt h +A1zI!{Ɏe2ÜJsrc>\1d>o%Q _%= 5D 8NY `2h(# P ~ ]u >Zr0h @>XiB)f*7  Y(xOI?P n`@EP40,d~&eUt\PXßv~єfǹ `! X<42!AQn/8ʏ `ݱ}rKGYs'tox@N>rG pCA~" GByg:G5$&Qc>\`9` qsL7'XwA4DC>  ": m6}1VjQPp@ Hx2=cS,t<⹀&/E"PH33 d,EpaXC6$N bX 9sK.FR]vp'Zc)'OoKC* EB|C ! @ &D/H7!|Fd(G,때z.<[9Ps`8p+Ckb@ w  fQ<&D='D[:9d(y%Aw=S}.*RLqhtIv m*[x} DDx;pR >d87V[xl ;:|5QM# RD{ < du5&{Q2,`qЈd$<u!FRp~`2?O@UTr&UҊ@ x$@;W5U0?t#et-k TA< . ,ɊYg?J)ԢɈHv@ՎjNC1ʇN J7Hn  X.A0`y -Y5SD♫ RGgLSؗG/"BtN` "JC,MqT@$Lq w <"0=Ă6, -n@ŤYwanO;Bm e@!aK8I$ØF$(B @C " `?ysx X p5ʀϟ3Rx | ~|@N01l@Bb?q7@(c_J C[R3O_^ >h*8>"(l)A4@@ C `2}MIzSF)X.1L%)8P¼K^70e*B'8b!0fqd '3 m%C@,x=`j%ƟL<LA @+ `` tO"`{2@N0"t .D,!pHH- H A~ @0`l.ݐ zXk؅"gh$+6bH>P@ro, n"c*"4ʤ!?zI'"O!ovG'#k knPPgJV kG9m@ǂ & #  P 6pt KJ'ĹR슐 U(12=RSs(HHAdobe Photoshop CS3 Macintosh2008:09:08 11:59:57(ADBEmntrRGB XYZ acspAPPLnone-ADBE cprt2desc0dwtptbkptrTRCgTRCbTRCrXYZgXYZbXYZtextCopyright 1999 Adobe Systems Incorporateddesc Apple RGBXYZ QXYZ curvcurvcurvXYZ yARXYZ V/XYZ &"punison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/Library-RemoveBottomBar.tif0000644006131600613160000001420011361646373031777 0ustar bcpiercebcpierceMM* .. @( A`8,6DbQ8V-Fc@|Gx(> rd]/C_0W4Fc?PhT _pBQL¡jU:6AZP]N]lV;$nEo@\ o0=wjz=aP`,ɁA@04A 0 ,lC+>r Xsx{c}`l Ā>k;=so?_x_(1j J'}#8mG^Ȅ 3P`'r 9ҁ?N𐞧:HJ2 ǀ,n8)@ $F ؼ,GGq`H r2Rix @P ʇ' X@  [<}A}$ *:@;MӋN¥=Jh*nP2{ `$ l*?%d4WAI`*R|sXGx5c#B B]D#gG8j ,Sؖ(|`B Qa팣( IB}-$3F VbFZdlvQlC:Gc|[+xf Ky;b蝜(LȩL)TP L0x%uaWaCui+g`,`}|nHńq+U*QH) ͗ _TB`lݣ MUduH0@a6Ocx~>: I"أpRQ}6K $$t ¸Bbf)&W%!Ӝ)Qyg{$v($H} wIR<bYxv$dPm :ay8ð !sLi3DІJC4 P"]QD(G`)cq6F*ѐ#9l ɴvʀ(v8KŦhui ! <7f $^HKUFIb1N0X#x#I R ` VG^),Y@k ;4bZC|Y S6'%j1ί@8m í\۵]R ào [4LS&nЁP s06@*@"ju2)up lŦ@] Υԣ9 AѦH; `^Iʀ@M,p Tg}<֌LypA;&9Iی OwXz;GXM8j:C"EtP8xި.6`9 fؕcy|uΖucG{YI EPiY0[[S@4U?Y?dv%8=!YFk._r!6Geldh#eKhJ`Zb@AG!~^ 5'%1CLвQY,և$ϲ\}b8=@%CbݴuޥTAq̸ mukRR]0սm>Ob_=,5i= k!J?*yPd7^~RRq#L \H:S7/UnāR "  d!&PY | O @P0b P!` B @X90dp!p\ A` RaZnP hL! P P0 1 @*_ m  HP(  P  C q ! P $o1 p РELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Kmunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/Inspector-SplitViewArrowRedFill.tif0000644006131600613160000000674011361646373033507 0ustar bcpiercebcpierceMM*D P8$  F2NV(1^2|=RSis HHHAdobe Photoshop CS4 Macintosh2008:12:27 04:32:33 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Kmunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/Library-GradientSplitView.tif0000644006131600613160000001307411361646373032344 0ustar bcpiercebcpierceMM*00.k BaPd6DbQ8D ~Av=Lhb5 JeRdI G0`BE,NgPa`0i 5h6|CL`8ji;$+[9DQaeSUUU I4kPx PDM9@ب0T@,`q-7 ##@*{A{iƓą/) P"\.-vEsAw S|'<& B(dlg's 3G@p x" fY|B0 |gx"q<`P|v޷r(`zn^(@h\aQBh(j6g0J ƀF`@Tr)P(YB 8&o~a f<>!H F97NfqVlj)yReg]Ed Y.J  ԩ{ r aJ-NS-AQS#ʀbJ :MBofq,dٮug߃a 8=ZI@Dj" {\2 t]HO =|<gSs|11fh `LPtB[gyzy~5)zj aW;h@ 'Q xeXi<;)PgߒX>LkzD=b!p ڏp#L`8F(c<C/ER,5 0J@ P'@CRX6\CzXA p¸[ Ac@8vXDbESEؾ@@1600FNؾDXpghD5YC0XI!XD!IY BX+%uh "Q80p ADlH9*ajQ P@(a` !  |ul@|R2B(Dq!>NA\_\Vz[EiUQJG8'`X%0("@F 7 :0a- A/a"!23P;1 bPA]eRv~2, Dbtn8eC-H3F- HF /G0 aP8 Exa 1ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Kmunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/Library-AnchoredButtonBar.tif0000644006131600613160000001036611361646373032305 0ustar bcpiercebcpierceMM*j03 M  BaPd6DbQ8,PvG_ E I2HvSKrt.gDi,HQKVc 5OL'YRMbkGK$OK_j>+TNjkK>.D\$~BnJYKwrY86e"k ,8RX%hUm]jlcq6-"rgK6¿i՗W=~om=k^.m`vE՛O4H} R/A+x~4HH,: CM ,, qL jM j&4lI2CGQDZ Elt*P DR|-Kcyg 04<$E䥉s;j=RDt)qCLz%ԍBM=IҴZ`SXO'& M"DT} YHe'HRTu3;ujS:,J3و93gGť%_5c'S9!:#W>-7 /r\F`1:SY Bi†ZSm]x9~XM``^IbE-:tTR ٍR(>};gxVF)C>0kFGdfzBuk;fCOT׹nY|n%6+n$;ǮWf!qLX]X(MӲhB0`28fn(1v2=Sis HHHAdobe Photoshop CS3 Macintosh2008:05:18 04:24:41 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Kmunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/Library-AnchoredPopUpButton.tif0000644006131600613160000001015411361646373032637 0ustar bcpiercebcpierceMM* 3 M  BaPd6CD15\TFa@)c8>k/I?fAp/׮[st湬DPi|#:@R= Ϋ1 r%DLסc,U "-AAd1JR2{DŽ|R /!b̊h%jr%1C+\91%AQLMS6 1pNIRdĂT!@EjЄaF 0*:*VMG:a]- ac<X&H{U Z{I\ɫTք]l2=lQT0TZF!3لKAF5 CK po bX*lWs#ow kq7A=1:vU\C5sbN Rϕ='~X˧+xreGϷ&Se(F&! &  2U(12 =Sis H$HHAdobe Photoshop CS3 Macintosh2008:05:18 01:24:22 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Kmunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/Library-ShowColors.tif0000644006131600613160000001337611361646373031047 0ustar bcpiercebcpierceMM* r**) @$ aPh$! "Q8EqXr5GJBL;'JeRdH䤙tm7I ys?Pe3҅GQ)&ORV[VhxcgnG[Qw.;!,   W%eRz9eKuCA* P0 }o'pVx8FH8+OSi&BP`d  (.{gHlXBnpӇh. hs~l $`~xGxI bhR#* '䁞M|90d` ` H,@}`yy'|<`a_@0'1rZo(2b`6胨 D` P qxvtB!ũRq *qZvp_u `hfSj~ Jr` 'F !{mFtMJu]y@pfH % l욑q>Nš0'H ,cA8 T*)G({v@vEJsT|d Hk !H2t(#,C 7x㏊@7( (`M6iwT{uT'|nnIV`2Um>EiU /@ItX& "0 PNpzw9Dsbg5q׺@Pi >i@b8\x@ ֨Al&q yiy˽֨K4p9=`ޢ%!\Z`˲GWZ< l9&@ 9v*!ػKrP= }1h=`=6  n Ỳ^B`*df c,GfG{3F`e520P+BJEҶJd BK@kb0x6@ d @cT>S/jZU3fjB `88WL"_%E1^%aF#kBiY,@c`81!?%bu|}=e]fH!F`P¯IhWB`pb p#xl@.p0ʀIqGK/<'j:TCt3A(Jȶ= p)1`hŀ %S588&TfBc,dG[ p~ G@#`\rY ~! :ʀZpKC !^œx!aR_k~4FX,'0ӋԀ=#T,>HUoT@ d g!W&{[XKz΀ @0A "V0@w0( pudD<ȉ*H^`MyX[Q[A% ?G ka;!ha|W B;1@+^`i1eRe@1$y`%O=Ks<.и0p%0 e&i5G 879{<bmO tFm.L@)O]k_v  퐓]4MĀ‘@@`@n% rMXq,7@;ٽo1X S('8 ql48% 28P o1Q Z=: M b !0k PEXYq p  ( Kt/fD@ێ60P,twpH#ܥp"1]jAT-Cځ!,QHn =0(H DLTeىCy;pCp ќ= ]P  V@! 6@yPk!?״vM[U> tp =x/$ohɰ?-ͼEW?2B%İ "P*BZ# ** h2 ? n v(1 ~2 =S is H HHAdobe Photoshop CS4 Macintosh2009:02:24 02:23:39 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Kmunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/BWButtonBarLibrary.nib0000644006131600613160000003342111361646373031000 0ustar bcpiercebcpiercebplist00  T$topX$objectsX$versionY$archiver]IB.objectdata /349:>BHPv   ()*+01569:>CVZenouyz{|}~ "&1:;AEFGHIJNOWXY\"#3789:;<=>BCNabqtu FGHIJKLMNOPQRSTUVWXYZ[\]^_`abcdefghijwU$null  !"#$%&'()*+,-.[NSNamesKeys[NSFramework_NSAccessibilityOidsValues_NSAccessibilityConnectors_NSObjectsValues]NSNamesValues]NSConnections]NSFontManagerVNSRootYNSNextOid_NSVisibleWindows]NSObjectsKeys]NSClassesKeysZNSOidsKeys\NSOidsValues_NSAccessibilityOidsKeysV$class_NSClassesValuesǀƀȀ}012[NSClassNameXNSObject5678X$classesZ$classname83^NSCustomObject_IBCocoaFramework;<=ZNS.objects56?@@A3\NSMutableSetUNSSet;CGDEF @jIJKLMNO]NSDestinationWNSLabelXNSSource1>? QRSTUVWXYZ[\]^_`abcdeeghi$$lm$op$r$tu_fullDescriptionZNSSubviews_NSNextResponder[NSSuperviewUlabel_representativeTemplateForClass]draggableViewXsubtitleWNSFrame_briefDescription[draggedViewXNSvFlagsZidentifier_filterableNamesXNSWindow_representedObject_initialCategoryPath_animationScalingMode# 0" !/RSwT\_0xrz{|}r[NSFrameSize€ |;G STY\_OOrYNSEnabled[NSDragTypesVNSCellZNSEditable   ;=_Apple PNG pasteboard type_NSFilenamesPboardType_Apple PDF pasteboard type_NeXT TIFF v4.0 pasteboard type_1NeXT Encapsulated PostScript v1.2 pasteboard type_Apple PICT pasteboard type_{{24, 28}, {32, 24}}uuuWNSScaleWNSStyleZNSContentsZNSAnimatesWNSAlign[NSCellFlags\NSCellFlags2 0^NSResourceNameWNSImage_Library-AnchoredButton563_NSCustomResource563[NSImageCellVNSCell563[NSImageViewYNSControlVNSView[NSResponder56ƣ3^NSMutableArrayWNSArray_{{20, 468}, {80, 80}}_Anchored Button_$37227434-883F-440E-9F93-9FC8C104A9A6_1Button for placing inside an anchored button bar.\NSAttributesXNSString%.$_dButton for placing inside an anchored button bar. For a button on its own, use an unanchored button.;WNS.keys׀(+ڀ&'-VNSFont_NSParagraphStyleVNSSizeVNSNameXNSfFlags#@()*YHelvetica563VNSFont$ZNSTabStops[NSAlignment,563_NSParagraphStyle_NSParagraphStyle563\NSDictionary563_NSAttributedString_NSAttributedStringZButton Bar563_IBLibraryObjectTemplate_IBLibraryObjectTemplateSTY\_0eer  _NSOriginalClassName 34  =52_BWAnchoredButtonXNSButton_{{108, 496}, {32, 25}}0L !"$%'_NSKeyEquivalent]NSNormalImageYNSSupport]NSControlView^NSButtonFlags2_NSPeriodicInterval]NSButtonFlags_NSPeriodicDelay_NSAlternateContents8;9781@=86_BWAnchoredButtonCell\NSButtonCellP,-/#@&:* \LucidaGrande02<]NSAddTemplate567883^NSClassSwapper[draggedView56;<<=3_NSNibOutletConnector^NSNibConnectorIJK?MNBO>?AQRSTUVWXYZ[\]^_`abDEeeHhi$$MN$PQ$r$tuMB J0IL K/;WGXCSTY\_BB]_rbcAAE DF ;f=_{{24, 28}, {32, 24}}uupustG 0vH_Library-AnchoredPopUpButton_{{20, 380}, {80, 80}}_Anchored Pop Up Button_$0A142520-3019-4440-8F92-FAF9F921204F_8Pop up button for placing inside an anchored button bar.%.N_8Pop up button for placing inside an anchored button bar.STY\_0eer QR  =SP_BWAnchoredPopUpButton]NSPopUpButton_{{108, 407}, {32, 25}}0?VNSMenuZNSMenuItem_NSMenuItemRespectAlignment_NSPreferredEdgeZNSPullDown]NSAltersState_NSUsesItemFromMenu_NSArrowPositionA@@XW 8 T U8VO K=_BWAnchoredPopUpButtonCell_NSPopUpButtonCell-#@*:*]NSMnemonicLoc_NSKeyEquivModMaskWNSStateWNSImageWNSTitleYNSOnImageZNSKeyEquivXNSTargetZNSIsHidden\NSMixedImageXNSActionXY8[8S ]`_[NSMenuItemsaib0Z_NSActionTemplate0\_NSMenuCheckmark0^_NSMenuMixedState__popUpItemAction:563ZNSMenuItemZOtherViews;GWcfXd[8S]`eVItem 2__popUpItemAction:Xg[8S]`hVItem 3__popUpItemAction:56  3VNSMenuIJK MNy>?kQRSTUVWXYZ[\]^_`abeehi$$$$r$tuwl t0sv u/;#G$mSTY\_)+r./kko np ;2=_{{16, 28}, {48, 24}}uu<u?@q 0Br_Library-AnchoredButtonBar_{{20, 291}, {80, 80}}_Anchored Button Bar_$3843EB0E-BBA8-4F32-B056-31BCD9B773FB_(Bar for placement directly below a view.M%.x_Bar for placement directly below a view. It should contain anchored buttons and other UI elements pertaining to the view it is anchored to.STY\_0eeRS}rV z |{_{{108, 319}, {128, 23}}_BWAnchoredButtonBar56Z[[3\NSCustomView;]#^acd $h?jlmLopqrOcuvxe|BX /~ck5XmOW1 F f SACypm_NSBackgroundColor[NSTextColor@@_Unanchored Button Bar-#@*:*STY\_eer^  ~WNSColor[NSColorName\NSColorSpace]NSCatalogNameVSystem\controlColorWNSWhiteM0.6666666865563WNSColor_controlTextColorB0563_NSTextFieldCell\NSActionCellVNSCellwST\_0pprqȀ3  =_BWUnanchoredButtonRSTY\_0dd}rҀ |X{23, 25}0a8;978@=8_BWUnanchoredButtonCellSTY\_eerr  _{{20, 556}, {135, 17}}ct@@563[NSTextFieldQRSTUVWXYZ[\]^_`abeehi$$$ $r$tu 0 /;Gp;GoaSTY\_0ppr|Ȁ3  =_{{22, 0}, {23, 25}}0$&o+,-/08978@=804_NSRemoveTemplate_{{18, 29}, {45, 22}}_BWUnanchoredButtonContainer_{{20, 79}, {80, 80}}_Unanchored Button Set_$4CFDC982-FAFC-443C-BCDC-3CBA22EA49B2_CConvenience for adding a set of plus and minus unanchored buttons. A%._bConvenience for adding a set of plus and minus unanchored buttons to be placed below a table view.STY\_0uuGIrvȀ3  =QRSTUVWXYZ[\]^_`abOPeeShi$$XY$[\$r$tu 0 /_{{28, 28}, {23, 25}}0chijkmn8978@=801s]NSApplicationvSTwxYy\z_{uee~hr_NSTitlePosition\NSBorderType[NSTitleCellYNSOffsets]NSTransparentYNSBoxType  _{{20, 253}, {224, 5}}V{0, 0}uSBox_textBackgroundColorB1O0 0.8000000119563UNSBox_{{20, 255}, {150, 17}};Gh_{{20, 167}, {80, 80}}_Unanchored Button_$6F8444C4-0158-4031-A28C-DD88204BD961_-Unanchored button for use below a table view.%._-Unanchored button for use below a table view.vSTwxYy\z_{ueehr _{{20, 554}, {224, 5}}uO0 0.8000000119;GcxL?mlOB ud1O AkyZ{310, 593}56Ǣ3;#mpeeeLue%eeepdaceXehOe%?oeBe$X 1Sk X C XO A m;$^a%c d$h?jlmLoqprOcuvxe|BX /~ck5XmOW1 F f SACyp; $!"#$%&'()*+,-./0123456789:;<=>?@ABCDɀʀˀ̀̀΀πЀрҀӀԀՀր׀؀ـڀۀ܀݀ހ߀_'Text Field Cell (Unanchored Button Bar)_Menu Item (Item 2)_#Image Cell (Library-AnchoredButton)_!Unanchored Button (NSAddTemplate)\File's Owner_-Library Object Template (Anchored Button Bar)_!Static Text (Anchored Button Bar)_$Anchored Button Cell (NSAddTemplate)_/Library Object Template (Unanchored Button Set)_Menu (OtherViews)_&Image View (Library-AnchoredButtonBar)_Unanchored Button_Anchored Pop Up Button[ApplicationYMenu Item_Horizontal Line_#Static Text (Unanchored Button Bar)_Anchored Button (NSAddTemplate)_$Unanchored Button (NSRemoveTemplate)_&Unanchored Button Cell (NSAddTemplate)_Unanchored Button Container_%Text Field Cell (Anchored Button Bar)_)Library Object Template (Anchored Button)_(Image Cell (Library-AnchoredPopUpButton)_+Library Object Template (Unanchored Button)_Unanchored Button Cell_#Image View (Library-AnchoredButton)_Horizontal Line-1_Menu Item (Item 3)_Library Objects_.Anchored Pop Up Button Cell (NSActionTemplate)_)Unanchored Button Cell (NSRemoveTemplate)_0Library Object Template (Anchored Pop Up Button)_(Image View (Library-AnchoredPopUpButton)_Anchored Button Bar_&Image Cell (Library-AnchoredButtonBar);kqh|aLv ?oS15O;x 'ȀT26P;'^a%cd $h?jlmLopqrOcuvxDEe|BX /F~ck5XmOW1 F f @ SACypj;'ր     B2:q!~607.3A@,"m59 1np/o4t8};G;;56   3^NSIBObjectData_NSKeyedArchiver'0:?MO,>LZhoy   $024=FOZ_n  Zlw )=Sjlnprtuwy{}$/13569;=?ABKXZ\^`bdf (?`hp{    # * 6 = F Q ] g n z & 3 @ I K M O   ! * , . 0 : C H O \ g s u w y   7 Q z  * 8 B P _ t  (579;IRWfr{!#%'*,.024=@BDmoqstwy{}4Mt&(*,./2468:R`y*?QZ\egijlnorwyz|~08@HR]fq~!4HQValu|~  !#%,@INUfhjln !$&(*,-6CEGIKMOQhGTVXZ  .DMVcl2>@BDFHJOTl}   -5CEGPU]rtvxz  )JLNPRUWY[d  1RTVXZ\^chq|  HJLNPQTVXZ\r7NfKtvxz|}  K P R T V X Z \ ^ g i k p r t }  !! !!!!!!!!!!6!=!Z!\!^!`!b!d!i!m!!!!!!!!!!!!!!!"" """","@"g""""""# # ########2#O#Q#S#U#W#Y#^#k#}####################$&$($*$,$.$0$2$4$6$8$:$<$>$@$B$D$F$H$J$L$N$P$R$T$V$X$Z$\$^$`$b$d$f$h$j$l$n$w$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$%%%%%% % %%`%b%d%f%h%j%l%n%p%r%t%v%x%z%|%~%%%%%%%%%%%%%%%%%%%%%%%%&&3&@&p&&&''*'>'W'c'm''''((5(](((()!)5)J)\)))**-*V*_*t*v*x*z*|*~********************+++++ +"+$+&+(+*+,+.+0+2+4+6+8+:+<+>+@+B+D+F+H+J+L+N+P+R+T+V+X+Z+\+^+`+b+d+f+h+q++++++++++++++++++++++++++,,,, , ,,,,,,,",%,(,*,,,.,0,2,4,6,8,:,<,>,@,B,D,M,O,Q,S,U,W,Y,[,],_,a,c,e,g,i,k,m,o,q,s,u,w,y,{,},,,,,,,,,,,,,, ,unison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/Library-TransparentLabel.tif0000644006131600613160000001054411361646373032200 0ustar bcpiercebcpierceMM*, *Lx  BaPd6DbQ88,pcOR=HdP4_'rG/Le๣loR׬}?B怶5Gge6aC1UWVkQ0eu_6F:ҷgB]olͼC+uVA6vՇbo<62F-ffYtџh^Z< !Č^ lX8;lB>pw E|yJNcAtI4'WkkvyFQOw}?X>=|T>GH\?B0 @ K-g ZB % %d,C c+J$D*NWH]h`|dlFl@$| WIrh';)R|F17S-9x̂^Li?!- PSmR$I҅,|[ӈT))L- ЉW5 Χ|< _X&}/tP5FigTdG`kELr{0{T uUX7Humk[)ZވTdZpqK`_a 'u IbF$Nb1c OT8" z^ʢRYn YLML Gah7q\2%V@L U<+|؀[K$hd|n>s^/ .q9Q9ɀ5h=[w&/TU]@e}V]ȳ݃ixU[ +c>HV"GU+{Ez}[Q{{WHG+5V&21HE , 2(12=Sis HHHAdobe Photoshop CS3 Macintosh2008:05:18 00:14:38 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Kmunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Resources/Library-HorizontalSplitView.tif0000644006131600613160000001317611361646373032743 0ustar bcpiercebcpierceMM*00.k BaPd6DbQ8D ~Av=Lhb5 JeRdI G0`BE,NgPa`0i 5h6|CL`8ji;$+[9DQ^eS@Mn/hk9V/0X DURxPDMs6P;\`J{+L6 >#hG^Owql!H F97NfqVlj)yReggG \B.J  =SUյ}c/LɝU<h.0њo&h aegpAY6kew☱AqJd0͡(QʀnUXՂA |<gTsA|11fyh `LG1wخ!zbuɕl;yByS`I@r961cH F2g!61{Gn.'}`Yzsc1q@h H_ُ#8&=kb q`| ACxs,= hAhDpLa#eg&=ySnh Ƭ a Ъ@3A u1)@6?А`^T`  ͚p=pee ѢE3ܦ ,Dsqf3D  0d9` @1>`< "!}JV-]™j?"#"L,##T- Ahp`;H`h(/Fh@([<)#dpP)FCh| <5ZxPd~cVG8'`X%E0("@F H7@: a4 8c 4@$%`pq bXAYg@v@JAXWl d# 0 ` !6G7 -ly@b4P0hT X4 p y0`0x% _%|.Qd` ?c#(p #Kp 1X6L,p,9`lPp^}d, P0.T .\R"Th'Qdď"FR"4i2) VA t e,*⑖G\Pb,x' E8ĤJ;$ 0g=׻H0yBI : 9؁ηLDѹ1|כw1C88@K"E'u=$fpiGXb@fijO!w {흻#{@[ {/^^G/Mx[ȩ&̐Ua00 2  (1 2 =S 0is H 6HHAdobe Photoshop CS3 Macintosh2008:08:28 04:55:33 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Kmunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Info.plist0000644006131600613160000000142111361646373024621 0ustar bcpiercebcpierce CFBundleDevelopmentRegion English CFBundleExecutable BWToolkit CFBundleIdentifier com.brandonwalkin.BWToolkit CFBundleInfoDictionaryVersion 6.0 CFBundleName BWToolkit CFBundlePackageType BNDL CFBundleShortVersionString 1.2.5 CFBundleSignature ???? CFBundleVersion 1.2.5 NSPrincipalClass BWToolkit unison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/MacOS/0000755006131600613160000000000012050210656023600 5ustar bcpiercebcpierceunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/MacOS/BWToolkit0000755006131600613160000126600411361646373025432 0ustar bcpiercebcpierceP     x__TEXT__text__TEXT@d__symbol_stub1__TEXT|T|__stub_helper__TEXTT|T|__cstring__TEXT|=|__const__TEXT00__unwind_info__TEXT__eh_frame__TEXT`  `X__DATA@@ __nl_symbol_ptr__DATAX__la_symbol_ptr__DATAXpX__cfstring__DATA __objc_data__DATA__objc_msgrefs__DATA__objc_selrefs__DATA__objc_classrefs__DATA__objc_superrefs__DATA`P`__objc_const__DATA($__objc_classlist__DATAh__objc_catlist__DATA@@__objc_imageinfo__DATA__bss__DATAhH__LINKEDITPo;k 1L"0 X P 0@d P{{:Rc' X/System/Library/Frameworks/Cocoa.framework/Versions/A/Cocoa p@loader_path/../Frameworks/BWToolkitFramework.framework/Versions/A/BWToolkitFramework `@rpath/InterfaceBuilderKit.framework/Versions/A/InterfaceBuilderKit 8}/usr/lib/libSystem.B.dylib 8/usr/lib/libobjc.A.dylib h &/System/Library/Frameworks/CoreFoundation.framework/Versions/A/CoreFoundation `,/System/Library/Frameworks/Foundation.framework/Versions/C/Foundation X-/System/Library/Frameworks/AppKit.framework/Versions/C/AppKitUHH]ÐUHH H5۶H=HHD$HHD$H-H$HD$HH rLKL $0dH ]ÐUHSHH6H5_H=0Hq0cH5K1HH0cH[]ÐUHHa]ÐUHHH}HHEH5H}cH]ÐUHHE]ÐUHHH}HHEH5ԵH}GcH]ÐUHAVSHHH}H{HEH5 H}HcL5ʹH=^H5H5HHAH[A^]UHSHHH}HHEH5εH}HbH{HH5AH8HH5H=Hp10mbH5xHH[bH[]UHH H}HHEH58H}3bH5 H=0bH5H b=tEH5H=nHH$H<H E1E10aH5H0aH ]ÐUHAWAVATSHHILuHHEH5eH}HaH5JLLmaL=HM'H=޸H5/)H5H0>aK&H5LL0&aIIH5ҳHH aH[A\A^A_]UHAVSHIH5H=W0H`H5HLH`[A^]ÐUHAVSHIH5^H=0L`H5>HLH`[A^]ÐUHSHHH5H=ط0H\`H5HHJ`H[]ÐUHH5H=0)`H5H0`H5H]UHSHHH5H=^H0_H5HH0_H5HH[]ÐUHSHHH5UH=H0_H5HH0~_H[]ÐUHHH?HH$@HWHOHG]UH]ÐUH(]UHf ]UH ]UHHH@HH@HOHGHO]UHHH?HH@HWHOHG]UH]ÐUH~]UHSHHH 0HHj^H@H HKHH c~CH@HCHH[]ÐUHf @~]UH~ *~]UHHH ڡH LGHGHG]ÐUH]ÐUH}]UHH]ÐUHH%]ÐUHAVSHHH]HHEH5H}e]H50HN]H5AH8HH<usH5H0]H5H0]IH5~L\tDLH5h\H5Qu1H\1H\H[A^]H5UHAVSHI=HݾI4HMHPg\HI4PX`HcHp1\HI<MH500[H*^\H-I<H50[H*XX{Z[HIHH}Hy[H5MZHQ[H[A^]HI4HeH3[nH[HiI4HH0ZH;I<@H50ZH*^XHI4HH}ZZ\EHAH5H=:ZH5H=ޱ0%ZZT`z.yzH\zH5PHYHII<H5.0YHH-I4HH}YH5MHYH5֬H=7YH5H1L`Y UHH5ɬ@Y]UHH5$Y]UHH5Y]UHH]ÐUHHH<H Wy H˜]ÐUHHH<H %y x]UHAVSHHH}H=HEH5H}HrXL5/H= H5 H5HHAH[A^]UHSHHH}HۯHEH50H}HXHݛHH5HHH5hH=Hr10WH5ڪHHWH[]UHH5E0W]UHAVSHHILuHXHEH5UH}HuWH5HC1LfSWH5HLHf6WH5iHLHfWH[A^]UHSHHH5Ǫ0HVH5HVuwH5H0VH5fHVH5zH0VHQH5Ht"H5N0HzVH5%1HiVH[]UHAWAVAUATSHHUHH5 H09VH5ܩH0(VH5H0VIH5LH#E1IcH5LH9IL-H=H5~xH5LHAՄL-ɧH=zH5KEH5LHAՄu^L-H=SH5H5LHAՄu/L-kH=,H5H5PLHAՄt"H5H}LUH5LTH5LAIcH9H[A\A]A^A_]ÐUHSHHH5WHHTH5EHTH[]UHAVSHHILuHrHEH5GH}HgTH5H=1LfETH5xHLHf(TH[A^]ÐUHSHHH5է0HTH5HSu~H5H0SH5XtHSH5H0SH[H5Ht%H5X0HSH5/HpSH[]ÐUHAWAVAUATSHHUHH5H0?SH5H0.SH5H0SIH5 LH#E1IcH5LH9IL-H=˪H5~H5LHAՄL-ϤH=H5QKH5LHAՄu^L-H=yH5"H5LHAՄu/L-qH=RH5H5VLHAՄt"H5H}L RH5LQH5LAIcH9H[A\A]A^A_]ÐUHAVSHHILuH̩HEH5H}HQH5ΤHw1LfQH5HKLHfbQH[A^]ÐUHSHHH50H;QH5H,Qu~H5H0QH5ʤ2qHPH5H0PHH5Hݢt%H50HPH5iHPH[]ÐUHAWAVAUATSHHUHH5MH0yPH5H0hPH5H0WPIH5GL>H#E1IcH5HL?H9IL-<H=-H5H5!LHAՄL- H=H5H5LHAՄu^L-ڡH=ӧH5\VH5LHAՄu/L-H=H5-'H5LHAՄt"H5H}LFOH5L7OH5*L!AIcH9H[A\A]A^A_]ÐUHf "o]UHn o]UHHH ԒH LGHGHG]ÐUH]ÐUHn]UHH]ÐUHH5H=0kN]ÐUHH5gH=0ON]ÐUHH5CH=|03N]ÐUHH5H=`0N]ÐUHH5H=D0M]ÐUHAVSHHH}H1HEH5ޠH}HML5H=H5mgH5pHHAH[A^]UHSHHH}HϥHEH5H}HlMH9HH5HHH5ğH=HH E10#MH5.HHMH[]UHAVSHHIH5HLrm rmMEt  ^mMtEH5ˠHLt]H5HLt[H5HLtfff(AEAFANEAFLH[A^]l l(l llUl l됐UHf l]UHk l]UHHHH?HOHGHO]UH]ÐUHTl]UHNl 6l]UH8l l]UH1]UHH]ÐUHHHH?HOHGHO]UHH50K]UHAWAVSHHH=H5H5'E0HH0JHH=]H5IH5HH0JH5ΞLHDJH5ɜHH[A^A_]ÐUH]UHAVSHIH5H=0HOJH5HLH:J[A^]ÐUHSHHH5ӜH=0HJH5HHIH[]ÐUHHHHHGHOHG]UH]UHHՐ]ÐUH1]UHH']ÐUHH]UHH ]UHH]UHH]UHAVSHH5מH=0?IH ڲL L57MH5H HHIH5H=0HH L MH5aH bHHH[A^]UHSHHHoH<H5$HH^H<H5t1HʏHHFH<H5H̏mHH[]HُZHHH<H5HۏH5#H߉>HzH<H5W0>IL=VL%WH5PH>H5YL0>LH #HHAH5[Ha>H5H߉P>H[A\A]A^A_]ÐUHAWAVATSHpH<Itf.^vHI<H5;=uVH[A<XHyI<H5= y^f.wHTI<H5=H5͒H=6w=AHE@E@E@EHE$H5v0L*=EAH^H4H@H<XH5E0L0<HH`H<pH5ޑL0<HH}H<MH5LD`<HH}HY<X]fEEEEE؄yHI<H5Z;H5 0L;H5HMHL$HMHL$HMHL$HMH $H;H A<A1Hp[A\A^A_]HHa;H5E0L01;H\HH';H5FL0:H%HH:H5LD:HH H:Xn[[ SH5H=+d:H5ǍH=00M:H5H6:HI<H5^0:H5HZH:H5AL09H5(HLj9H5HMHL$HMHL$HMHL$HMH $H9H5H=f9 UHAWAVAUATSHHHH}HHEHHHH5܋HL9H5ь0H59H5(HHHWHL4H5E0H08L% E1HL1H5LH8HH<H5ԍ8H5@H08HLLH5HH8H=FH5OIH52HD]8HHDžHDžHDž HDž(HDž0HDž8HDž@HDžHHHHH5HD7HH56HHPAHHH H HHHEE1H HH;tH5H0^7H0H7HN}H }L|L |0H3H5SHH63H8[]ÐUHAVSHHILuHHEH5H}H3H5.H׆1Lf2H5HLHf2H[A^]ÐUHSHHH5o0H2H5VH2u{H5KH0w2H5*RH[2H5H0J2HH5FH=t"H50H2H5Ʌ1H 2H[]UHAWAVAUATSHHUHH5H01H5H01H5_H01IH5LH#E1IcH5LH9IL-H=iH5"H5LHAՄL-mH=>H5H5RLHAՄu^L->H=H5H5#LHAՄu/L-H=H5H5LHAՄt"H5XH}L0H5EL0H5LAIcH9H[A\A]A^A_]ÐUHAVSHHILuHbHEH5H}H?0H5lH1Lf0H5PHLHf0H[A^]ÐUHSHHH50H/H5H/u{H5H0/H5hPH/H5\H0/H3H5H{t"H500H\/H51HK/H[]UHAWAVAUATSHHUHH5H0/H5H0 /H5H0.IH5LH#E1IcH5LH9IL-ހH=LJH5`ZH5ÀLHAՄL-H=H5-'H5LHAՄu^L-|H=uH5H5aLHAՄu/L-MH=.H5H52LHAՄt"H5H}L-H5L-H5LAIcH9H[A\A]A^A_]ÐUHHw]ÐUHHH}HӇHEH5H}{-H]ÐUHAVSHHH}HHEH5TH}HD-L5H=jH5~~H5~HHAH[A^]UHSHHH}H%HEH5H}H,HpHH5u~Hl~HH5:H=Hv10,H5HH,H[]UHAWAVATSH5hH=0h,H;H5TH=0L,H'H5PH=2,H=sNH5&0,HH5H=ZM MMM+H}HH}HH5H= E00+H5LHǰ+HHl}HuHքH=ׄH5 }}H5HH0L+HH=L=}L }IH5ZH[uH0+H5:LH0+HH=gL|IH5H5uH0*H5~LH0*HH=!L|IH5~HuHD*H5~LHDu*HH=كL8|IH5~HtHDB*H5e~LHD-*H@H=L{IH5>~HtHD)H5~LHD)H[A\A^A_]H5}UHAWAVAUATSHHhHmHHEH5z0H)H5~H)EHuH58E1E0H10T)HH5H=M10:)HEH5H=J10)IH5~H=(10)IH5~H=DD(IH5~H(MH5~H(HlMHMHMHMZMMZE}jLmAEXIZu(xZEpYzIAMY tIXZ=(ZZxxcIMEpExEH5zHh'}MEZUf(X]\pxH5O}L5kM~L|$M~L|$M~L|$M>L<$HߺvHO'H5 }M~L|$M~L|$M~L|$M6L4$H}xp'H'}EEyEhEY4H&Mf(XUZ]XM\xZXhp GMXEI@LuI?LuH5|H=0ۈH&IH5{LUG.&H5{L}ALLLF&EXpEH5{LM%H5t{LEx%H5{H=%H5={L%H5V{H=%IH56{LFt%H5{LLLEW%}8EXbFH5zLM,%EXAFH5zLx%H5zH=$H5zL$L5hM6L;uuvHĘ[A\A]A^A_]À}HEHD$HEHD$HEHD$HEH$AELLLA:$HhHH;EtC$L5vL=gL%XL-ILmH5zHߺ'$H5yL$(LmAEX.EZ $pZExYEAMY EXZ#ZZpp DZUf(X]\xpEYDO#ZMMUpXU\UZMXX iDMxMX *DH5xLE"xX DH5wxLE"HEHD$HEHD$HEHD$HEH$1ACALLLN"UHAWAVSH(HH5YxH=J["HE(HD$HE HD$HEHD$HEH$"H5xH=HE(HD$HE HD$HEHD$HEH$D$ AE1IE1!H5wH=HE(HD$HE HD$HEHD$HEH$D$ IE1!H5lwH=UHE(HD$HE HD$HEHD$HEH$D$ IE;!H5wH=HE(HD$HE HD$HEHD$HEH$D$ DIE H5vH=àHE(HD$HE HD$HEHD$HEH$D$ IE1 H5vH=uHE(HD$HE HD$HEHD$HEH$D$ IES H56vH='HE(HD$HE HD$HEHD$HEH$D$ DDIE H5uH=ݟHE(HD$HE HD$HEHD$HEH$D$ DDIEH([A^A_]UH]ÐUHSHHHH<H5qqH]HyHEH5uH}kH[]UHHHzAE10R]UHH]0!]ÐUHAWAVAUATSHHHIHcHHEHI<H5}r0IL%pH5tH0H5pLHAHHDžHDžHDž HDž(HDž0HDž8HDž@HDžHHIHH5pHHPAHpHH HE0HALEE1H H;tHMI<0HJHpHH HDž0Z8@\HH=XsHkHkH5ApHHHL$H@HL$H8HL$H0H $E0H0sL=kHLkIH=rH'kH5oH`HD4HLbkH5oLHH5qoLH(HH5HoHIoLH5*oLL LHH<H5.nAH׌H<H5..,/201112@22f33|4;;=BGG H:HI~I0JK@LLNN,OOnRY\\\]|iij knkk&l"mmnln.oobpp|tuuvuhvv`wwVyhyy z|zRx $x  $Dwk $l*xI zRx $4x  $Dx- zRx $x  $Dw- zRx ,wd $Lx $tjx ,x  ,fy? ,vy? $,y= $Ty< $|yO $y? zRx $y0 $Dy  $ly zRx $y $D|y $ljy0 zRx $Zy0 $Dby  $lFy zRx $yc zRx $8y $D"y $ly7 $ y  $y zRx $x  $Dx ,lx ,`yC  $t| $h| $\| zRx $8|  $D|1 $l$|. ,*|d $^| $| zRx ,| $L| ,tt}  $~4 zRx ,~u $L ,t  zRx ,u $L> ,t́  zRx $ $D $l7 $  $ zRx $  $D $l $ $v $j zRx ,Fd $Lz ,t܂ zRx $ $D $lr* $t  $X zRx $& $D $l $  $Ă* $Ƃ zRx ,  zRx $ ,D҂? $t= zRx $* $D zRx $  $D $ln $X $@ $( $  ,4 $dV ,Ă  ,  ,ƒ  ,p  ,LVQ  ,|x< ,  ,n , u $<*# $d& $# $ $ zRx ,d $L- $t zRx ,u $L ,tx  zRx ,ʖu $L ,t  zRx $  $DҘ- zRx ,d $L zRx ,6 ,LƛI ,|  zRx $b  $DFJ $lh  $` ,R ,  $\  ,DT ,t± zRx $  $D- zRx ,d $L zRx $X  $D> $l $ , $ $6B zRx ,8d $Ll zRx $  $DԳ $l $ $ $r , Z $< $d $ ,I  ,v  ,D zRx $  ,Djd $t zRx $P $D: ,l$  $ȸ $ ,  zRx $& ,DX $t8B $R ,H  d|n|x||||||||||||}  }@}`}}}}}~$p~~Pp %  ŋ ϋ ً  }  ̎ ֎ێ & Έ 0PcЏ@В$%0#`#$+ ǖ | Җ ޖ       ϙ ٙ"ЛH Xpp` P((@@0p@DqJ_{|`~~~~~  4DIktܐ Ђ 2BPXlu.ÄVׄ&<a:Tv`~PjΈ؈ )?&Tc}҉ <J,6fqv0Њ 'Ȑ ",t ғ֓!,5C`Tj`r|{̗k}ݚH8xhH8(x%~~3~~:F~~((}PP}((p~ppp~ `~~~~((~pp~`~~~~ ~6460A6~0~fv f60f00`t ɁׁHɁׁ2. <Ɂׁb]HɁׁ|pɁׁ8".((p` ~u0"0"0#`~~~~ &-9GVblxpxl#.:#z~0#~$0#0#&0n'<0%a~&%0$x<0(~(0'<0+~*0h*߅--ɁׁV-@-..-~".:~.T~-v~-~-z~-Ɂׁ,/0>.0.̆00ɁׁZ0D0.20Ɂׁ0z~0~1$00.0/̇~1~1~02 f1 ~j2Ɂׁ@2+Pxp((P~2p)2҉0G~6G0PG/~tGG2]2~G}22}~;; 0N7c~86PZ5j|4`~~Bˌ=J03~f3̗~2~~p2 ߌ "x.=)cGc]ce/ewxȍ]G /-_)0 H0G0:Hs<00J~~I0I<0L~@L0K((ЏppЏ`~~N~~N0N0,O\P((H~Oxxh[ynRyY((yy8h J0\~\~\0]<~_|i\ijڔ:j e`wȍ((pp`~~j~~j0 k0nk5H|x((kppx?ldl"mm`~~&l~~k p~?cdcpdX?0n0lnx((p$$N.&>$C>$lNl.:m>$:$INI> > d=d>d>fnYK.S?$$N.|?$?$-N-? @ d=d/@dN@fnYK.@$$N.@$A$-N-XA A d=dAdAfnYK.NB$B$dNd.`B$`$N.4C$$N.C$$N.6C$6$@N@.v5D$v$@N@.D$$>N>.D$$<N<.0E$0$PNP.^E$$?N?d=dEdEfnYK.CF$F$0N0.F$$ N .G$$Nd=dXGd{GfnYK. G$ $N.AH$H$N.2H$2$0N0d=dId:IfnYK.bI$b J$0N0.MJ$$ N .J$$Nd=dJdKfnYK.K$K$cNcd=dLd0LfnYK.L$$N."L$"&M$N.8bM$8$8N8.pM$p$ N .|M$|$Nd=d&NdENfnYK.N$$N.N$#O$N.`O$$N.O$O$DND."P$"$N."4P$"$N.#aP$#$NP P P Q OQ Q d=dQdQfnYK.0#YR$0#$ N .:#R$:#R$2N2.l#,S$l#$.N..#qS$#$dNd.#S$#$N.$T$$$Nd=daTdTfnYK.$T$$JU$N.&%U$&%$N.%U$%$N.n'"V$n'$4N4d=dkVdVfnYK.' W$'dW$vNv.(W$($N.(W$($Nd=dMXdnXfnYK.h*X$h*>Y$vNv.*}Y$*$N.+Y$+$Nd=dZd@ZfnYK..-Z$.-$N.@-[$@-O[$N.V-[$V-$8N8.-[$-$ N .-$\$-$Nd=dr\d\fnYK.-]$-$ N .-A]$-]$N.-]$-$N.-^$-$N..\^$.$N.".^$".$Nd=d^d_fnYK.>.y_$>._$dNd.. `$.$N.,/P`$,/$Nd=d`d`fnYK.20)a$20$N.D0la$D0a$N.Z0a$Z0$*N*.00b$0$ N .0ub$0$Nd=dbdbfnYK.0ic$0$N.0c$0d$N.0Zd$0$N.0d$0$ N .0e$0$*N*.1se$1$Nd=dedefnYK.1df$1f$Nd=dfdgfnYK.1g$1$N.1g$1h$@N@.2^h$2$=N=d=dhdhfnYK.@2Mi$@2i$*N*.j2i$j2$Nd=d%jd..I,/20D0Z0Q0003000L011<112@2kj2p2~22A2v2222%f3N3t|4Z586 N7<;n;=BG26G^PGtGGG0 Hu:HI~IE0JK@L8LNNN,,OkOnRY3 \c \ \ \ ])!_]!|i!i!:j!j"jC" k"nk"k #kK#l|#l#&l#"m$mQ$n$ln$.o%&pf&p&p&s&|t'u\'u'vu'hv (zv1(vN(`wv(~w(w(Vy(hy)y+)zW) z|)T|))) )()0)8)@)H)P*X*`*h'*p4* _* * h* * x* + 8>+ u+ (+ + H+ , 4,j,,, -1-_- ---/.a...x.x/X////0S0~000 1C1{11`1(2m2p2 2 2 @3 B3 Po3 p3 3 4 54 b4 4 `4 445&535@5L5f5r5~55556&6H6l666667-7M7g777778/8U8w88888909G9]9~999999:*:D:Z:s:::::: ;:;f;;;;;<7<R<k<<<<<<<< ==/=C=W=i=q=@@ __mh_bundle_header-[BWToolkit label]-[BWToolkit libraryNibNames]-[BWToolkit requiredFrameworks]-[BWTexturedSliderInspector viewNibName]-[BWTexturedSliderInspector refresh]-[BWSelectableToolbarInspector viewNibName]-[BWSelectableToolbarInspector refresh]-[BWSelectableToolbar(BWSelectableToolbarIntegration) ibPopulateAttributeInspectorClasses:]-[BWSelectableToolbar(BWSelectableToolbarIntegration) ibPopulateKeyPaths:]-[BWSelectableToolbar(BWSelectableToolbarIntegration) ibDocument:willStartSimulatorWithContext:]-[BWSelectableToolbar(BWSelectableToolbarIntegration) ibDidAddToDesignableDocument:]-[BWSelectableToolbar(BWSelectableToolbarIntegration) addObject:toParent:]-[BWSelectableToolbar(BWSelectableToolbarIntegration) moveObject:toParent:]-[BWSelectableToolbar(BWSelectableToolbarIntegration) removeObject:]-[BWSelectableToolbar(BWSelectableToolbarIntegration) objectsforDocumentObject:]-[BWSelectableToolbar(BWSelectableToolbarIntegration) parentOfObject:]-[BWSelectableToolbar(BWSelectableToolbarIntegration) childrenOfObject:]-[BWTransparentButton(BWTransparentButtonIntegration) ibLayoutInset]-[BWTransparentButton(BWTransparentButtonIntegration) ibBaselineCount]-[BWTransparentButton(BWTransparentButtonIntegration) ibBaselineAtIndex:]-[BWTransparentCheckbox(BWTransparentCheckboxIntegration) ibMinimumSize]-[BWTransparentCheckbox(BWTransparentCheckboxIntegration) ibMaximumSize]-[BWTransparentCheckbox(BWTransparentCheckboxIntegration) ibLayoutInset]-[BWTransparentPopUpButton(BWTransparentPopUpButtonIntegration) ibLayoutInset]-[BWTransparentPopUpButton(BWTransparentPopUpButtonIntegration) ibBaselineCount]-[BWTransparentPopUpButton(BWTransparentPopUpButtonIntegration) ibBaselineAtIndex:]-[BWTransparentSlider(BWTransparentSliderIntegration) ibLayoutInset]-[BWAnchoredButton(BWAnchoredButtonIntegration) ibMinimumSize]-[BWAnchoredButton(BWAnchoredButtonIntegration) ibMaximumSize]-[BWAnchoredButton(BWAnchoredButtonIntegration) ibLayoutInset]-[BWAnchoredButton(BWAnchoredButtonIntegration) ibBaselineCount]-[BWAnchoredButton(BWAnchoredButtonIntegration) ibBaselineAtIndex:]-[BWAnchoredButtonBarInspector viewNibName]-[BWAnchoredButtonBarInspector selectionAnimationDidEnd]-[BWAnchoredButtonBarInspector refresh]-[BWAnchoredButtonBarInspector selectMode:withAnimation:]-[BWAnchoredButtonBarInspector selectMode3:]-[BWAnchoredButtonBarInspector selectMode2:]-[BWAnchoredButtonBarInspector selectMode1:]-[BWAnchoredButtonBar(BWAnchoredButtonBarIntegration) ibDesignableContentView]-[BWAnchoredButtonBar(BWAnchoredButtonBarIntegration) ibMinimumSize]-[BWAnchoredButtonBar(BWAnchoredButtonBarIntegration) ibMaximumSize]-[BWAnchoredButtonBar(BWAnchoredButtonBarIntegration) ibPopulateAttributeInspectorClasses:]-[BWAnchoredButtonBar(BWAnchoredButtonBarIntegration) ibPopulateKeyPaths:]-[BWAnchoredButtonBar(BWAnchoredButtonBarIntegration) ibDefaultChildren]-[BWRemoveBottomBar(BWRemoveBottomBarIntegration) ibDidAddToDesignableDocument:]-[BWRemoveBottomBar(BWRemoveBottomBarIntegration) removeBottomBar]-[BWRemoveBottomBar(BWRemoveBottomBarIntegration) removeOtherBottomBarViewsInDocument:]-[BWRemoveBottomBar(BWRemoveBottomBarIntegration) removeSelfInDocument:]-[BWAddRegularBottomBar(BWAddRegularBottomBarIntegration) ibDidAddToDesignableDocument:]-[BWAddRegularBottomBar(BWAddRegularBottomBarIntegration) addBottomBar]-[BWAddRegularBottomBar(BWAddRegularBottomBarIntegration) removeOtherBottomBarViewsInDocument:]-[BWAddSmallBottomBar(BWAddSmallBottomBarIntegration) ibDidAddToDesignableDocument:]-[BWAddSmallBottomBar(BWAddSmallBottomBarIntegration) addBottomBar]-[BWAddSmallBottomBar(BWAddSmallBottomBarIntegration) removeOtherBottomBarViewsInDocument:]-[BWAnchoredPopUpButton(BWAnchoredPopUpButtonIntegration) ibMinimumSize]-[BWAnchoredPopUpButton(BWAnchoredPopUpButtonIntegration) ibMaximumSize]-[BWAnchoredPopUpButton(BWAnchoredPopUpButtonIntegration) ibLayoutInset]-[BWAnchoredPopUpButton(BWAnchoredPopUpButtonIntegration) ibBaselineCount]-[BWAnchoredPopUpButton(BWAnchoredPopUpButtonIntegration) ibBaselineAtIndex:]-[BWCustomView(BWCustomViewIntegration) ibDesignableContentView]-[BWCustomView(BWCustomViewIntegration) containerCustomViewBackgroundColor]-[BWCustomView(BWCustomViewIntegration) childlessCustomViewBackgroundColor]-[BWCustomView(BWCustomViewIntegration) customViewDarkTexturedBorderColor]-[BWCustomView(BWCustomViewIntegration) customViewDarkBorderColor]-[BWCustomView(BWCustomViewIntegration) customViewLightBorderColor]-[BWTexturedSlider(BWTexturedSliderIntegration) ibPopulateAttributeInspectorClasses:]-[BWTexturedSlider(BWTexturedSliderIntegration) ibPopulateKeyPaths:]-[BWTexturedSlider(BWTexturedSliderIntegration) ibLayoutInset]-[BWUnanchoredButton(BWUnanchoredButtonIntegration) ibMinimumSize]-[BWUnanchoredButton(BWUnanchoredButtonIntegration) ibMaximumSize]-[BWUnanchoredButton(BWUnanchoredButtonIntegration) ibLayoutInset]-[BWUnanchoredButton(BWUnanchoredButtonIntegration) ibBaselineCount]-[BWUnanchoredButton(BWUnanchoredButtonIntegration) ibBaselineAtIndex:]-[BWUnanchoredButtonContainer(BWUnanchoredButtonContainerIntegration) ibMinimumSize]-[BWUnanchoredButtonContainer(BWUnanchoredButtonContainerIntegration) ibMaximumSize]-[BWUnanchoredButtonContainer(BWUnanchoredButtonContainerIntegration) ibIsChildInitiallySelectable:]-[BWUnanchoredButtonContainer(BWUnanchoredButtonContainerIntegration) ibDesignableContentView]-[BWUnanchoredButtonContainer(BWUnanchoredButtonContainerIntegration) ibLayoutInset]-[BWUnanchoredButtonContainer(BWUnanchoredButtonContainerIntegration) ibDefaultChildren]-[BWSheetController(BWSheetControllerIntegration) ibDefaultImage]-[BWTransparentTableView(BWTransparentTableViewIntegration) ibTester]-[BWTransparentTableView(BWTransparentTableViewIntegration) addObject:toParent:]-[BWTransparentTableView(BWTransparentTableViewIntegration) removeObject:]-[BWTransparentScrollView(BWTransparentScrollViewIntegration) ibLayoutInset]-[BWTransparentScrollView(BWTransparentScrollViewIntegration) ibTester]-[BWSplitViewInspector viewNibName]+[BWSplitViewInspector supportsMultipleObjectInspection]-[BWSplitViewInspector dividerCheckboxCollapsed]-[BWSplitViewInspector setDividerCheckboxCollapsed:]-[BWSplitViewInspector maxUnitPopupSelection]-[BWSplitViewInspector minUnitPopupSelection]-[BWSplitViewInspector subviewPopupSelection]-[BWSplitViewInspector awakeFromNib]-[BWSplitViewInspector updateSizeLabels]-[BWSplitViewInspector setSplitView:]-[BWSplitViewInspector setMinUnitPopupSelection:]-[BWSplitViewInspector setMaxUnitPopupSelection:]-[BWSplitViewInspector updateUnitPopupSelections]-[BWSplitViewInspector controlTextDidEndEditing:]-[BWSplitViewInspector setSubviewPopupSelection:]-[BWSplitViewInspector updateSizeInputFields]-[BWSplitViewInspector toggleDividerCheckboxVisibilityWithAnimation:]-[BWSplitViewInspector refresh]-[BWSplitViewInspector setSubviewPopupContent:]-[BWSplitViewInspector subviewPopupContent]-[BWSplitViewInspector setCollapsiblePopupContent:]-[BWSplitViewInspector collapsiblePopupContent]-[BWSplitViewInspector splitView]-[BWSplitView(BWSplitViewIntegration) ibPopulateAttributeInspectorClasses:]-[BWSplitView(BWSplitViewIntegration) ibDidAddToDesignableDocument:]-[BWSplitView(BWSplitViewIntegration) ibPopulateKeyPaths:]-[BWAddMiniBottomBar(BWAddMiniBottomBarIntegration) ibDidAddToDesignableDocument:]-[BWAddMiniBottomBar(BWAddMiniBottomBarIntegration) addBottomBar]-[BWAddMiniBottomBar(BWAddMiniBottomBarIntegration) removeOtherBottomBarViewsInDocument:]-[BWAddSheetBottomBar(BWAddSheetBottomBarIntegration) ibDidAddToDesignableDocument:]-[BWAddSheetBottomBar(BWAddSheetBottomBarIntegration) addBottomBar]-[BWAddSheetBottomBar(BWAddSheetBottomBarIntegration) removeOtherBottomBarViewsInDocument:]-[BWToolbarItemInspector viewNibName]-[BWToolbarItemInspector refresh]-[BWToolbarItem(BWToolbarItemIntegration) ibPopulateAttributeInspectorClasses:]-[BWToolbarItem(BWToolbarItemIntegration) ibPopulateKeyPaths:]+[BWSplitViewInspectorAutosizingButtonCell initialize]-[BWSplitViewInspectorAutosizingButtonCell drawInteriorWithFrame:inView:]-[BWSplitViewInspectorAutosizingButtonCell drawBezelWithFrame:inView:]-[BWSplitViewInspectorAutosizingView isFlipped]-[BWSplitViewInspectorAutosizingView dealloc]-[BWSplitViewInspectorAutosizingView setSplitView:]-[BWSplitViewInspectorAutosizingView splitView]-[BWSplitViewInspectorAutosizingView updateValues:]-[BWSplitViewInspectorAutosizingView layoutButtons]-[BWSplitViewInspectorAutosizingView isVertical]-[BWSplitViewInspectorAutosizingView drawRect:]-[BWSplitViewInspectorAutosizingView initWithFrame:]-[BWHyperlinkButtonInspector viewNibName]-[BWHyperlinkButtonInspector refresh]-[BWHyperlinkButton(BWHyperlinkButtonIntegration) ibPopulateAttributeInspectorClasses:]-[BWHyperlinkButton(BWHyperlinkButtonIntegration) ibPopulateKeyPaths:]-[BWStyledTextFieldInspector viewNibName]+[BWStyledTextFieldInspector supportsMultipleObjectInspection]-[BWStyledTextFieldInspector fillPopupSelection]-[BWStyledTextFieldInspector shadowPositionPopupSelection]-[BWStyledTextFieldInspector refresh]-[BWStyledTextFieldInspector setShadowPositionPopupSelection:]-[BWStyledTextFieldInspector setFillPopupSelection:]-[BWStyledTextField(BWStyledTextFieldIntegration) ibPopulateAttributeInspectorClasses:]-[BWStyledTextField(BWStyledTextFieldIntegration) ibPopulateKeyPaths:]-[BWGradientBoxInspector viewNibName]+[BWGradientBoxInspector supportsMultipleObjectInspection]-[BWGradientBoxInspector wellContainer]-[BWGradientBoxInspector colorWell]-[BWGradientBoxInspector gradientWell]-[BWGradientBoxInspector fillPopupSelection]-[BWGradientBoxInspector refresh]-[BWGradientBoxInspector setGradientWell:]-[BWGradientBoxInspector setColorWell:]-[BWGradientBoxInspector setWellContainer:]-[BWGradientBoxInspector updateWellVisibility]-[BWGradientBoxInspector setFillPopupSelection:]-[BWGradientBoxInspector awakeFromNib]-[BWGradientBox(BWGradientBoxIntegration) ibDesignableContentView]-[BWGradientBox(BWGradientBoxIntegration) ibPopulateAttributeInspectorClasses:]-[BWGradientBox(BWGradientBoxIntegration) ibPopulateKeyPaths:]-[BWGradientWell endingColorWell]-[BWGradientWell startingColorWell]+[BWGradientWell initialize]-[BWGradientWell setStartingColorWell:]-[BWGradientWell setEndingColorWell:]-[BWGradientWell drawRect:]-[BWGradientWellColorWell gradientWell]-[BWGradientWellColorWell setColor:]+[BWGradientWellColorWell initialize]-[BWGradientWellColorWell setGradientWell:]-[BWGradientWellColorWell drawRect:] stub helpers_insetColor_borderColor_viewColor_lineColor_insetLineColor_blueArrowStart_blueArrowEnd_redArrowStart_redArrowFill_redArrowEnd_borderColor_pattern_borderColor_OBJC_CLASS_$_BWAnchoredButtonBarInspector_OBJC_CLASS_$_BWGradientBoxInspector_OBJC_CLASS_$_BWGradientWell_OBJC_CLASS_$_BWGradientWellColorWell_OBJC_CLASS_$_BWHyperlinkButtonInspector_OBJC_CLASS_$_BWSelectableToolbarInspector_OBJC_CLASS_$_BWSplitViewInspector_OBJC_CLASS_$_BWSplitViewInspectorAutosizingButtonCell_OBJC_CLASS_$_BWSplitViewInspectorAutosizingView_OBJC_CLASS_$_BWStyledTextFieldInspector_OBJC_CLASS_$_BWTexturedSliderInspector_OBJC_CLASS_$_BWToolbarItemInspector_OBJC_CLASS_$_BWToolkit_OBJC_IVAR_$_BWAnchoredButtonBarInspector.contentView_OBJC_IVAR_$_BWAnchoredButtonBarInspector.isAnimating_OBJC_IVAR_$_BWAnchoredButtonBarInspector.matrix_OBJC_IVAR_$_BWAnchoredButtonBarInspector.selectionView_OBJC_IVAR_$_BWGradientBoxInspector.box_OBJC_IVAR_$_BWGradientBoxInspector.colorWell_OBJC_IVAR_$_BWGradientBoxInspector.fillPopupSelection_OBJC_IVAR_$_BWGradientBoxInspector.gradientWell_OBJC_IVAR_$_BWGradientBoxInspector.largeViewHeight_OBJC_IVAR_$_BWGradientBoxInspector.smallViewHeight_OBJC_IVAR_$_BWGradientBoxInspector.wellContainer_OBJC_IVAR_$_BWGradientWell.endingColorWell_OBJC_IVAR_$_BWGradientWell.startingColorWell_OBJC_IVAR_$_BWGradientWellColorWell.gradientWell_OBJC_IVAR_$_BWSplitViewInspector.autosizingView_OBJC_IVAR_$_BWSplitViewInspector.collapsiblePopupContent_OBJC_IVAR_$_BWSplitViewInspector.dividerCheckbox_OBJC_IVAR_$_BWSplitViewInspector.dividerCheckboxCollapsed_OBJC_IVAR_$_BWSplitViewInspector.maxField_OBJC_IVAR_$_BWSplitViewInspector.maxLabel_OBJC_IVAR_$_BWSplitViewInspector.maxUnitPopupSelection_OBJC_IVAR_$_BWSplitViewInspector.minField_OBJC_IVAR_$_BWSplitViewInspector.minLabel_OBJC_IVAR_$_BWSplitViewInspector.minUnitPopupSelection_OBJC_IVAR_$_BWSplitViewInspector.splitView_OBJC_IVAR_$_BWSplitViewInspector.subviewPopupContent_OBJC_IVAR_$_BWSplitViewInspector.subviewPopupSelection_OBJC_IVAR_$_BWSplitViewInspectorAutosizingView.buttons_OBJC_IVAR_$_BWSplitViewInspectorAutosizingView.splitView_OBJC_IVAR_$_BWStyledTextFieldInspector.fillPopupSelection_OBJC_IVAR_$_BWStyledTextFieldInspector.shadowPositionPopupSelection_OBJC_IVAR_$_BWStyledTextFieldInspector.textField_OBJC_METACLASS_$_BWAnchoredButtonBarInspector_OBJC_METACLASS_$_BWGradientBoxInspector_OBJC_METACLASS_$_BWGradientWell_OBJC_METACLASS_$_BWGradientWellColorWell_OBJC_METACLASS_$_BWHyperlinkButtonInspector_OBJC_METACLASS_$_BWSelectableToolbarInspector_OBJC_METACLASS_$_BWSplitViewInspector_OBJC_METACLASS_$_BWSplitViewInspectorAutosizingButtonCell_OBJC_METACLASS_$_BWSplitViewInspectorAutosizingView_OBJC_METACLASS_$_BWStyledTextFieldInspector_OBJC_METACLASS_$_BWTexturedSliderInspector_OBJC_METACLASS_$_BWToolbarItemInspector_OBJC_METACLASS_$_BWToolkit_IBAttributeKeyPaths_NSControlTextDidEndEditingNotification_NSDrawThreePartImage_NSFrameRect_NSInsetRect_NSRectFill_NSRectFillUsingOperation_NSZeroRect_NSZeroSize_OBJC_CLASS_$_BWAddMiniBottomBar_OBJC_CLASS_$_BWAddRegularBottomBar_OBJC_CLASS_$_BWAddSheetBottomBar_OBJC_CLASS_$_BWAddSmallBottomBar_OBJC_CLASS_$_BWAnchoredButton_OBJC_CLASS_$_BWAnchoredButtonBar_OBJC_CLASS_$_BWAnchoredPopUpButton_OBJC_CLASS_$_BWCustomView_OBJC_CLASS_$_BWGradientBox_OBJC_CLASS_$_BWHyperlinkButton_OBJC_CLASS_$_BWRemoveBottomBar_OBJC_CLASS_$_BWSelectableToolbar_OBJC_CLASS_$_BWSelectableToolbarHelper_OBJC_CLASS_$_BWSheetController_OBJC_CLASS_$_BWSplitView_OBJC_CLASS_$_BWStyledTextField_OBJC_CLASS_$_BWTexturedSlider_OBJC_CLASS_$_BWToolbarItem_OBJC_CLASS_$_BWTransparentButton_OBJC_CLASS_$_BWTransparentCheckbox_OBJC_CLASS_$_BWTransparentPopUpButton_OBJC_CLASS_$_BWTransparentScrollView_OBJC_CLASS_$_BWTransparentSlider_OBJC_CLASS_$_BWTransparentTableView_OBJC_CLASS_$_BWUnanchoredButton_OBJC_CLASS_$_BWUnanchoredButtonContainer_OBJC_CLASS_$_IBColor_OBJC_CLASS_$_IBDocument_OBJC_CLASS_$_IBInspector_OBJC_CLASS_$_IBPlugin_OBJC_CLASS_$_NSAlert_OBJC_CLASS_$_NSAnimationContext_OBJC_CLASS_$_NSApplication_OBJC_CLASS_$_NSArray_OBJC_CLASS_$_NSBezierPath_OBJC_CLASS_$_NSBundle_OBJC_CLASS_$_NSButton_OBJC_CLASS_$_NSButtonCell_OBJC_CLASS_$_NSColor_OBJC_CLASS_$_NSColorWell_OBJC_CLASS_$_NSEvent_OBJC_CLASS_$_NSGradient_OBJC_CLASS_$_NSImage_OBJC_CLASS_$_NSMutableArray_OBJC_CLASS_$_NSNotificationCenter_OBJC_CLASS_$_NSNumber_OBJC_CLASS_$_NSString_OBJC_CLASS_$_NSView_OBJC_IVAR_$_BWAnchoredButton.topAndLeftInset_OBJC_IVAR_$_BWAnchoredButtonBar.isAtBottom_OBJC_IVAR_$_BWAnchoredPopUpButton.topAndLeftInset_OBJC_IVAR_$_BWSelectableToolbar.helper_OBJC_METACLASS_$_IBInspector_OBJC_METACLASS_$_IBPlugin_OBJC_METACLASS_$_NSButtonCell_OBJC_METACLASS_$_NSColorWell_OBJC_METACLASS_$_NSObject_OBJC_METACLASS_$_NSView___CFConstantStringClassReference___stack_chk_fail___stack_chk_guard__objc_empty_cache__objc_empty_vtable_floorf_objc_enumerationMutation_objc_getProperty_objc_msgSend_objc_msgSendSuper2_objc_msgSend_fixup_objc_msgSend_stret_objc_setProperty_roundfdyld_stub_binder/Users/brandon/Temp/bwtoolkit/BWToolkit.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/x86_64/BWToolkit.o-[BWToolkit label]-[BWToolkit libraryNibNames]/Users/brandon/Temp/bwtoolkit/BWToolkit.m-[BWToolkit requiredFrameworks]_OBJC_METACLASS_$_BWToolkit_OBJC_CLASS_$_BWToolkitBWTexturedSliderInspector.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/x86_64/BWTexturedSliderInspector.o-[BWTexturedSliderInspector viewNibName]-[BWTexturedSliderInspector refresh]/Users/brandon/Temp/bwtoolkit/BWTexturedSliderInspector.m_OBJC_METACLASS_$_BWTexturedSliderInspector_OBJC_CLASS_$_BWTexturedSliderInspectorBWSelectableToolbarInspector.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/x86_64/BWSelectableToolbarInspector.o-[BWSelectableToolbarInspector viewNibName]-[BWSelectableToolbarInspector refresh]/Users/brandon/Temp/bwtoolkit/BWSelectableToolbarInspector.m_OBJC_METACLASS_$_BWSelectableToolbarInspector_OBJC_CLASS_$_BWSelectableToolbarInspectorBWSelectableToolbarIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/x86_64/BWSelectableToolbarIntegration.o-[BWSelectableToolbar(BWSelectableToolbarIntegration) ibPopulateAttributeInspectorClasses:]/Users/brandon/Temp/bwtoolkit/BWSelectableToolbarIntegration.m-[BWSelectableToolbar(BWSelectableToolbarIntegration) ibPopulateKeyPaths:]-[BWSelectableToolbar(BWSelectableToolbarIntegration) ibDocument:willStartSimulatorWithContext:]-[BWSelectableToolbar(BWSelectableToolbarIntegration) ibDidAddToDesignableDocument:]-[BWSelectableToolbar(BWSelectableToolbarIntegration) addObject:toParent:]-[BWSelectableToolbar(BWSelectableToolbarIntegration) moveObject:toParent:]-[BWSelectableToolbar(BWSelectableToolbarIntegration) removeObject:]-[BWSelectableToolbar(BWSelectableToolbarIntegration) objectsforDocumentObject:]-[BWSelectableToolbar(BWSelectableToolbarIntegration) parentOfObject:]-[BWSelectableToolbar(BWSelectableToolbarIntegration) childrenOfObject:]BWTransparentButtonIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/x86_64/BWTransparentButtonIntegration.o-[BWTransparentButton(BWTransparentButtonIntegration) ibLayoutInset]/Users/brandon/Temp/bwtoolkit/BWTransparentButtonIntegration.m-[BWTransparentButton(BWTransparentButtonIntegration) ibBaselineCount]-[BWTransparentButton(BWTransparentButtonIntegration) ibBaselineAtIndex:]BWTransparentCheckboxIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/x86_64/BWTransparentCheckboxIntegration.o-[BWTransparentCheckbox(BWTransparentCheckboxIntegration) ibMinimumSize]-[BWTransparentCheckbox(BWTransparentCheckboxIntegration) ibMaximumSize]/Users/brandon/Temp/bwtoolkit/BWTransparentCheckboxIntegration.m-[BWTransparentCheckbox(BWTransparentCheckboxIntegration) ibLayoutInset]BWTransparentPopUpButtonIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/x86_64/BWTransparentPopUpButtonIntegration.o-[BWTransparentPopUpButton(BWTransparentPopUpButtonIntegration) ibLayoutInset]/Users/brandon/Temp/bwtoolkit/BWTransparentPopUpButtonIntegration.m-[BWTransparentPopUpButton(BWTransparentPopUpButtonIntegration) ibBaselineCount]-[BWTransparentPopUpButton(BWTransparentPopUpButtonIntegration) ibBaselineAtIndex:]BWTransparentSliderIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/x86_64/BWTransparentSliderIntegration.o-[BWTransparentSlider(BWTransparentSliderIntegration) ibLayoutInset]/Users/brandon/Temp/bwtoolkit/BWTransparentSliderIntegration.mBWAnchoredButtonIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/x86_64/BWAnchoredButtonIntegration.o-[BWAnchoredButton(BWAnchoredButtonIntegration) ibMinimumSize]-[BWAnchoredButton(BWAnchoredButtonIntegration) ibMaximumSize]/Users/brandon/Temp/bwtoolkit/BWAnchoredButtonIntegration.m-[BWAnchoredButton(BWAnchoredButtonIntegration) ibLayoutInset]-[BWAnchoredButton(BWAnchoredButtonIntegration) ibBaselineCount]-[BWAnchoredButton(BWAnchoredButtonIntegration) ibBaselineAtIndex:]BWAnchoredButtonBarInspector.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/x86_64/BWAnchoredButtonBarInspector.o-[BWAnchoredButtonBarInspector viewNibName]-[BWAnchoredButtonBarInspector selectionAnimationDidEnd]/Users/brandon/Temp/bwtoolkit/BWAnchoredButtonBarInspector.m-[BWAnchoredButtonBarInspector refresh]-[BWAnchoredButtonBarInspector selectMode:withAnimation:]/System/Library/Frameworks/Foundation.framework/Headers/NSGeometry.h-[BWAnchoredButtonBarInspector selectMode3:]-[BWAnchoredButtonBarInspector selectMode2:]-[BWAnchoredButtonBarInspector selectMode1:]_OBJC_METACLASS_$_BWAnchoredButtonBarInspector_OBJC_CLASS_$_BWAnchoredButtonBarInspector_OBJC_IVAR_$_BWAnchoredButtonBarInspector.isAnimating_OBJC_IVAR_$_BWAnchoredButtonBarInspector.matrix_OBJC_IVAR_$_BWAnchoredButtonBarInspector.selectionView_OBJC_IVAR_$_BWAnchoredButtonBarInspector.contentViewBWAnchoredButtonBarIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/x86_64/BWAnchoredButtonBarIntegration.o-[BWAnchoredButtonBar(BWAnchoredButtonBarIntegration) ibDesignableContentView]-[BWAnchoredButtonBar(BWAnchoredButtonBarIntegration) ibMinimumSize]/Users/brandon/Temp/bwtoolkit/BWAnchoredButtonBarIntegration.m-[BWAnchoredButtonBar(BWAnchoredButtonBarIntegration) ibMaximumSize]-[BWAnchoredButtonBar(BWAnchoredButtonBarIntegration) ibPopulateAttributeInspectorClasses:]-[BWAnchoredButtonBar(BWAnchoredButtonBarIntegration) ibPopulateKeyPaths:]-[BWAnchoredButtonBar(BWAnchoredButtonBarIntegration) ibDefaultChildren]BWRemoveBottomBarIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/x86_64/BWRemoveBottomBarIntegration.o-[BWRemoveBottomBar(BWRemoveBottomBarIntegration) ibDidAddToDesignableDocument:]/Users/brandon/Temp/bwtoolkit/BWRemoveBottomBarIntegration.m-[BWRemoveBottomBar(BWRemoveBottomBarIntegration) removeBottomBar]-[BWRemoveBottomBar(BWRemoveBottomBarIntegration) removeOtherBottomBarViewsInDocument:]-[BWRemoveBottomBar(BWRemoveBottomBarIntegration) removeSelfInDocument:]BWAddRegularBottomBarIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/x86_64/BWAddRegularBottomBarIntegration.o-[BWAddRegularBottomBar(BWAddRegularBottomBarIntegration) ibDidAddToDesignableDocument:]/Users/brandon/Temp/bwtoolkit/BWAddRegularBottomBarIntegration.m-[BWAddRegularBottomBar(BWAddRegularBottomBarIntegration) addBottomBar]-[BWAddRegularBottomBar(BWAddRegularBottomBarIntegration) removeOtherBottomBarViewsInDocument:]BWAddSmallBottomBarIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/x86_64/BWAddSmallBottomBarIntegration.o-[BWAddSmallBottomBar(BWAddSmallBottomBarIntegration) ibDidAddToDesignableDocument:]/Users/brandon/Temp/bwtoolkit/BWAddSmallBottomBarIntegration.m-[BWAddSmallBottomBar(BWAddSmallBottomBarIntegration) addBottomBar]-[BWAddSmallBottomBar(BWAddSmallBottomBarIntegration) removeOtherBottomBarViewsInDocument:]BWAnchoredPopUpButtonIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/x86_64/BWAnchoredPopUpButtonIntegration.o-[BWAnchoredPopUpButton(BWAnchoredPopUpButtonIntegration) ibMinimumSize]-[BWAnchoredPopUpButton(BWAnchoredPopUpButtonIntegration) ibMaximumSize]/Users/brandon/Temp/bwtoolkit/BWAnchoredPopUpButtonIntegration.m-[BWAnchoredPopUpButton(BWAnchoredPopUpButtonIntegration) ibLayoutInset]-[BWAnchoredPopUpButton(BWAnchoredPopUpButtonIntegration) ibBaselineCount]-[BWAnchoredPopUpButton(BWAnchoredPopUpButtonIntegration) ibBaselineAtIndex:]BWCustomViewIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/x86_64/BWCustomViewIntegration.o-[BWCustomView(BWCustomViewIntegration) ibDesignableContentView]-[BWCustomView(BWCustomViewIntegration) containerCustomViewBackgroundColor]/Users/brandon/Temp/bwtoolkit/BWCustomViewIntegration.m-[BWCustomView(BWCustomViewIntegration) childlessCustomViewBackgroundColor]-[BWCustomView(BWCustomViewIntegration) customViewDarkTexturedBorderColor]-[BWCustomView(BWCustomViewIntegration) customViewDarkBorderColor]-[BWCustomView(BWCustomViewIntegration) customViewLightBorderColor]BWTexturedSliderIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/x86_64/BWTexturedSliderIntegration.o-[BWTexturedSlider(BWTexturedSliderIntegration) ibPopulateAttributeInspectorClasses:]/Users/brandon/Temp/bwtoolkit/BWTexturedSliderIntegration.m-[BWTexturedSlider(BWTexturedSliderIntegration) ibPopulateKeyPaths:]-[BWTexturedSlider(BWTexturedSliderIntegration) ibLayoutInset]BWUnanchoredButtonIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/x86_64/BWUnanchoredButtonIntegration.o-[BWUnanchoredButton(BWUnanchoredButtonIntegration) ibMinimumSize]-[BWUnanchoredButton(BWUnanchoredButtonIntegration) ibMaximumSize]/Users/brandon/Temp/bwtoolkit/BWUnanchoredButtonIntegration.m-[BWUnanchoredButton(BWUnanchoredButtonIntegration) ibLayoutInset]-[BWUnanchoredButton(BWUnanchoredButtonIntegration) ibBaselineCount]-[BWUnanchoredButton(BWUnanchoredButtonIntegration) ibBaselineAtIndex:]BWUnanchoredButtonContainerIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/x86_64/BWUnanchoredButtonContainerIntegration.o-[BWUnanchoredButtonContainer(BWUnanchoredButtonContainerIntegration) ibMinimumSize]-[BWUnanchoredButtonContainer(BWUnanchoredButtonContainerIntegration) ibMaximumSize]/Users/brandon/Temp/bwtoolkit/BWUnanchoredButtonContainerIntegration.m-[BWUnanchoredButtonContainer(BWUnanchoredButtonContainerIntegration) ibIsChildInitiallySelectable:]-[BWUnanchoredButtonContainer(BWUnanchoredButtonContainerIntegration) ibDesignableContentView]-[BWUnanchoredButtonContainer(BWUnanchoredButtonContainerIntegration) ibLayoutInset]-[BWUnanchoredButtonContainer(BWUnanchoredButtonContainerIntegration) ibDefaultChildren]BWSheetControllerIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/x86_64/BWSheetControllerIntegration.o-[BWSheetController(BWSheetControllerIntegration) ibDefaultImage]/Users/brandon/Temp/bwtoolkit/BWSheetControllerIntegration.mBWTransparentTableViewIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/x86_64/BWTransparentTableViewIntegration.o-[BWTransparentTableView(BWTransparentTableViewIntegration) ibTester]-[BWTransparentTableView(BWTransparentTableViewIntegration) addObject:toParent:]/Users/brandon/Temp/bwtoolkit/BWTransparentTableViewIntegration.m-[BWTransparentTableView(BWTransparentTableViewIntegration) removeObject:]BWTransparentScrollViewIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/x86_64/BWTransparentScrollViewIntegration.o-[BWTransparentScrollView(BWTransparentScrollViewIntegration) ibLayoutInset]/Users/brandon/Temp/bwtoolkit/BWTransparentScrollViewIntegration.m-[BWTransparentScrollView(BWTransparentScrollViewIntegration) ibTester]BWSplitViewInspector.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/x86_64/BWSplitViewInspector.o-[BWSplitViewInspector viewNibName]+[BWSplitViewInspector supportsMultipleObjectInspection]/Users/brandon/Temp/bwtoolkit/BWSplitViewInspector.m-[BWSplitViewInspector dividerCheckboxCollapsed]-[BWSplitViewInspector setDividerCheckboxCollapsed:]-[BWSplitViewInspector maxUnitPopupSelection]-[BWSplitViewInspector minUnitPopupSelection]-[BWSplitViewInspector subviewPopupSelection]-[BWSplitViewInspector awakeFromNib]-[BWSplitViewInspector updateSizeLabels]-[BWSplitViewInspector setSplitView:]-[BWSplitViewInspector setMinUnitPopupSelection:]-[BWSplitViewInspector setMaxUnitPopupSelection:]-[BWSplitViewInspector updateUnitPopupSelections]-[BWSplitViewInspector controlTextDidEndEditing:]-[BWSplitViewInspector setSubviewPopupSelection:]-[BWSplitViewInspector updateSizeInputFields]-[BWSplitViewInspector toggleDividerCheckboxVisibilityWithAnimation:]-[BWSplitViewInspector refresh]-[BWSplitViewInspector setSubviewPopupContent:]-[BWSplitViewInspector subviewPopupContent]-[BWSplitViewInspector setCollapsiblePopupContent:]-[BWSplitViewInspector collapsiblePopupContent]-[BWSplitViewInspector splitView]_OBJC_METACLASS_$_BWSplitViewInspector_OBJC_CLASS_$_BWSplitViewInspector_OBJC_IVAR_$_BWSplitViewInspector.dividerCheckboxCollapsed_OBJC_IVAR_$_BWSplitViewInspector.maxUnitPopupSelection_OBJC_IVAR_$_BWSplitViewInspector.minUnitPopupSelection_OBJC_IVAR_$_BWSplitViewInspector.subviewPopupSelection_OBJC_IVAR_$_BWSplitViewInspector.minField_OBJC_IVAR_$_BWSplitViewInspector.maxField_OBJC_IVAR_$_BWSplitViewInspector.splitView_OBJC_IVAR_$_BWSplitViewInspector.maxLabel_OBJC_IVAR_$_BWSplitViewInspector.minLabel_OBJC_IVAR_$_BWSplitViewInspector.dividerCheckbox_OBJC_IVAR_$_BWSplitViewInspector.autosizingView_OBJC_IVAR_$_BWSplitViewInspector.subviewPopupContent_OBJC_IVAR_$_BWSplitViewInspector.collapsiblePopupContentBWSplitViewIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/x86_64/BWSplitViewIntegration.o-[BWSplitView(BWSplitViewIntegration) ibPopulateAttributeInspectorClasses:]/Users/brandon/Temp/bwtoolkit/BWSplitViewIntegration.m-[BWSplitView(BWSplitViewIntegration) ibDidAddToDesignableDocument:]-[BWSplitView(BWSplitViewIntegration) ibPopulateKeyPaths:]BWAddMiniBottomBarIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/x86_64/BWAddMiniBottomBarIntegration.o-[BWAddMiniBottomBar(BWAddMiniBottomBarIntegration) ibDidAddToDesignableDocument:]/Users/brandon/Temp/bwtoolkit/BWAddMiniBottomBarIntegration.m-[BWAddMiniBottomBar(BWAddMiniBottomBarIntegration) addBottomBar]-[BWAddMiniBottomBar(BWAddMiniBottomBarIntegration) removeOtherBottomBarViewsInDocument:]BWAddSheetBottomBarIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/x86_64/BWAddSheetBottomBarIntegration.o-[BWAddSheetBottomBar(BWAddSheetBottomBarIntegration) ibDidAddToDesignableDocument:]/Users/brandon/Temp/bwtoolkit/BWAddSheetBottomBarIntegration.m-[BWAddSheetBottomBar(BWAddSheetBottomBarIntegration) addBottomBar]-[BWAddSheetBottomBar(BWAddSheetBottomBarIntegration) removeOtherBottomBarViewsInDocument:]BWToolbarItemInspector.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/x86_64/BWToolbarItemInspector.o-[BWToolbarItemInspector viewNibName]-[BWToolbarItemInspector refresh]/Users/brandon/Temp/bwtoolkit/BWToolbarItemInspector.m_OBJC_METACLASS_$_BWToolbarItemInspector_OBJC_CLASS_$_BWToolbarItemInspectorBWToolbarItemIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/x86_64/BWToolbarItemIntegration.o-[BWToolbarItem(BWToolbarItemIntegration) ibPopulateAttributeInspectorClasses:]/Users/brandon/Temp/bwtoolkit/BWToolbarItemIntegration.m-[BWToolbarItem(BWToolbarItemIntegration) ibPopulateKeyPaths:]BWSplitViewInspectorAutosizingButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/x86_64/BWSplitViewInspectorAutosizingButtonCell.o+[BWSplitViewInspectorAutosizingButtonCell initialize]/Users/brandon/Temp/bwtoolkit/BWSplitViewInspectorAutosizingButtonCell.m-[BWSplitViewInspectorAutosizingButtonCell drawInteriorWithFrame:inView:]-[BWSplitViewInspectorAutosizingButtonCell drawBezelWithFrame:inView:]_OBJC_METACLASS_$_BWSplitViewInspectorAutosizingButtonCell_OBJC_CLASS_$_BWSplitViewInspectorAutosizingButtonCell_insetColor_borderColor_viewColor_lineColor_insetLineColor_blueArrowStart_blueArrowEnd_redArrowStart_redArrowFill_redArrowEndBWSplitViewInspectorAutosizingView.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/x86_64/BWSplitViewInspectorAutosizingView.o-[BWSplitViewInspectorAutosizingView isFlipped]-[BWSplitViewInspectorAutosizingView dealloc]/Users/brandon/Temp/bwtoolkit/BWSplitViewInspectorAutosizingView.m-[BWSplitViewInspectorAutosizingView setSplitView:]-[BWSplitViewInspectorAutosizingView splitView]-[BWSplitViewInspectorAutosizingView updateValues:]-[BWSplitViewInspectorAutosizingView layoutButtons]-[BWSplitViewInspectorAutosizingView isVertical]-[BWSplitViewInspectorAutosizingView drawRect:]-[BWSplitViewInspectorAutosizingView initWithFrame:]_OBJC_METACLASS_$_BWSplitViewInspectorAutosizingView_OBJC_CLASS_$_BWSplitViewInspectorAutosizingView_OBJC_IVAR_$_BWSplitViewInspectorAutosizingView.buttons_OBJC_IVAR_$_BWSplitViewInspectorAutosizingView.splitViewBWHyperlinkButtonInspector.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/x86_64/BWHyperlinkButtonInspector.o-[BWHyperlinkButtonInspector viewNibName]-[BWHyperlinkButtonInspector refresh]/Users/brandon/Temp/bwtoolkit/BWHyperlinkButtonInspector.m_OBJC_METACLASS_$_BWHyperlinkButtonInspector_OBJC_CLASS_$_BWHyperlinkButtonInspectorBWHyperlinkButtonIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/x86_64/BWHyperlinkButtonIntegration.o-[BWHyperlinkButton(BWHyperlinkButtonIntegration) ibPopulateAttributeInspectorClasses:]/Users/brandon/Temp/bwtoolkit/BWHyperlinkButtonIntegration.m-[BWHyperlinkButton(BWHyperlinkButtonIntegration) ibPopulateKeyPaths:]BWStyledTextFieldInspector.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/x86_64/BWStyledTextFieldInspector.o-[BWStyledTextFieldInspector viewNibName]+[BWStyledTextFieldInspector supportsMultipleObjectInspection]/Users/brandon/Temp/bwtoolkit/BWStyledTextFieldInspector.m-[BWStyledTextFieldInspector fillPopupSelection]-[BWStyledTextFieldInspector shadowPositionPopupSelection]-[BWStyledTextFieldInspector refresh]-[BWStyledTextFieldInspector setShadowPositionPopupSelection:]-[BWStyledTextFieldInspector setFillPopupSelection:]_OBJC_METACLASS_$_BWStyledTextFieldInspector_OBJC_CLASS_$_BWStyledTextFieldInspector_OBJC_IVAR_$_BWStyledTextFieldInspector.fillPopupSelection_OBJC_IVAR_$_BWStyledTextFieldInspector.shadowPositionPopupSelection_OBJC_IVAR_$_BWStyledTextFieldInspector.textFieldBWStyledTextFieldIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/x86_64/BWStyledTextFieldIntegration.o-[BWStyledTextField(BWStyledTextFieldIntegration) ibPopulateAttributeInspectorClasses:]/Users/brandon/Temp/bwtoolkit/BWStyledTextFieldIntegration.m-[BWStyledTextField(BWStyledTextFieldIntegration) ibPopulateKeyPaths:]BWGradientBoxInspector.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/x86_64/BWGradientBoxInspector.o-[BWGradientBoxInspector viewNibName]+[BWGradientBoxInspector supportsMultipleObjectInspection]/Users/brandon/Temp/bwtoolkit/BWGradientBoxInspector.m-[BWGradientBoxInspector wellContainer]-[BWGradientBoxInspector colorWell]-[BWGradientBoxInspector gradientWell]-[BWGradientBoxInspector fillPopupSelection]-[BWGradientBoxInspector refresh]-[BWGradientBoxInspector setGradientWell:]-[BWGradientBoxInspector setColorWell:]-[BWGradientBoxInspector setWellContainer:]-[BWGradientBoxInspector updateWellVisibility]-[BWGradientBoxInspector setFillPopupSelection:]-[BWGradientBoxInspector awakeFromNib]_OBJC_METACLASS_$_BWGradientBoxInspector_OBJC_CLASS_$_BWGradientBoxInspector_OBJC_IVAR_$_BWGradientBoxInspector.wellContainer_OBJC_IVAR_$_BWGradientBoxInspector.colorWell_OBJC_IVAR_$_BWGradientBoxInspector.gradientWell_OBJC_IVAR_$_BWGradientBoxInspector.fillPopupSelection_OBJC_IVAR_$_BWGradientBoxInspector.box_OBJC_IVAR_$_BWGradientBoxInspector.largeViewHeight_OBJC_IVAR_$_BWGradientBoxInspector.smallViewHeightBWGradientBoxIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/x86_64/BWGradientBoxIntegration.o-[BWGradientBox(BWGradientBoxIntegration) ibDesignableContentView]-[BWGradientBox(BWGradientBoxIntegration) ibPopulateAttributeInspectorClasses:]/Users/brandon/Temp/bwtoolkit/BWGradientBoxIntegration.m-[BWGradientBox(BWGradientBoxIntegration) ibPopulateKeyPaths:]BWGradientWell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/x86_64/BWGradientWell.o-[BWGradientWell endingColorWell]-[BWGradientWell startingColorWell]+[BWGradientWell initialize]/Users/brandon/Temp/bwtoolkit/BWGradientWell.m-[BWGradientWell setStartingColorWell:]-[BWGradientWell setEndingColorWell:]-[BWGradientWell drawRect:]_OBJC_METACLASS_$_BWGradientWell_OBJC_CLASS_$_BWGradientWell_OBJC_IVAR_$_BWGradientWell.endingColorWell_OBJC_IVAR_$_BWGradientWell.startingColorWell_borderColor_patternBWGradientWellColorWell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/x86_64/BWGradientWellColorWell.o-[BWGradientWellColorWell gradientWell]-[BWGradientWellColorWell setColor:]/Users/brandon/Temp/bwtoolkit/BWGradientWellColorWell.m+[BWGradientWellColorWell initialize]-[BWGradientWellColorWell setGradientWell:]-[BWGradientWellColorWell drawRect:]_OBJC_METACLASS_$_BWGradientWellColorWell_OBJC_CLASS_$_BWGradientWellColorWell_OBJC_IVAR_$_BWGradientWellColorWell.gradientWell_borderColor __TEXT__text__TEXTum__symbol_stub__TEXT{Z{__stub_helper__TEXT{{__cstring__TEXT|"|__const__TEXT@l@__unwind_info__TEXTH__DATA__nl_symbol_ptr__DATA__la_symbol_ptr__DATA<__nl_symbol_ptr__DATAPP#__const__DATA`@`__cfstring__DATA__bss__DATA 4__OBJC __message_refs__OBJC__cls_refs__OBJC__class__OBJC8p8__meta_class__OBJCp__inst_meth__OBJC__symbols__OBJC(`(__module_info__OBJC`__category__OBJC__cat_inst_meth__OBJC__instance_vars__OBJC__cls_meth__OBJC@x@__property__OBJC__class_ext__OBJCpHp__image_info__OBJC8__LINKEDITISn}"Vs"0l\8 PAA&g7% T/System/Library/Frameworks/Cocoa.framework/Versions/A/Cocoa p@loader_path/../Frameworks/BWToolkitFramework.framework/Versions/A/BWToolkitFramework \@rpath/InterfaceBuilderKit.framework/Versions/A/InterfaceBuilderKit 4}/usr/lib/libSystem.B.dylib 4/usr/lib/libobjc.A.dylib h &/System/Library/Frameworks/CoreFoundation.framework/Versions/A/CoreFoundation `,/System/Library/Frameworks/Foundation.framework/Versions/C/Foundation X-/System/Library/Frameworks/AppKit.framework/Versions/C/AppKitUX]ÐUV4Xpءt$ t$t$t$Ēt$Ԓt$ D$T$ $D$$'m4^]ÐUWV^YyT$L$$l]D$L$<$D$ l^_]ÐUX2]ÐUXMMYMD$E$l]ÐUX]ÐUXMMAMD$E$@l]ÐUWV ^EEEѠ}|$D$E$l͠m L$D$<$kNj qT$L$$D$ kɠD$L$<$k ^_]UWV ^EEqE%}|$D$E$aku!L$$CkD$L$<$-k ^_]UV4^EEE􋆬ML$ ML$D$E$j L$$jL$$j=tXT$АT$ T$L$$D$D$pjL$$^j4^]USWV^}}苆4E싆Ȟ]\$D$E$$jĞ|$D$<$jDL$$iL$$iG@|$D$<$iO@D$ L$T$$i^_[]UWV^}|$L$$si|$ ut$L$$Vi^_]ÐUWV^3}|$L$$!iUT$ |$L$$i^_]ÐUWV^U}|$L$$hM|$L$$h^_]UV^ UT$L$$hL$$thL$$bh^]UWV^A}|$L$$/h|$L$$hL$$h^_]UWV^Y}|$L$$gE|$L$$g^_]UE?@ A@?@ ]U]UXـ]ÐU1A]UPGA]ÐUE@@@@@@ @@]UE?@@@?@ ]U]UXـ]ÐUV^D$E $fM@A@rAA @@^]U1A]UPGA]ÐUE @`HdE@@@ ]U]UXـ҉]ÐUX]ÐUE@D]USWV^}}苆E싆TD$E$eD$<$eL$$eDD$<$eL$$eËD$$set_D$$]euD$<$D$ D$6eD$<$D$ D$e^_[]Ët$<$D$ D$붐USWV^E}OG8L$D$E$dEXE`G8L$D$E$dG8MXL$$TdO8T$ $*X^X`\`d*X`Xy$dٝdd`}_<4D$\$E$cED$ `D$D$$cļ^_[]ËG8L$D$p$scpXy$bcٝllJL$D$E$0cG8E`L$D$E$cG8EXL$$b*X^X`$bٝhhD$\$E$b`\EXGDݛ\$$Qbݛ\$$9bXT.}ΕXD$\$$aG<\$$aËG<L$D$EЉ$aML$ `L$D$$aݛ\$${aXD$t$D$<$D$ IaUXD$E$D$ D$a]UXݕD$E$D$ D$`]UXD$E$D$ D$`]UE]UXMyQAADы܄]ÐUExQAADиPG]UWV ^EEIE}|$D$E$!` L$D$<$_Nj)-T$L$$D$ _D$L$<$_ ^_]UWV ^EEEE}|$D$E$_AL$$c_=D$L$<$M_ ^_]UX)D$E$%_]USWV,^}}苆E싆]\$D$E$^̓0L$D$<$D$D$D$ ^̓,\$ L$D$<$D$D$^̓(\$ L$D$<$D$D$R^,^_[]UWV^OD$}<$'^KL$$^OD$<$]GL$$D$ D$]OD$<$]?CT$L$$]t,OD$<$]CL$$D${]^_]USWV^xD$E$P]dL$$>]TL$$,]ELL$$];1`|$D$E$\;EËpL$$\\D$L$$\tL$$\\D$L$$\udxL$$i\\D$L$$S\u2|L$$7\\D$L$$!\t+đ\$D$E$\XD$$[LD$E$G[9^_[]UWV^}|$D$E$[D$<$[^_]ÐUSWV,^}}苆|E싆]\$D$E$T[4L$D$<$D$D$D$ [4\$ L$D$<$D$D$Z,^_[]UWV^D$}<$ZL$$ZD$<$ZߏL$$D$ D$BqZD$<$_Z׏ۏT$L$$CZt,D$<$-ZۏL$$D$Z^_]USWV^D$E$YL$$YL$$YEL$$Y;1|$D$E$Y;EËL$$iYD$L$$SY L$$3YD$L$$YudL$$YD$L$$Xu2L$$XD$L$$Xt+\\$D$E$XD$$XD$E$GtX9^_[]USWV,^}}苆XE싆Ԍ]\$D$E$0XxL$D$<$D$D$D$ Wp\$ L$D$<$D$D$W,^_[]UWV^ÌD$}<$WL$$WÌD$<$oWL$$D$ D$AMWÌD$<$;WT$L$$Wt,ÌD$<$ WL$$D$V^_]USWV^D$E$V؋L$$VȋL$$VEL$$V;1ԋ|$D$E$hV;EËtL$$EVЋD$L$$/VtL$$VЋD$L$$UudtL$$UЋD$L$$Uu2tL$$UЋD$L$$Ut+8\$D$E$xŰD$$fUD$E$GPU9^_[]U1A]UPGA]ÐUE @dHhE@@@ ]U]UXـzx]ÐUE]UXD$ $T]ÐUXωD$ $T]ÐUXD$ $ZT]ÐUXcsD$ $0T]ÐUX9ED$ $T]ÐUWV ^EEE􋆝}|$D$E$S9x L$D$<$SNjՊ=yT$ yT$L$$D$sSD$L$<$]S ^_]UWV ^EEgE}|$D$E$#SkL$$S߇D$L$<$R ^_]USWV^D$} <$RL$<$|vvMEt vMtER]t\D$<$gRtWD$<$PRt_f(ECKEC ^_[]v|v`vvvUvvU1A]UPGA]ÐUE@?@@ ?]U]UXـSyUT$UT$UT$ UT$L$$>zGxt$USWV^ubE}}vErD$E$z>sD$<$b>sL$$P>u~L]sD$4$->sL$$D$>qtD$L$<$=FLmtL$$=sD$4$=sL$$D$=qtD$L$4$=usL$$=sL$$|=tEEEEEEEEFdpsL$$#=hUtML$ ML$D$h$D$<M lEȉxEEl;t#EsD$p$<$<EM4|E@d}sL$$k<itt$L$$U<uetD$ =eD$T$ $/<ËatD$4$<]tMeT$L$$;uXuatD$|$;etD$ ]eD$L$<$;YtD$L$$;ËE=s\$D$t$;E@E;xEUtML$ ML$D$h$D$@;\uQttT$D$}<$;GdtL$$;rueT$eT$ eT$D$ $D$:MtD$L$$:uItD$}<$:EtD$<$y:AtD$<$g:b;EuĬ^_[]Éb(:umeT$}eT$ eT$D$ $D$ :MtD$L$EJUED$ E D$E$D$D$D$\9]UE D$E$D$ D$\9]ÐUED$ E D$E$D$D$D$`k9]UE D$E$D$ D$` 9]ÐUE D$E$D$ D$d8]ÐUXMM)pMemML$D$E$8]UWV@^EEoESm}|$D$E$8Om\ L$D$<$_8Njol_T$$_T$ _T$_T$_T$`T$`T$ /`T$L$$D$(7KmD$L$<$7@^_]UWV ^EEoEal}|$D$E$7 o]lL$$7YlD$L$<$i7 ^_]USWV,^}}苆VnE싆k]\$D$E$.7lvlL$D$<$D$D$D$ 6lnl\$ L$D$<$D$D$6,^_[]UWV^kD$}<$6kL$$6kD$<$m6kL$$D$ D$AK6kD$<$96kkT$L$$6t,kD$<$6kL$$D$5^_]USWV^jD$E$5jL$$5jL$$5EjL$$5;1j|$D$E$f5;EËlrjL$$C5jD$L$$-5lrjL$$ 5jD$L$$4udlrjL$$4jD$L$$4u2lrjL$$4jD$L$$4t+6j\$D$E$v4jD$$d4jD$E$GN49^_[]USWV,^}}苆2kE싆h]\$D$E$ 4hRiL$D$<$D$D$D$ 3hJi\$ L$D$<$D$D$3,^_[]UWV^hD$}<$u3hL$$c3hD$<$I3hL$$D$ D$ B'3hD$<$3hhT$L$$2t,hD$<$2hL$$D$2^_]USWV^gD$E$2gL$$2gL$$z2EgL$$e2;1g|$D$E$B2;EËiNgL$$2gD$L$$ 2iNgL$$1gD$L$$1udiNgL$$1gD$L$$1u2iNgL$$1gD$L$$o1t+g\$D$E$R1gD$$@1gD$E$G*19^_[]UXX]ÐUXMMoiMKeD$E$0]ÐUWV ^EEhEoe}|$D$E$0ke U L$D$<${0NjgekXT$L$$D$ O0geD$L$<$90 ^_]UWV ^EEogEd}|$D$E$/sgdL$$/dD$L$<$/ ^_]USWV^fdL$$/YfdL$$/ YgeL$$a/fdL$$A/$Y geL$$D$?D$?D$ ?D$>/ dL$$.(Y geL$$.eL$$D$\B>. dL$$.,YfgPdL$$.eD$L$<$m.Njf,dL$$S.ËelWL$D$<$5.dD$L$$.0Yf,dL$$.Ëe|WL$D$<$-dD$L$$-4Yf,dL$$-ËeWL$D$<$-dD$L$${-8Yf,dL$$]-ËeWL$D$<$?-dD$L$$)- G8e@L$$D$! G@a@L$$D$ GDa@L$$D$GD]@L$$D$ZL$$D$G8e@L$$D$G@a@L$$D$|GDa@L$$D$_GD]@L$$D$BUWV0^}}AE>D$E$ >D$<$<L$D$E$EGLX,GP0^_]UE]UWV@^EE>ES<}|$D$E$O<+ L$D$<$_Nj>;_0T$0/T$,o0T$(0T$$0T$ 0T$0T$0T$0T$0T$ 0T$L$$D$4K<D$L$<$@^_]UWV ^EE=EC;}|$D$E$>?;L$$a;;D$L$<$K ^_]UE@T]ÐUE@P]ÐUSWV^t=<L$$D$ ?D$>t:L$$/==:L$$l;D$L$<$NjH=:L$$Ëh;t/L$D$<$qd;D$L$$[/^_[]ÐUSWV\^;D$ED$U$3M̉L$MȉL$ MĉL$ML$M $D$@D$@.\;EM䋾)_ \$_\$_\$?|$L$ D$T$ $D$$?D$ <9L$$mNjEHT<T$ $SËEHP<T$ $9<\$ D$L$<$Nj<ML$ML$ML$ ML$D$<$D$,;D$<$.t;L$$;D$ED$EЉ$E܉D$ E؉D$EԉD$EЉ$N\^_[]UED$ E D$E$D$D$D$TW]UED$ E D$E$D$D$D$P]UE@l]ÐUWV ^}Gl9L$$D$}<E􋆷9ML$D$E$ ^_]ÐUV^9V9L$$D$ ?D$>_6L$$M,^]ÐUED$ E D$E$D$D$D$l!]USWV|^}}苆;E싆8ML$ML$ML$ ML$D$E$+,8L$$t8D$|$E$ED$ ED$ED$E$1+t8D$|$E$TED$ED$ ED$ED$E$D$@@D$@@8MĉL$ML$ML$ ML$D$$8D$<$Ët8D$|$Eȉ$EԉD$EЉD$ ẺD$EȉD$E؉$D$@D$@F8ML$ML$M܉L$ M؉L$D$$?|^_[]%%%% %$%(%,%0%4%8%<%@%D%H%LhT%Phhh/hBhThthhhhhh|hrh3hhK^bundleWithIdentifier:arrayWithObjects:NSArrayNSBundleBWToolkitBWButtonBarLibraryBWTransparentControlsLibraryBWToolkitLibraryBWBottomBarLibraryBWToolbarItemsLibraryBWControllersLibraryBWSplitViewLibrarycom.brandonwalkin.BWToolkitFrameworkIBPluginlabelrequiredFrameworkslibraryNibNamesrefreshBWTexturedSliderInspectorviewNibNameBWSelectableToolbarInspectorchildrenOfObject:objectsremoveObject:moveObject:toParent:documentForObject:addObject:toParent:parentOfObject:allocsetDocumentToolbar:runModalalertWithMessageText:defaultButton:alternateButton:otherButton:informativeTextWithFormat:currentIBFrameworkVersionibDocument:willStartSimulatorWithContext:ibPopulateAttributeInspectorClasses:ibPopulateKeyPaths:NSToolbarIBDocumentNSAlertBWSelectableToolbarHelperisPreferencesToolbarThe selectable toolbar is not yet compatible with the IB simulator. Quit the simulator and revert to the last saved document. Sorry for the inconvenience.OKToolbar not compatible with simulatorBWSelectableToolbarIntegrationBWSelectableToolbar@12@0:4@8objectsforDocumentObject:v16@0:4@8@12BWTransparentButtonIntegrationBWTransparentButtonibBaselineAtIndex:f12@0:4i8ibBaselineCountibLayoutInset{IBInsetTag=ffff}8@0:4BWTransparentCheckboxIntegrationBWTransparentCheckboxibMaximumSize{_NSSize=ff}8@0:4ibMinimumSizeBWTransparentPopUpButtonIntegrationBWTransparentPopUpButtonnumberOfTickMarksBWTransparentSliderIntegrationBWTransparentSliderBWAnchoredButtonIntegrationBWAnchoredButtonnumberOfColumnsframeperformSelector:withObject:afterDelay:selectionAnimationDidEndsetFrameOrigin:animatorcurrentContextselectMode:withAnimation:selectedIndexlastObjectcountBWAnchoredButtonBarInspectormatrix@"NSMatrix"selectionView@"NSImageView"contentView@"NSView"isAnimatingv16@0:4i8c12selectMode3:selectMode2:selectMode1:subviewsNSViewBWAnchoredButtonBarIntegrationBWAnchoredButtonBaribDefaultChildrenremoveFromSuperviewisKindOfClass:respondsToSelector:setBottomCornerRounded:setContentBorderThickness:forEdge:bwIsTexturedwindowremoveSelfInDocument:removeOtherBottomBarViewsInDocument:removeBottomBarBWAddRegularBottomBarBWAddSmallBottomBarBWAddMiniBottomBarBWAddSheetBottomBarBWRemoveBottomBarIntegrationBWRemoveBottomBaraddBottomBarBWAddRegularBottomBarIntegrationBWAddSmallBottomBarIntegrationBWAnchoredPopUpButtonIntegrationBWAnchoredPopUpButtoncustomViewDarkTexturedBorderColorcontainerCustomViewBackgroundColorIBColorBWCustomViewIntegrationBWCustomViewindicatorIndextrackHeightNSSliderBWTexturedSliderIntegrationBWTexturedSliderBWUnanchoredButtonIntegrationBWUnanchoredButtonBWUnanchoredButtonContainerIntegrationBWUnanchoredButtonContaineribIsChildInitiallySelectable:c12@0:4@8autoreleasebundleForClass:classBWSheetControllerLibrary-SheetController.tifBWSheetControllerIntegrationibDefaultImageBWTransparentTableViewIntegrationBWTransparentTableViewibTesterBWTransparentScrollViewIntegrationBWTransparentScrollViewsetMaxUnitPopupSelection:setMinUnitPopupSelection:setObjectValue:setMaxValues:removeObjectForKey:setMinValues:minValuesstringValueobjectobjectForKey:setMaxUnits:setMinUnits:setObject:forKey:mutableCopyminUnitsnumberWithInt:updateUnitPopupSelectionsupdateSizeInputFieldsupdateSizeLabelssetCollapsiblePopupContent:setSubviewPopupContent:countByEnumeratingWithState:objects:count:stringByAppendingString:isEqualToString:classNamestringWithFormat:indexOfObject:initlayoutButtonssetSplitView:inspectedObjectsbwAnimatorbwShiftKeyIsDowndividerThicknesstoggleDividerCheckboxVisibilityWithAnimation:retainreleasesetStringValue:isVerticaladdObserver:selector:name:object:controlTextDidEndEditing:defaultCenterNSNotificationCenterNSMutableArrayNSStringNSNumberBWSplitViewInspectorMax WidthMin WidthMax HeightMin Height supportsMultipleObjectInspectionmaxField@"NSTextField"minFieldmaxLabelminLabeldividerCheckbox@"NSButton"autosizingView@"BWSplitViewInspectorAutosizingView"iminUnitPopupSelectionmaxUnitPopupSelection@"NSMutableArray"collapsiblePopupContentsplitView@"BWSplitView"dividerCheckboxCollapsedci8@0:4setDividerCheckboxCollapsed:v12@0:4c8setSubviewPopupSelection:v12@0:4i8c12@0:4c8awakeFromNibTc,VdividerCheckboxCollapsedT@"BWSplitView",&,VsplitViewTi,VmaxUnitPopupSelectionTi,VminUnitPopupSelectionT@"NSMutableArray",C,VcollapsiblePopupContentsubviewPopupContentT@"NSMutableArray",C,VsubviewPopupContentsubviewPopupSelectionTi,VsubviewPopupSelectionSubview %d - %@Right PaneLeft PaneNoneBottom PaneTop PaneibDidAddToDesignableDocument:addObjectsFromArray:NSSplitViewmaxUnitsmaxValuescollapsiblePopupSelectiondividerCanCollapsecolorIsEnabledBWSplitViewIntegrationBWSplitViewBWAddMiniBottomBarIntegrationBWAddSheetBottomBarIntegrationBWToolbarItemInspectorIBInspectoraddObject:NSToolbarItemidentifierStringBWToolbarItemIntegrationBWToolbarItemv12@0:4@8strokelineToPoint:moveToPoint:setLineDash:count:phase:setLineWidth:bezierPathintValuesizebwRotateImage90DegreesClockwise:setFlipped:superviewbwDrawPixelThickLineAtPosition:withInset:inRect:inView:horizontal:flip:setinitWithContentsOfFile:pathForImageResource:colorWithAlphaComponent:whiteColorcolorWithCalibratedRed:green:blue:alpha:childlessCustomViewBackgroundColorbwIsOnLeopardcustomViewDarkBorderColorcustomViewLightBorderColorNSApplicationBWSplitViewInspectorAutosizingButtonCellNSBezierPathInspector-SplitViewArrowBlueLeft.tifInspector-SplitViewArrowBlueRight.tifInspector-SplitViewArrowRedLeft.tifInspector-SplitViewArrowRedFill.tifInspector-SplitViewArrowRedRight.tifNSButtonCelldrawInteriorWithFrame:inView:v28@0:4{_NSRect={_NSPoint=ff}{_NSSize=ff}}8@24drawBezelWithFrame:inView:deallocsetAutoresizingMask:tagaddSubview:setIntValue:autoresizingMasksetTag:setAction:updateValues:setTarget:setCell:initTextCell:removeAllObjectswindowBackgroundColorinitWithFrame:NSButtonBWSplitViewInspectorAutosizingViewbuttonsisFlipped@24@0:4{_NSRect={_NSPoint=ff}{_NSSize=ff}}8BWHyperlinkButtonInspectorurlStringBWHyperlinkButtonIntegrationBWHyperlinkButtonsetShadowIsBelow:setHasShadow:setHasGradient:setFillPopupSelection:shadowIsBelowsetShadowPositionPopupSelection:hasShadowBWStyledTextFieldInspectorc8@0:4textField@"BWStyledTextField"shadowPositionPopupSelectionTi,VfillPopupSelectionTi,VshadowPositionPopupSelectionNSTextFieldsolidColorendingColorstartingColorshadowColorBWStyledTextFieldIntegrationBWStyledTextFieldendGroupingsetFrame:setAlphaValue:setDuration:beginGroupingsetEnabled:setHidden:setHasFillColor:hasFillColorupdateWellVisibilityobjectAtIndex:viewNSEventNSAnimationContextBWGradientBoxInspectorbox@"BWGradientBox"fillPopupSelection@"BWGradientWell"colorWellwellContainerlargeViewHeightfsmallViewHeightsetGradientWell:setColorWell:setWellContainer:v8@0:4T@"NSView",&,N,VwellContainerT@"NSColorWell",&,N,VcolorWellgradientWellT@"BWGradientWell",&,N,VgradientWellhasGradienthasBottomBorderhasTopBorderbottomInsetAlphatopInsetAlphafillColorfillEndingColorfillStartingColorbottomBorderColortopBorderColorBWGradientBoxIntegrationBWGradientBoxibDesignableContentView@8@0:4boundsdrawInRect:angle:initWithStartingColor:endingColor:colordrawAtPoint:fromRect:operation:fraction:colorWithCalibratedWhite:alpha:NSColorBWGradientWellNSImageNSGradientGradientWellPattern.tifNSObjectinitializestartingColorWell@"NSColorWell"setStartingColorWell:setEndingColorWell:drawRect:v24@0:4{_NSRect={_NSPoint=ff}{_NSSize=ff}}8endingColorWellT@"NSColorWell",&,N,VendingColorWellT@"NSColorWell",&,N,VstartingColorWellsetColor:setNeedsDisplay:drawSwatchInRect:NSColorWellBWGradientWellColorWellPA@@@AB@@@@A@ApA)\(?A?`?@@@444 {{{|||&|0|:|D|N|X|b|l|v|?@33?????| ||}0}P}p}}}$@~p~p+0%@  @U _ i t |f x~    . 0PcH0Д$%0#`#$p `   * 8 R #   0A O YpН||0~~|~~~~~~ȋ8AܒԐT`pvƒ̙҃-8Ma(p̅ӅT:"Dxʉ .8Dbx6׊4jӋF"0=NȌȒN ",t˓ݓ,5=RVboÖԖЗ#1Rۙ,%HxV||'p~6AI`@4H[g@~X(@wp`}|(ص@~8Dp~8d8@Hh@lp8ȶDXx0|(p8X`DĺTX#p0}|0@~0p~0@0@0@00T0p0`0h0|0#0}}~ 0~p`~0~pP`~>pDŽhvބhh0~p`~6Ȏ,hABh0B|lB:Ȏt,PȎh,BЎZ,|N,׊p55ȌhD1p>0V/ʉn.0~p=N"$8h-pF-,p,`~4,0~pJ`~J͕RN hjZZ5pZh"[Ӌp]|g-|YV`h7Y0~ph`~hȎ&jȎj1jkl0~p2j`~j Ȏm>hn›mPh0om^hlompoq0~pn`~m,p~s+hx uBhDxvuV`nv>hzy›xhxV`y8h <Xtȳ8Tp(4XPlHx|(|8|H|X|h|x|||||ȼ|ؼ|||||(|8|H|X|h|x|||||Ƚ|ؽ|||||(|8|H|X|h|xVuā$IjP҂|0L'oP̆4 o$ԇt=4(JHjtxH[AZ8DaXʜx ~~^~h~l~hbh&h 4Ȏ*$2$2bRF Ȏ$2$2 vȎl$2>."H ؜;thhfӅhhFpphh!p h2 h$p#hV# &Ȏ&$2&&z&T':f'"<''D&؜&$2(hd(h' ,*Ȏ"*$2)))$2n*؜f*;*Yw^*N*>**apf+~h+~l+ap.,$2,hBhChChEpDhXDhHp"Hh|GhKhJhihhhHmhll؜shuht_f8r<@ƎD 8̍<Ս@ލDHL68P:8TP8Xj\|j`dƎh%jPT88<8@88<›Қ@DH%L'%P PT›Қl|F,pK|j|mpup&y>eP:|ʏ 6Le˜{›ϛ˜ Þ›ϛ  H `!`0XG Q"`DpSDpSDpSCRDSCRCTDpSDpSCRCTDpSCRCTCRCTCRCTCRCTISISISISDpSISDpSISISDpSDpSDpSDpYBVBVB`B`BBVBVB`BVB`B`$B`B\C% pRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBUDSDSDSDSDSDSDSDSDSDSDSDSDSDSDSDSDSDSDSDSDSDSDSDSF`BYBYBYBSB`B`B\BYBYB`B`BYB`B`BSBYBVBYBYBYBVBVBVBYARARARARBRARARARARARARARARARARARARBRARBRARARBRARARARARARARBRARBRCSBSBSBSBSBSB^BRBTBXBTBRBQ ppQ@_IBAttributeKeyPathsQq@___stack_chk_guard @dyld_stub_binder<@___CFConstantStringClassReferenceLG @_NSZeroRectq@_NSZeroSizeq@_NSControlTextDidEndEditingNotificationq@_NSDrawThreePartImageq@_NSFrameRectq@_NSInsetRectq @_NSRectFillq$@_NSRectFillUsingOperationq(@___stack_chk_failq,@_floorfq0@_objc_enumerationMutationq4@_objc_getPropertyq8@_objc_msgSendq<@_objc_msgSendSuperq@@_objc_msgSend_fpretqD@_objc_msgSend_stretqH@_objc_setPropertyqL@_roundf.objc_c lass_name_BW-ategory_name_BWTySAnchoredButtonBarInspectorHyperlinkButtonInspectorGradientoolexturedSliderInspectorkitbarItemInspectorelectableToolbarInspectorplitViewInspectortyledTextFieldInspectorAutosizingButtonCellViewBoxInspectorWellColorWellUnanchoredButtonTACustomView_BWCustomViewIntegration GradientBox_BWGradientBoxIntegration HyperlinkButton_BWHyperlinkButtonIntegration RemoveBottomBar_BWRemoveBottomBarIntegration S _BWUnanchoredButtonIntegrationContainer_BWUnanchoredButtonContainerIntegrationransparentexturedSlider_BWTexturedSliderIntegration oolbarItem_BWToolbarItemIntegration TableView_BWTransparentTableViewIntegrationSPopUpButton_BWTransparentPopUpButtonIntegrationButton_BWTransparentButtonIntegration Checkbox_BWTransparentCheckboxIntegration lider_BWTransparentSliderIntegrationcrollView_BWTransparentScrollViewIntegrationddnchored MiniBottomBar_BWAddMiniBottomBarIntegration RegularBottomBar_BWAddRegularBottomBarIntegration S heetBottomBar_BWAddSheetBottomBarIntegration mallBottomBar_BWAddSmallBottomBarIntegration Button PopUpButton_BWAnchoredPopUpButtonIntegration Bar_BWAnchoredButtonBarIntegration _BWAnchoredButtonIntegration electableToolbar_BWSelectableToolbarIntegration heetController_BWSheetControllerIntegration plitView_BWSplitViewIntegration tyledTextField_BWStyledTextFieldIntegration 8d8d8fnYK.)9$<9$N. f9$ $zNz.9$$[N[d8d9d9fnYK.3:$\:$N.:$$5N5d8d:d:fnYK.>Q;$>};$N.P;$P$5N5d8d;d<fnYK.|<$<$N.&=$&$nNn.b=$$N.b=$b$N.>$$RNR.lc>$l$RNR.>$$JNJ.>$$VNV.^E?$^$\N\.?$$JNJd8d?d?fnYK.o@$@$&N&.*@$*$ N .4:A$4$Nd8dAdAfnYK.F"B$F$ N .RkB$RB$N.bB$b$%N%d8d>CddCfnYK.C$1D$&N&.uD$$ N .D$$Nd8dEd;EfnYK.E$E$WNWd8d8FdVFfnYK."F$"$ N .. G$.JG$N.>G$>$.N..lG$l$ N .vH$v$Nd8dJHdiHfnYK.H$ I$N.II$$ N .I$$$N$.I$I$N.v)J$v$6N6.VJ$$6N6.J$$6N6d8dJdJfnYK.JK$$N. K$ K$(N(.HL$H$N.fbL$f$N.L$$nNn.t M$t$&N&d8dRMdqMfnYK.M$9N$N.pvN$p$N.FN$F$N.O$$CNCd8dZOd}OfnYK.2 O$2 QP$N. P$ $N.!P$!$Nd8d:Qd[QfnYK.V#Q$V#)R$N.#hR$#$N.$R$$$Nd8dSd+SfnYK.z&S$z&$ N .&S$&8T$N.&yT$&$.N..&T$&$ N .& U$&$Nd8d[UduUfnYK.&U$&$N.&(V$&tV$*N*.'V$'$*N*.<'V$<'$*N*.f'CW$f'$*N*.'W$'$)N)d8dWdWfnYK.'^X$'X$N.d(X$d($nNn.(5Y$($Nd8dtYdYfnYK.) Z$)$ N .)OZ$)Z$N.)Z$)$&N&."*[$"*$ N .,*X[$,*$Nd8d[d[fnYK.>*J\$>*$N.N*\$N*\$N.^*;]$^*$N.f*]$f*$N.n*]$n*$&N&.*T^$*$&N&d8d^d^fnYK.*C_$*_$Nd8d_d_fnYK.f+b`$f+$N.l+`$l+`$RNR.+;a$+$JNJd8dadafnYK.,(b$,ub$&N&..,b$.,$Nd8dcdcfnYK.4,c$4,c$N.F,c$F,$N.N,d$N,$ N .Z,Id$Z,$N.h,~d$h,$ N .t,d$t,$ N .,d$,$ N .,e$,$N.F--e$F-$N.-Ve$-$N.n.|e$n.$N.V/e$V/$N.>0e$>0$N.D1f$D1$`N`.5Df$5$JNJ.5vf$5$6N6.$8f$$8$N.=f$=$N.A g$A$<N<.B:g$B$.N..0Bfg$0B$<N<.lBg$lB$.N..Bg$B$-N-d8dgdhfnYK.Bvh$Bh$<N<.Ch$C$N.C-i$C$nNnd8dyidifnYK.XDj$XDdj$N.Dj$D$N.Ej$E$Nd8d>kd_kfnYK.|Gk$|G-l$N."Hll$"H$N.Hl$H$Nd8d md%mfnYK.Jm$Jm$N.Jm$J$5N5d8dnd0nfnYK.Jn$Jn$N.Ko$K$nNnd8dkodofnYK.Kp$KPp$N.Np$N$N.Rp$R$N*q& 6q& $Cq& (Nq& ,Yq& 0iq& 4yq& 8q& <q& @q& Dd8dqdqfnYK.YSr$Y$ N .Yr$Yr$N.jZr$jZ$<N<.Z/s$Z$.N..Z_s$Z$NNN."[s$"[$fNf.]s$]$N NN .gs$g$,N,.h&t$h$Nd8dVtdstfnYK.ht$hu$N.hMu$h$5N5d8dsudufnYK.h v$hPv$N.iv$i$nNnd8dvdwfnYK.jww$jw$N.jw$j$N.jx$j$ N .&jLx$&j$ N .2jx$2j$8N8.jkx$jk$N.lx$l$QNQd8d!yd@yfnYK.lly$lly$N.Hm;z$Hm$nNnd8dzdzfnYK.m{$mC{$N.mz{$m$N.m{$m$ N .m{$m$ N .m|$m$ N .m(|$m$ N .nU|$n$N.nw|$n$<N<.0o|$0o$<N<.lo|$lo$<N<.o|$o$RNR.q%}$q$N.~sV}$~s$~N~d8d}}d}fnYK.s ~$s$N.tN~$t~$N.u~$u$nNnd8dd'fnYK.vu$vu$ N .u$u$ N .u$u$N.nv"$nv$N.Dx>$Dx$<N<.xd$x$<N<& H& Ld8ddfnYK.x.$xV$ N .x$x$^N^.&y$&y$TNT.zyف$zy$<N<.y$y$N*& Pd( Ee>PR&bdl@^!f*4F@Rb!r "J.>l vMy vA n    / Ht f  td  p FP  2  : ! V# #3$z&&!&j&&&D&'<''f'j''d(I()))Q"*,*>*3N*^*f*Ln***<f+l++,k.,4,F,N,AZ,vh,t,,,%F-N-tn.V/>0 D1<5n5$8=A2B^0BlBBB)CdCXDDEE|G"H8HJJJKkKNR3 Yc Y jZ Z Z*!"[^!]!g!h!h"hC"h"i"j #jK#j|#&j#2j#jk$lQ$ll$Hm$m%mQ%my%m%m%m%n&n>&0of&lo&o&q&~s's\'t'u'vu (u1(uN(nvj(Dx(x(x(x)&y+)zyW)y|){) ) $) () ,) 0) 4) 8) <) @* D* H* L'* P4*y** +R+++%,^,,,-f---#.d...1///0e001ȳ/1W1Hw1x111 2XZ222h2( 38(3L3s3333 4$4@4]4w44444 5$5>5\5u555556&6@6Z6w6666677=7S7`7m7y777777778&848G8[8o888@@ __mh_bundle_header-[BWToolkit label]-[BWToolkit libraryNibNames]-[BWToolkit requiredFrameworks]-[BWTexturedSliderInspector viewNibName]-[BWTexturedSliderInspector refresh]-[BWSelectableToolbarInspector viewNibName]-[BWSelectableToolbarInspector refresh]-[BWSelectableToolbar(BWSelectableToolbarIntegration) ibPopulateKeyPaths:]-[BWSelectableToolbar(BWSelectableToolbarIntegration) ibPopulateAttributeInspectorClasses:]-[BWSelectableToolbar(BWSelectableToolbarIntegration) ibDocument:willStartSimulatorWithContext:]-[BWSelectableToolbar(BWSelectableToolbarIntegration) ibDidAddToDesignableDocument:]-[BWSelectableToolbar(BWSelectableToolbarIntegration) addObject:toParent:]-[BWSelectableToolbar(BWSelectableToolbarIntegration) moveObject:toParent:]-[BWSelectableToolbar(BWSelectableToolbarIntegration) removeObject:]-[BWSelectableToolbar(BWSelectableToolbarIntegration) objectsforDocumentObject:]-[BWSelectableToolbar(BWSelectableToolbarIntegration) parentOfObject:]-[BWSelectableToolbar(BWSelectableToolbarIntegration) childrenOfObject:]-[BWTransparentButton(BWTransparentButtonIntegration) ibLayoutInset]-[BWTransparentButton(BWTransparentButtonIntegration) ibBaselineCount]-[BWTransparentButton(BWTransparentButtonIntegration) ibBaselineAtIndex:]-[BWTransparentCheckbox(BWTransparentCheckboxIntegration) ibMinimumSize]-[BWTransparentCheckbox(BWTransparentCheckboxIntegration) ibMaximumSize]-[BWTransparentCheckbox(BWTransparentCheckboxIntegration) ibLayoutInset]-[BWTransparentPopUpButton(BWTransparentPopUpButtonIntegration) ibLayoutInset]-[BWTransparentPopUpButton(BWTransparentPopUpButtonIntegration) ibBaselineCount]-[BWTransparentPopUpButton(BWTransparentPopUpButtonIntegration) ibBaselineAtIndex:]-[BWTransparentSlider(BWTransparentSliderIntegration) ibLayoutInset]-[BWAnchoredButton(BWAnchoredButtonIntegration) ibMinimumSize]-[BWAnchoredButton(BWAnchoredButtonIntegration) ibMaximumSize]-[BWAnchoredButton(BWAnchoredButtonIntegration) ibLayoutInset]-[BWAnchoredButton(BWAnchoredButtonIntegration) ibBaselineCount]-[BWAnchoredButton(BWAnchoredButtonIntegration) ibBaselineAtIndex:]-[BWAnchoredButtonBarInspector viewNibName]-[BWAnchoredButtonBarInspector selectionAnimationDidEnd]-[BWAnchoredButtonBarInspector refresh]-[BWAnchoredButtonBarInspector selectMode:withAnimation:]-[BWAnchoredButtonBarInspector selectMode3:]-[BWAnchoredButtonBarInspector selectMode2:]-[BWAnchoredButtonBarInspector selectMode1:]-[BWAnchoredButtonBar(BWAnchoredButtonBarIntegration) ibDesignableContentView]-[BWAnchoredButtonBar(BWAnchoredButtonBarIntegration) ibMinimumSize]-[BWAnchoredButtonBar(BWAnchoredButtonBarIntegration) ibMaximumSize]-[BWAnchoredButtonBar(BWAnchoredButtonBarIntegration) ibPopulateKeyPaths:]-[BWAnchoredButtonBar(BWAnchoredButtonBarIntegration) ibPopulateAttributeInspectorClasses:]-[BWAnchoredButtonBar(BWAnchoredButtonBarIntegration) ibDefaultChildren]-[BWRemoveBottomBar(BWRemoveBottomBarIntegration) ibDidAddToDesignableDocument:]-[BWRemoveBottomBar(BWRemoveBottomBarIntegration) removeBottomBar]-[BWRemoveBottomBar(BWRemoveBottomBarIntegration) removeOtherBottomBarViewsInDocument:]-[BWRemoveBottomBar(BWRemoveBottomBarIntegration) removeSelfInDocument:]-[BWAddRegularBottomBar(BWAddRegularBottomBarIntegration) ibDidAddToDesignableDocument:]-[BWAddRegularBottomBar(BWAddRegularBottomBarIntegration) addBottomBar]-[BWAddRegularBottomBar(BWAddRegularBottomBarIntegration) removeOtherBottomBarViewsInDocument:]-[BWAddSmallBottomBar(BWAddSmallBottomBarIntegration) ibDidAddToDesignableDocument:]-[BWAddSmallBottomBar(BWAddSmallBottomBarIntegration) addBottomBar]-[BWAddSmallBottomBar(BWAddSmallBottomBarIntegration) removeOtherBottomBarViewsInDocument:]-[BWAnchoredPopUpButton(BWAnchoredPopUpButtonIntegration) ibMinimumSize]-[BWAnchoredPopUpButton(BWAnchoredPopUpButtonIntegration) ibMaximumSize]-[BWAnchoredPopUpButton(BWAnchoredPopUpButtonIntegration) ibLayoutInset]-[BWAnchoredPopUpButton(BWAnchoredPopUpButtonIntegration) ibBaselineCount]-[BWAnchoredPopUpButton(BWAnchoredPopUpButtonIntegration) ibBaselineAtIndex:]-[BWCustomView(BWCustomViewIntegration) ibDesignableContentView]-[BWCustomView(BWCustomViewIntegration) containerCustomViewBackgroundColor]-[BWCustomView(BWCustomViewIntegration) childlessCustomViewBackgroundColor]-[BWCustomView(BWCustomViewIntegration) customViewDarkTexturedBorderColor]-[BWCustomView(BWCustomViewIntegration) customViewDarkBorderColor]-[BWCustomView(BWCustomViewIntegration) customViewLightBorderColor]-[BWTexturedSlider(BWTexturedSliderIntegration) ibPopulateKeyPaths:]-[BWTexturedSlider(BWTexturedSliderIntegration) ibPopulateAttributeInspectorClasses:]-[BWTexturedSlider(BWTexturedSliderIntegration) ibLayoutInset]-[BWUnanchoredButton(BWUnanchoredButtonIntegration) ibMinimumSize]-[BWUnanchoredButton(BWUnanchoredButtonIntegration) ibMaximumSize]-[BWUnanchoredButton(BWUnanchoredButtonIntegration) ibLayoutInset]-[BWUnanchoredButton(BWUnanchoredButtonIntegration) ibBaselineCount]-[BWUnanchoredButton(BWUnanchoredButtonIntegration) ibBaselineAtIndex:]-[BWUnanchoredButtonContainer(BWUnanchoredButtonContainerIntegration) ibMinimumSize]-[BWUnanchoredButtonContainer(BWUnanchoredButtonContainerIntegration) ibMaximumSize]-[BWUnanchoredButtonContainer(BWUnanchoredButtonContainerIntegration) ibIsChildInitiallySelectable:]-[BWUnanchoredButtonContainer(BWUnanchoredButtonContainerIntegration) ibDesignableContentView]-[BWUnanchoredButtonContainer(BWUnanchoredButtonContainerIntegration) ibLayoutInset]-[BWUnanchoredButtonContainer(BWUnanchoredButtonContainerIntegration) ibDefaultChildren]-[BWSheetController(BWSheetControllerIntegration) ibDefaultImage]-[BWTransparentTableView(BWTransparentTableViewIntegration) ibTester]-[BWTransparentTableView(BWTransparentTableViewIntegration) addObject:toParent:]-[BWTransparentTableView(BWTransparentTableViewIntegration) removeObject:]-[BWTransparentScrollView(BWTransparentScrollViewIntegration) ibLayoutInset]-[BWTransparentScrollView(BWTransparentScrollViewIntegration) ibTester]-[BWSplitViewInspector viewNibName]+[BWSplitViewInspector supportsMultipleObjectInspection]-[BWSplitViewInspector dividerCheckboxCollapsed]-[BWSplitViewInspector setDividerCheckboxCollapsed:]-[BWSplitViewInspector maxUnitPopupSelection]-[BWSplitViewInspector minUnitPopupSelection]-[BWSplitViewInspector subviewPopupSelection]-[BWSplitViewInspector awakeFromNib]-[BWSplitViewInspector updateSizeLabels]-[BWSplitViewInspector setSplitView:]-[BWSplitViewInspector setMinUnitPopupSelection:]-[BWSplitViewInspector setMaxUnitPopupSelection:]-[BWSplitViewInspector updateUnitPopupSelections]-[BWSplitViewInspector controlTextDidEndEditing:]-[BWSplitViewInspector setSubviewPopupSelection:]-[BWSplitViewInspector updateSizeInputFields]-[BWSplitViewInspector toggleDividerCheckboxVisibilityWithAnimation:]-[BWSplitViewInspector refresh]-[BWSplitViewInspector setSubviewPopupContent:]-[BWSplitViewInspector subviewPopupContent]-[BWSplitViewInspector setCollapsiblePopupContent:]-[BWSplitViewInspector collapsiblePopupContent]-[BWSplitViewInspector splitView]-[BWSplitView(BWSplitViewIntegration) ibDidAddToDesignableDocument:]-[BWSplitView(BWSplitViewIntegration) ibPopulateKeyPaths:]-[BWSplitView(BWSplitViewIntegration) ibPopulateAttributeInspectorClasses:]-[BWAddMiniBottomBar(BWAddMiniBottomBarIntegration) ibDidAddToDesignableDocument:]-[BWAddMiniBottomBar(BWAddMiniBottomBarIntegration) addBottomBar]-[BWAddMiniBottomBar(BWAddMiniBottomBarIntegration) removeOtherBottomBarViewsInDocument:]-[BWAddSheetBottomBar(BWAddSheetBottomBarIntegration) ibDidAddToDesignableDocument:]-[BWAddSheetBottomBar(BWAddSheetBottomBarIntegration) addBottomBar]-[BWAddSheetBottomBar(BWAddSheetBottomBarIntegration) removeOtherBottomBarViewsInDocument:]-[BWToolbarItemInspector viewNibName]-[BWToolbarItemInspector refresh]-[BWToolbarItem(BWToolbarItemIntegration) ibPopulateKeyPaths:]-[BWToolbarItem(BWToolbarItemIntegration) ibPopulateAttributeInspectorClasses:]+[BWSplitViewInspectorAutosizingButtonCell initialize]-[BWSplitViewInspectorAutosizingButtonCell drawBezelWithFrame:inView:]-[BWSplitViewInspectorAutosizingButtonCell drawInteriorWithFrame:inView:]-[BWSplitViewInspectorAutosizingView isFlipped]-[BWSplitViewInspectorAutosizingView initWithFrame:]-[BWSplitViewInspectorAutosizingView setSplitView:]-[BWSplitViewInspectorAutosizingView splitView]-[BWSplitViewInspectorAutosizingView dealloc]-[BWSplitViewInspectorAutosizingView updateValues:]-[BWSplitViewInspectorAutosizingView layoutButtons]-[BWSplitViewInspectorAutosizingView isVertical]-[BWSplitViewInspectorAutosizingView drawRect:]-[BWHyperlinkButtonInspector viewNibName]-[BWHyperlinkButtonInspector refresh]-[BWHyperlinkButton(BWHyperlinkButtonIntegration) ibPopulateKeyPaths:]-[BWHyperlinkButton(BWHyperlinkButtonIntegration) ibPopulateAttributeInspectorClasses:]-[BWStyledTextFieldInspector viewNibName]+[BWStyledTextFieldInspector supportsMultipleObjectInspection]-[BWStyledTextFieldInspector fillPopupSelection]-[BWStyledTextFieldInspector shadowPositionPopupSelection]-[BWStyledTextFieldInspector refresh]-[BWStyledTextFieldInspector setShadowPositionPopupSelection:]-[BWStyledTextFieldInspector setFillPopupSelection:]-[BWStyledTextField(BWStyledTextFieldIntegration) ibPopulateKeyPaths:]-[BWStyledTextField(BWStyledTextFieldIntegration) ibPopulateAttributeInspectorClasses:]-[BWGradientBoxInspector viewNibName]+[BWGradientBoxInspector supportsMultipleObjectInspection]-[BWGradientBoxInspector wellContainer]-[BWGradientBoxInspector colorWell]-[BWGradientBoxInspector gradientWell]-[BWGradientBoxInspector fillPopupSelection]-[BWGradientBoxInspector refresh]-[BWGradientBoxInspector setGradientWell:]-[BWGradientBoxInspector setColorWell:]-[BWGradientBoxInspector setWellContainer:]-[BWGradientBoxInspector updateWellVisibility]-[BWGradientBoxInspector setFillPopupSelection:]-[BWGradientBoxInspector awakeFromNib]-[BWGradientBox(BWGradientBoxIntegration) ibDesignableContentView]-[BWGradientBox(BWGradientBoxIntegration) ibPopulateKeyPaths:]-[BWGradientBox(BWGradientBoxIntegration) ibPopulateAttributeInspectorClasses:]-[BWGradientWell endingColorWell]-[BWGradientWell startingColorWell]+[BWGradientWell initialize]-[BWGradientWell drawRect:]-[BWGradientWell setEndingColorWell:]-[BWGradientWell setStartingColorWell:]-[BWGradientWellColorWell gradientWell]-[BWGradientWellColorWell setColor:]+[BWGradientWellColorWell initialize]-[BWGradientWellColorWell setGradientWell:]-[BWGradientWellColorWell drawRect:] stub helpers_insetColor_borderColor_viewColor_lineColor_insetLineColor_blueArrowStart_blueArrowEnd_redArrowStart_redArrowFill_redArrowEnd_borderColor_pattern_borderColor.objc_category_name_BWAddMiniBottomBar_BWAddMiniBottomBarIntegration.objc_category_name_BWAddRegularBottomBar_BWAddRegularBottomBarIntegration.objc_category_name_BWAddSheetBottomBar_BWAddSheetBottomBarIntegration.objc_category_name_BWAddSmallBottomBar_BWAddSmallBottomBarIntegration.objc_category_name_BWAnchoredButtonBar_BWAnchoredButtonBarIntegration.objc_category_name_BWAnchoredButton_BWAnchoredButtonIntegration.objc_category_name_BWAnchoredPopUpButton_BWAnchoredPopUpButtonIntegration.objc_category_name_BWCustomView_BWCustomViewIntegration.objc_category_name_BWGradientBox_BWGradientBoxIntegration.objc_category_name_BWHyperlinkButton_BWHyperlinkButtonIntegration.objc_category_name_BWRemoveBottomBar_BWRemoveBottomBarIntegration.objc_category_name_BWSelectableToolbar_BWSelectableToolbarIntegration.objc_category_name_BWSheetController_BWSheetControllerIntegration.objc_category_name_BWSplitView_BWSplitViewIntegration.objc_category_name_BWStyledTextField_BWStyledTextFieldIntegration.objc_category_name_BWTexturedSlider_BWTexturedSliderIntegration.objc_category_name_BWToolbarItem_BWToolbarItemIntegration.objc_category_name_BWTransparentButton_BWTransparentButtonIntegration.objc_category_name_BWTransparentCheckbox_BWTransparentCheckboxIntegration.objc_category_name_BWTransparentPopUpButton_BWTransparentPopUpButtonIntegration.objc_category_name_BWTransparentScrollView_BWTransparentScrollViewIntegration.objc_category_name_BWTransparentSlider_BWTransparentSliderIntegration.objc_category_name_BWTransparentTableView_BWTransparentTableViewIntegration.objc_category_name_BWUnanchoredButtonContainer_BWUnanchoredButtonContainerIntegration.objc_category_name_BWUnanchoredButton_BWUnanchoredButtonIntegration.objc_class_name_BWAnchoredButtonBarInspector.objc_class_name_BWGradientBoxInspector.objc_class_name_BWGradientWell.objc_class_name_BWGradientWellColorWell.objc_class_name_BWHyperlinkButtonInspector.objc_class_name_BWSelectableToolbarInspector.objc_class_name_BWSplitViewInspector.objc_class_name_BWSplitViewInspectorAutosizingButtonCell.objc_class_name_BWSplitViewInspectorAutosizingView.objc_class_name_BWStyledTextFieldInspector.objc_class_name_BWTexturedSliderInspector.objc_class_name_BWToolbarItemInspector.objc_class_name_BWToolkit.objc_class_name_BWAddMiniBottomBar.objc_class_name_BWAddRegularBottomBar.objc_class_name_BWAddSheetBottomBar.objc_class_name_BWAddSmallBottomBar.objc_class_name_BWSelectableToolbarHelper.objc_class_name_BWSheetController.objc_class_name_IBColor.objc_class_name_IBDocument.objc_class_name_IBInspector.objc_class_name_IBPlugin.objc_class_name_NSAlert.objc_class_name_NSAnimationContext.objc_class_name_NSApplication.objc_class_name_NSArray.objc_class_name_NSBezierPath.objc_class_name_NSBundle.objc_class_name_NSButton.objc_class_name_NSButtonCell.objc_class_name_NSColor.objc_class_name_NSColorWell.objc_class_name_NSEvent.objc_class_name_NSGradient.objc_class_name_NSImage.objc_class_name_NSMutableArray.objc_class_name_NSNotificationCenter.objc_class_name_NSNumber.objc_class_name_NSSlider.objc_class_name_NSSplitView.objc_class_name_NSString.objc_class_name_NSTextField.objc_class_name_NSToolbar.objc_class_name_NSToolbarItem.objc_class_name_NSView_IBAttributeKeyPaths_NSControlTextDidEndEditingNotification_NSDrawThreePartImage_NSFrameRect_NSInsetRect_NSRectFill_NSRectFillUsingOperation_NSZeroRect_NSZeroSize___CFConstantStringClassReference___stack_chk_fail___stack_chk_guard_floorf_objc_enumerationMutation_objc_getProperty_objc_msgSend_objc_msgSendSuper_objc_msgSend_fpret_objc_msgSend_stret_objc_setProperty_roundfdyld_stub_binder/Users/brandon/Temp/bwtoolkit/BWToolkit.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/i386/BWToolkit.o-[BWToolkit label]/Users/brandon/Temp/bwtoolkit/BWToolkit.m-[BWToolkit libraryNibNames]-[BWToolkit requiredFrameworks]BWTexturedSliderInspector.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/i386/BWTexturedSliderInspector.o-[BWTexturedSliderInspector viewNibName]/Users/brandon/Temp/bwtoolkit/BWTexturedSliderInspector.m-[BWTexturedSliderInspector refresh]BWSelectableToolbarInspector.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/i386/BWSelectableToolbarInspector.o-[BWSelectableToolbarInspector viewNibName]/Users/brandon/Temp/bwtoolkit/BWSelectableToolbarInspector.m-[BWSelectableToolbarInspector refresh]BWSelectableToolbarIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/i386/BWSelectableToolbarIntegration.o-[BWSelectableToolbar(BWSelectableToolbarIntegration) ibPopulateKeyPaths:]/Users/brandon/Temp/bwtoolkit/BWSelectableToolbarIntegration.m-[BWSelectableToolbar(BWSelectableToolbarIntegration) ibPopulateAttributeInspectorClasses:]-[BWSelectableToolbar(BWSelectableToolbarIntegration) ibDocument:willStartSimulatorWithContext:]-[BWSelectableToolbar(BWSelectableToolbarIntegration) ibDidAddToDesignableDocument:]-[BWSelectableToolbar(BWSelectableToolbarIntegration) addObject:toParent:]-[BWSelectableToolbar(BWSelectableToolbarIntegration) moveObject:toParent:]-[BWSelectableToolbar(BWSelectableToolbarIntegration) removeObject:]-[BWSelectableToolbar(BWSelectableToolbarIntegration) objectsforDocumentObject:]-[BWSelectableToolbar(BWSelectableToolbarIntegration) parentOfObject:]-[BWSelectableToolbar(BWSelectableToolbarIntegration) childrenOfObject:]BWTransparentButtonIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/i386/BWTransparentButtonIntegration.o-[BWTransparentButton(BWTransparentButtonIntegration) ibLayoutInset]/Users/brandon/Temp/bwtoolkit/BWTransparentButtonIntegration.m-[BWTransparentButton(BWTransparentButtonIntegration) ibBaselineCount]-[BWTransparentButton(BWTransparentButtonIntegration) ibBaselineAtIndex:]BWTransparentCheckboxIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/i386/BWTransparentCheckboxIntegration.o-[BWTransparentCheckbox(BWTransparentCheckboxIntegration) ibMinimumSize]-[BWTransparentCheckbox(BWTransparentCheckboxIntegration) ibMaximumSize]/Users/brandon/Temp/bwtoolkit/BWTransparentCheckboxIntegration.m-[BWTransparentCheckbox(BWTransparentCheckboxIntegration) ibLayoutInset]BWTransparentPopUpButtonIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/i386/BWTransparentPopUpButtonIntegration.o-[BWTransparentPopUpButton(BWTransparentPopUpButtonIntegration) ibLayoutInset]/Users/brandon/Temp/bwtoolkit/BWTransparentPopUpButtonIntegration.m-[BWTransparentPopUpButton(BWTransparentPopUpButtonIntegration) ibBaselineCount]-[BWTransparentPopUpButton(BWTransparentPopUpButtonIntegration) ibBaselineAtIndex:]BWTransparentSliderIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/i386/BWTransparentSliderIntegration.o-[BWTransparentSlider(BWTransparentSliderIntegration) ibLayoutInset]/Users/brandon/Temp/bwtoolkit/BWTransparentSliderIntegration.mBWAnchoredButtonIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/i386/BWAnchoredButtonIntegration.o-[BWAnchoredButton(BWAnchoredButtonIntegration) ibMinimumSize]-[BWAnchoredButton(BWAnchoredButtonIntegration) ibMaximumSize]/Users/brandon/Temp/bwtoolkit/BWAnchoredButtonIntegration.m-[BWAnchoredButton(BWAnchoredButtonIntegration) ibLayoutInset]-[BWAnchoredButton(BWAnchoredButtonIntegration) ibBaselineCount]-[BWAnchoredButton(BWAnchoredButtonIntegration) ibBaselineAtIndex:]BWAnchoredButtonBarInspector.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/i386/BWAnchoredButtonBarInspector.o-[BWAnchoredButtonBarInspector viewNibName]/Users/brandon/Temp/bwtoolkit/BWAnchoredButtonBarInspector.m-[BWAnchoredButtonBarInspector selectionAnimationDidEnd]-[BWAnchoredButtonBarInspector refresh]-[BWAnchoredButtonBarInspector selectMode:withAnimation:]/System/Library/Frameworks/Foundation.framework/Headers/NSGeometry.h-[BWAnchoredButtonBarInspector selectMode3:]-[BWAnchoredButtonBarInspector selectMode2:]-[BWAnchoredButtonBarInspector selectMode1:]BWAnchoredButtonBarIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/i386/BWAnchoredButtonBarIntegration.o-[BWAnchoredButtonBar(BWAnchoredButtonBarIntegration) ibDesignableContentView]-[BWAnchoredButtonBar(BWAnchoredButtonBarIntegration) ibMinimumSize]/Users/brandon/Temp/bwtoolkit/BWAnchoredButtonBarIntegration.m-[BWAnchoredButtonBar(BWAnchoredButtonBarIntegration) ibMaximumSize]-[BWAnchoredButtonBar(BWAnchoredButtonBarIntegration) ibPopulateKeyPaths:]-[BWAnchoredButtonBar(BWAnchoredButtonBarIntegration) ibPopulateAttributeInspectorClasses:]-[BWAnchoredButtonBar(BWAnchoredButtonBarIntegration) ibDefaultChildren]BWRemoveBottomBarIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/i386/BWRemoveBottomBarIntegration.o-[BWRemoveBottomBar(BWRemoveBottomBarIntegration) ibDidAddToDesignableDocument:]/Users/brandon/Temp/bwtoolkit/BWRemoveBottomBarIntegration.m-[BWRemoveBottomBar(BWRemoveBottomBarIntegration) removeBottomBar]-[BWRemoveBottomBar(BWRemoveBottomBarIntegration) removeOtherBottomBarViewsInDocument:]-[BWRemoveBottomBar(BWRemoveBottomBarIntegration) removeSelfInDocument:]BWAddRegularBottomBarIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/i386/BWAddRegularBottomBarIntegration.o-[BWAddRegularBottomBar(BWAddRegularBottomBarIntegration) ibDidAddToDesignableDocument:]/Users/brandon/Temp/bwtoolkit/BWAddRegularBottomBarIntegration.m-[BWAddRegularBottomBar(BWAddRegularBottomBarIntegration) addBottomBar]-[BWAddRegularBottomBar(BWAddRegularBottomBarIntegration) removeOtherBottomBarViewsInDocument:]BWAddSmallBottomBarIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/i386/BWAddSmallBottomBarIntegration.o-[BWAddSmallBottomBar(BWAddSmallBottomBarIntegration) ibDidAddToDesignableDocument:]/Users/brandon/Temp/bwtoolkit/BWAddSmallBottomBarIntegration.m-[BWAddSmallBottomBar(BWAddSmallBottomBarIntegration) addBottomBar]-[BWAddSmallBottomBar(BWAddSmallBottomBarIntegration) removeOtherBottomBarViewsInDocument:]BWAnchoredPopUpButtonIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/i386/BWAnchoredPopUpButtonIntegration.o-[BWAnchoredPopUpButton(BWAnchoredPopUpButtonIntegration) ibMinimumSize]-[BWAnchoredPopUpButton(BWAnchoredPopUpButtonIntegration) ibMaximumSize]/Users/brandon/Temp/bwtoolkit/BWAnchoredPopUpButtonIntegration.m-[BWAnchoredPopUpButton(BWAnchoredPopUpButtonIntegration) ibLayoutInset]-[BWAnchoredPopUpButton(BWAnchoredPopUpButtonIntegration) ibBaselineCount]-[BWAnchoredPopUpButton(BWAnchoredPopUpButtonIntegration) ibBaselineAtIndex:]BWCustomViewIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/i386/BWCustomViewIntegration.o-[BWCustomView(BWCustomViewIntegration) ibDesignableContentView]-[BWCustomView(BWCustomViewIntegration) containerCustomViewBackgroundColor]/Users/brandon/Temp/bwtoolkit/BWCustomViewIntegration.m-[BWCustomView(BWCustomViewIntegration) childlessCustomViewBackgroundColor]-[BWCustomView(BWCustomViewIntegration) customViewDarkTexturedBorderColor]-[BWCustomView(BWCustomViewIntegration) customViewDarkBorderColor]-[BWCustomView(BWCustomViewIntegration) customViewLightBorderColor]BWTexturedSliderIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/i386/BWTexturedSliderIntegration.o-[BWTexturedSlider(BWTexturedSliderIntegration) ibPopulateKeyPaths:]/Users/brandon/Temp/bwtoolkit/BWTexturedSliderIntegration.m-[BWTexturedSlider(BWTexturedSliderIntegration) ibPopulateAttributeInspectorClasses:]-[BWTexturedSlider(BWTexturedSliderIntegration) ibLayoutInset]BWUnanchoredButtonIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/i386/BWUnanchoredButtonIntegration.o-[BWUnanchoredButton(BWUnanchoredButtonIntegration) ibMinimumSize]-[BWUnanchoredButton(BWUnanchoredButtonIntegration) ibMaximumSize]/Users/brandon/Temp/bwtoolkit/BWUnanchoredButtonIntegration.m-[BWUnanchoredButton(BWUnanchoredButtonIntegration) ibLayoutInset]-[BWUnanchoredButton(BWUnanchoredButtonIntegration) ibBaselineCount]-[BWUnanchoredButton(BWUnanchoredButtonIntegration) ibBaselineAtIndex:]BWUnanchoredButtonContainerIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/i386/BWUnanchoredButtonContainerIntegration.o-[BWUnanchoredButtonContainer(BWUnanchoredButtonContainerIntegration) ibMinimumSize]-[BWUnanchoredButtonContainer(BWUnanchoredButtonContainerIntegration) ibMaximumSize]/Users/brandon/Temp/bwtoolkit/BWUnanchoredButtonContainerIntegration.m-[BWUnanchoredButtonContainer(BWUnanchoredButtonContainerIntegration) ibIsChildInitiallySelectable:]-[BWUnanchoredButtonContainer(BWUnanchoredButtonContainerIntegration) ibDesignableContentView]-[BWUnanchoredButtonContainer(BWUnanchoredButtonContainerIntegration) ibLayoutInset]-[BWUnanchoredButtonContainer(BWUnanchoredButtonContainerIntegration) ibDefaultChildren]BWSheetControllerIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/i386/BWSheetControllerIntegration.o-[BWSheetController(BWSheetControllerIntegration) ibDefaultImage]/Users/brandon/Temp/bwtoolkit/BWSheetControllerIntegration.mBWTransparentTableViewIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/i386/BWTransparentTableViewIntegration.o-[BWTransparentTableView(BWTransparentTableViewIntegration) ibTester]-[BWTransparentTableView(BWTransparentTableViewIntegration) addObject:toParent:]/Users/brandon/Temp/bwtoolkit/BWTransparentTableViewIntegration.m-[BWTransparentTableView(BWTransparentTableViewIntegration) removeObject:]BWTransparentScrollViewIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/i386/BWTransparentScrollViewIntegration.o-[BWTransparentScrollView(BWTransparentScrollViewIntegration) ibLayoutInset]/Users/brandon/Temp/bwtoolkit/BWTransparentScrollViewIntegration.m-[BWTransparentScrollView(BWTransparentScrollViewIntegration) ibTester]BWSplitViewInspector.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/i386/BWSplitViewInspector.o-[BWSplitViewInspector viewNibName]/Users/brandon/Temp/bwtoolkit/BWSplitViewInspector.m+[BWSplitViewInspector supportsMultipleObjectInspection]-[BWSplitViewInspector dividerCheckboxCollapsed]-[BWSplitViewInspector setDividerCheckboxCollapsed:]-[BWSplitViewInspector maxUnitPopupSelection]-[BWSplitViewInspector minUnitPopupSelection]-[BWSplitViewInspector subviewPopupSelection]-[BWSplitViewInspector awakeFromNib]-[BWSplitViewInspector updateSizeLabels]-[BWSplitViewInspector setSplitView:]-[BWSplitViewInspector setMinUnitPopupSelection:]-[BWSplitViewInspector setMaxUnitPopupSelection:]-[BWSplitViewInspector updateUnitPopupSelections]-[BWSplitViewInspector controlTextDidEndEditing:]-[BWSplitViewInspector setSubviewPopupSelection:]-[BWSplitViewInspector updateSizeInputFields]-[BWSplitViewInspector toggleDividerCheckboxVisibilityWithAnimation:]-[BWSplitViewInspector refresh]-[BWSplitViewInspector setSubviewPopupContent:]-[BWSplitViewInspector subviewPopupContent]-[BWSplitViewInspector setCollapsiblePopupContent:]-[BWSplitViewInspector collapsiblePopupContent]-[BWSplitViewInspector splitView]BWSplitViewIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/i386/BWSplitViewIntegration.o-[BWSplitView(BWSplitViewIntegration) ibDidAddToDesignableDocument:]/Users/brandon/Temp/bwtoolkit/BWSplitViewIntegration.m-[BWSplitView(BWSplitViewIntegration) ibPopulateKeyPaths:]-[BWSplitView(BWSplitViewIntegration) ibPopulateAttributeInspectorClasses:]BWAddMiniBottomBarIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/i386/BWAddMiniBottomBarIntegration.o-[BWAddMiniBottomBar(BWAddMiniBottomBarIntegration) ibDidAddToDesignableDocument:]/Users/brandon/Temp/bwtoolkit/BWAddMiniBottomBarIntegration.m-[BWAddMiniBottomBar(BWAddMiniBottomBarIntegration) addBottomBar]-[BWAddMiniBottomBar(BWAddMiniBottomBarIntegration) removeOtherBottomBarViewsInDocument:]BWAddSheetBottomBarIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/i386/BWAddSheetBottomBarIntegration.o-[BWAddSheetBottomBar(BWAddSheetBottomBarIntegration) ibDidAddToDesignableDocument:]/Users/brandon/Temp/bwtoolkit/BWAddSheetBottomBarIntegration.m-[BWAddSheetBottomBar(BWAddSheetBottomBarIntegration) addBottomBar]-[BWAddSheetBottomBar(BWAddSheetBottomBarIntegration) removeOtherBottomBarViewsInDocument:]BWToolbarItemInspector.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/i386/BWToolbarItemInspector.o-[BWToolbarItemInspector viewNibName]/Users/brandon/Temp/bwtoolkit/BWToolbarItemInspector.m-[BWToolbarItemInspector refresh]BWToolbarItemIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/i386/BWToolbarItemIntegration.o-[BWToolbarItem(BWToolbarItemIntegration) ibPopulateKeyPaths:]/Users/brandon/Temp/bwtoolkit/BWToolbarItemIntegration.m-[BWToolbarItem(BWToolbarItemIntegration) ibPopulateAttributeInspectorClasses:]BWSplitViewInspectorAutosizingButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/i386/BWSplitViewInspectorAutosizingButtonCell.o+[BWSplitViewInspectorAutosizingButtonCell initialize]/Users/brandon/Temp/bwtoolkit/BWSplitViewInspectorAutosizingButtonCell.m-[BWSplitViewInspectorAutosizingButtonCell drawBezelWithFrame:inView:]-[BWSplitViewInspectorAutosizingButtonCell drawInteriorWithFrame:inView:]_insetColor_borderColor_viewColor_lineColor_insetLineColor_blueArrowStart_blueArrowEnd_redArrowStart_redArrowFill_redArrowEndBWSplitViewInspectorAutosizingView.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/i386/BWSplitViewInspectorAutosizingView.o-[BWSplitViewInspectorAutosizingView isFlipped]-[BWSplitViewInspectorAutosizingView initWithFrame:]/Users/brandon/Temp/bwtoolkit/BWSplitViewInspectorAutosizingView.m-[BWSplitViewInspectorAutosizingView setSplitView:]-[BWSplitViewInspectorAutosizingView splitView]-[BWSplitViewInspectorAutosizingView dealloc]-[BWSplitViewInspectorAutosizingView updateValues:]-[BWSplitViewInspectorAutosizingView layoutButtons]-[BWSplitViewInspectorAutosizingView isVertical]-[BWSplitViewInspectorAutosizingView drawRect:]BWHyperlinkButtonInspector.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/i386/BWHyperlinkButtonInspector.o-[BWHyperlinkButtonInspector viewNibName]/Users/brandon/Temp/bwtoolkit/BWHyperlinkButtonInspector.m-[BWHyperlinkButtonInspector refresh]BWHyperlinkButtonIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/i386/BWHyperlinkButtonIntegration.o-[BWHyperlinkButton(BWHyperlinkButtonIntegration) ibPopulateKeyPaths:]/Users/brandon/Temp/bwtoolkit/BWHyperlinkButtonIntegration.m-[BWHyperlinkButton(BWHyperlinkButtonIntegration) ibPopulateAttributeInspectorClasses:]BWStyledTextFieldInspector.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/i386/BWStyledTextFieldInspector.o-[BWStyledTextFieldInspector viewNibName]/Users/brandon/Temp/bwtoolkit/BWStyledTextFieldInspector.m+[BWStyledTextFieldInspector supportsMultipleObjectInspection]-[BWStyledTextFieldInspector fillPopupSelection]-[BWStyledTextFieldInspector shadowPositionPopupSelection]-[BWStyledTextFieldInspector refresh]-[BWStyledTextFieldInspector setShadowPositionPopupSelection:]-[BWStyledTextFieldInspector setFillPopupSelection:]BWStyledTextFieldIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/i386/BWStyledTextFieldIntegration.o-[BWStyledTextField(BWStyledTextFieldIntegration) ibPopulateKeyPaths:]/Users/brandon/Temp/bwtoolkit/BWStyledTextFieldIntegration.m-[BWStyledTextField(BWStyledTextFieldIntegration) ibPopulateAttributeInspectorClasses:]BWGradientBoxInspector.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/i386/BWGradientBoxInspector.o-[BWGradientBoxInspector viewNibName]/Users/brandon/Temp/bwtoolkit/BWGradientBoxInspector.m+[BWGradientBoxInspector supportsMultipleObjectInspection]-[BWGradientBoxInspector wellContainer]-[BWGradientBoxInspector colorWell]-[BWGradientBoxInspector gradientWell]-[BWGradientBoxInspector fillPopupSelection]-[BWGradientBoxInspector refresh]-[BWGradientBoxInspector setGradientWell:]-[BWGradientBoxInspector setColorWell:]-[BWGradientBoxInspector setWellContainer:]-[BWGradientBoxInspector updateWellVisibility]-[BWGradientBoxInspector setFillPopupSelection:]-[BWGradientBoxInspector awakeFromNib]BWGradientBoxIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/i386/BWGradientBoxIntegration.o-[BWGradientBox(BWGradientBoxIntegration) ibDesignableContentView]-[BWGradientBox(BWGradientBoxIntegration) ibPopulateKeyPaths:]/Users/brandon/Temp/bwtoolkit/BWGradientBoxIntegration.m-[BWGradientBox(BWGradientBoxIntegration) ibPopulateAttributeInspectorClasses:]BWGradientWell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/i386/BWGradientWell.o-[BWGradientWell endingColorWell]/Users/brandon/Temp/bwtoolkit/BWGradientWell.m-[BWGradientWell startingColorWell]+[BWGradientWell initialize]-[BWGradientWell drawRect:]-[BWGradientWell setEndingColorWell:]-[BWGradientWell setStartingColorWell:]_borderColor_patternBWGradientWellColorWell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/i386/BWGradientWellColorWell.o-[BWGradientWellColorWell gradientWell]/Users/brandon/Temp/bwtoolkit/BWGradientWellColorWell.m-[BWGradientWellColorWell setColor:]+[BWGradientWellColorWell initialize]-[BWGradientWellColorWell setGradientWell:]-[BWGradientWellColorWell drawRect:]_borderColor  H__TEXT__text__TEXT4y4__picsymbolstub1__TEXT   __cstring__TEXT"__const__TEXT``__DATA__dyld__DATA__la_symbol_ptr__DATA4 __nl_symbol_ptr__DATA<<__const__DATAP0P__cfstring__DATA__data__DATA__bss__DATA4__OBJC __message_refs__OBJC__cls_refs__OBJCœœ__class__OBJC8p8__meta_class__OBJCŨpŨ__inst_meth__OBJC__symbols__OBJC(`(__module_info__OBJCΈ`Έ__category__OBJC__cat_inst_meth__OBJCӤӤ__instance_vars__OBJCؤؤ__cls_meth__OBJC@x@__property__OBJCڸڸ__class_ext__OBJCpHp__image_info__OBJC۸۸8__LINKEDITGኅk>? | P,,&R4>H(|3x||xAl<^B8(A8a?~|ExHn88aHn?~|8?@C0KlbAL<^AH!H ($|8p*KlbAD<^A@!@!( N("*!*Hne|(@4<^<~ã8adxHmAaA a$cxxKT>| !aA !$(,8!0|N <^88aXHme<^X" *HmK,8ah?~|ExHm=h88axHm)<^|8?`C0KlbAT<^aP!P($.*Hm%K?8adxHl;`|D?~?^<^( zH" K?~O|@&zHT[?>;K<^W{8|}ܮ?~ xK|| !aA !$(,8!0|N |!H|H(@??}xK<];p8K?xK<]KTb>(AD<]?xK8K@DHaL8!P|N @DHaL8!P|N |!\!XATaPLHD|+x|}xH<\?|K?|K?|K|zxxK(AH;`<\CxexK|@A |yx<\<|<,cK|ex#xxKTb>(@<\<|<,cK|ex#xxKTb>(@t<\<|<,cK|ex#xxKTb>(@<<\<|<,cK|ex#xxKTb>(A(<\?x%xK#xK<\x;{CxK|@AăDHLaPAT!X\8!`|N |!<8|~xH|H(@??}xK<];`8K?xK<]KTb>(AD<]?xK8K@DHaL8!P|N @DHaL8!P|N |!\!XATaPLHD|+x|}xH<\?|K|?|Kl?|K|zxdK(AH;`<\xCxexK|@A |yx<\<|<ctK|ex#xxKTb>(@<\<|<ctK|ex#xxKTb>(@t<\<|<ctK|ex#xxKTb>(@<<\<|<ctK|ex#xxKTb>(A(<\?x%xKp#xK<\d;{CxK|@AăDHLaPAT!X\8!`|N |!a\XTPH|+x|}xH@<\B<|AD<\ 8a@…pHb<\?|Ā\8x pK<\\xx pKHPTXa\8!`|N |!aLHD@|~xH<]?KKTb>(@??}xK<];8K?xK<]KTb>(AD<]?xK8K@DHaL8!P|N @DHaL8!P|N |!\!XATaPLHD|+x|}xH<\?|K?|K?|K|zxK(AH;`<\CxexK|@A |yx<\<|<|cK|ex#xxKTb>(@<\<|<|cK|ex#xxKTb>(@t<\<|<|cK|ex#xxKTb>(@<<\<|<|cK|ex#xxKTb>(A(<\@?x%xK#xK<\;{CxK|@AăDHLaPAT!X\8!`|N |!a\XTPH|+x|}xH@<\B<|AD<\8a@H^e<\?|(8x pK<\ xx pKHPTXa\8!`|N 8@C<@ACN <@G`BPC<@ACN h$d8@#CC N 8`N |H|H~@(AD<]8{?K?~D8{KDHL8!P|N <]8{?K<]~D8{KDHL8!P|N |!aLHD@HCd|}x|(@A`|+x<~?~|CxK$?xK}d8xK@DHaL8!P|N <^8xK@DHaL8!P|N 8`N |!\!XATaPLHD|~xHT??}{0?]K|yx~d?]K?]K4?]K|xx<]|{0Bx?xK|excxxK|fxxDx%xKt~dxKDHLaPAT!X\8!`|N |!\!XATaPLHD|~xHX??}{0?]K|yxp~d?]K?]K4?]K|xx<]|{0Bx?xK|excxxK|fxxDx%xKl~dxKDHLaPAT!X\8!`|N |!lhd`\!XATaPLHD|~xH<]t~d?K|{x?]?=?lxى >xK|ex~óx~xK|excx~xKl?K~T~d`K|}xlxy XxK|excxxK|exxDxKlK~XDHLaPAT!X\`dhl8!p|N |!\XT!PALaHD@<|~xH<]|+x|+xK^<|@A (@<}|CxK(Ad<]~(@4<]~(A<]~d?}K4?}K?}K|zx<]<}<0b<# >xK|ex#xdxK|exCxxK~dExK<]xK^8|@A (@8<}|CxK(Ad<]~8?K\<]8vKTb>(@4<]~8?K\<]8w KTb>(A<]~d?K4?K?K|{x<]<}<0K|exx$xK|yx~d?K4?K?K|wx<]0{xK|exCxdxK|fx~xx%xK~d~xKK<]??}0\<;~8?K|ex#xDxK|zx~d?=K4?=K?=K|xx<]0<{",?xK|excxxK|fxx$xExK~dxK<@DaHAL!PTX\8!`|N |!LHD|+x|}xH<\ 8KP<\xKDHL8!P|N |!!lAhad`\XTP!LAHaD@<8|~xH<]?|~d^>>(vЂU8>=xK|ex~cx~xK|exx~DxK|exCxdxK~d~8?]K|xx(vЂU8>=xK|ex~cx~xK|exx~DxK|excxxK$~d?}K|zx(Ђu8>]xK|ex~xxK|exCx~dxK?K|exxxK~dK||xW(6Ѓ8xK|ex#xDxK|exxxKK|exxxK8<@aDAH!LPTX\`adAh!l8!p|N Ch|CtN hN cXN cTN cPN |! !Aa!AHCh|+x||x(A<<^|d?~Km@<^|dK(@H\h(@<^|d?~KmA<^|dK(@<^bm<^<~cTK; !<^Tc>|h~|z4?>;mxK<^WD8|}}$(|dx@8ax?~HHx~?^xK|dx}8aHH~;!xK|dx};#xHHa!~?~xK|dx}?^xHH9;m(Zl*W>(!@<^~|H? K~?xK~AĐA $(,K\h8`|B4TB~\hA!aA! 8!|N 8`A!aA! 8!|N 8a8?~HG 8~?^xK|dx}8aHHFL~;!XxK|dx};h#xHF!`~?~xK|dx}?^xHFt;m Zm$*K\<^?}} ?~K}} ?~K}?~ pK~|H?^K~?^ K~?^xK~?K~AĐA $(,K}} KK|! !ܒAؒaԒВ̒Ȓē!Aa|&T@>|~xH<]BiT<}B8}A<]88a8?L?xKy:~xK|ex#xDxK<]z~L?]Kyz?}xKy?=~xK|exxxKy8{{?Ky4?}K@;A`D; H;@L|vxPTX\dy~xK||xzpxFx'xK(A\AHb;@(; A|yxAHB|@A<]y~xKHCmAD<}.y~d>Kz>xK|fx<]<zb{8k8K|ux<]z|>xKzx<]8kHKTb>(@X<]<}<<z|ze{Fzt>=xK|fx8kX~cx~xK|ex~x~DxK|ux~x<]yX;9;Z)~óxK@<]zp88@8`xK(@<]zl?x~ųxKz~d?K<]<Tf>y b{zh(@<]<=8k8k8kh9K|exxxK<]zd?xKz`?xKz\?iTxKA|@@pT>| aA!ĂȂ̂ЂaԂA؂!8!|N <]BiTBa|@A| aA!ĂȂ̂ЂaԂA؂!8!|N |!|+x88\|;xH@8!@|N |!88\H@u8!@|N |!|+x88`|;xH@8!@|N |!88`H@8!@|N |!88dH?8!@|N |!a\XTP|+xHaH<]Bv<}AL<]tc8aHH?<]s?xK|~x<]<<<sbv8s8Ff8f8<==}=?}?8A<@9Gf9(f9 f|8fl8f\8fLK|exxxKPTXa\8!`|N |!LHD|+xHa8<]Bu<A<8a8r?H><]<rburK|exxxKDHL8!P|N |!H|Ha8A8!@|N |!aLHD@|~xH<]r?KrKTb>(@?r?}xK<]r;a88Kr?xK<]rrKTb>(AD<]r?xKr8K@DHaL8!P|N @DHaL8!P|N |!\!XATaPLHD|+x|}xH<\q?|Kqp?|Kq`?|K|zxqXK(AH;`<\qlCxexK|@A |yx<\<|<q cs|qhK|ex#xxKTb>(@<\<|<q csqhK|ex#xxKTb>(@t<\<|<q csqhK|ex#xxKTb>(@<<\<|<q csqhK|ex#xxKTb>(A(<\p?x%xKqd#xK<\qX;{CxK|@AăDHLaPAT!X\8!`|N |!a\XTPH|+x|}xH@<\Bq<|AD<\o8a@^dH:<\?|ooP8x pK<\ooPxx pKHPTXa\8!`|N |!aLHD@|~xH<]n?KnKTb>(@?n?}xK<]n;]8Kn?xK<]n쀂nKTb>(AD<]n?xKn8K@DHaL8!P|N @DHaL8!P|N |!\!XATaPLHD|+x|}xH<\m?|Km?|Km?|K|zxmK(AH;`<\mCxexK|@A |yx<\<|<mpcomK|ex#xxKTb>(@<\<|<mpcomK|ex#xxKTb>(@t<\<|<mpcomK|ex#xxKTb>(@<<\<|<mpcomK|ex#xxKTb>(A(<\m4?x%xKm#xK<\m;{CxK|@AăDHLaPAT!X\8!`|N |!a\XTPH|+x|}xH@<\Bm<|AD<\kx8a@ZH7Y<\?|lk8x pK<\lkxx pKHPTXa\8!`|N |H|H}k(@d<^iK<^b]<^<<<<?}k܀jXeXFX'X?Kh?~K{]<^}k܀j?K<^j=X?Kh?K}]<^<~<klciԀbki ?K|exxdxK|}x?~h{k?^K|yx?<^iЂi8\xK|ex#x~xK<^b]<^{kh;"\,K|wxiЂi>x%xK|ex~x~ijxKu]<^{kh;"\x%xK|ex~x~ijxKu]<^{kh;"\LK|wxiЂi>x%xK|ex~x~ijxKu]<^{kh;\\K|{xiЃXi?xxK|excxDxK~]8<@aDAH!LPTX\8!`|N <^iKK|!!\AXaTPLH}>KxH<]<}gĀcZ;KAaAa$ ?}a?]xH1 gzZ;AA,40(; A8<@!?%xxKgzZ؀AA,40(A8|~xH<]BRLHD@<}B?A?}d4;A@}#KxKcKTb>Wd(|{x@8?d,; x%xK||x>d,wWh>%xK|uxd,wWt>%xK|vxd,wWp>%xKd,Wl|wxx%xK|xx?=d(8aPxH-Td(<]"R8aXxH-X9!9 Wb>!(@<]<}R$#R(2z?= H-  9R4<]R8 *H-q x!<]!bxK(@Wx>(!!@`A!*p(?d$>A A$R>Ww A(a,04;7W 8RWv>x Kd$) $Ww (,A0a47W 8~x K@?8R$/rH+a0*!*!@p*AA*!p(?@@???>d wed>K|~x?dR> pK?]dQ:; x~ųx&x xK>d>AaA a$>}>]xKd>AaA a$W{>)xKdd| A!샡aA! aA8! |N Wb>(A܀AaA$a <]89?a8@"RR9@~dzx~x xH'Ƀ|@@؀T>| A!샡aA! aA8! |N AaA$a <]9@8=a8A@"RR~dzx~x xH&^a|@ApH'?=<]<}<<WtWpWlWhd0:x~xKd0~x~xKK<]<} "R$CR(r?= H'9R,?]:R0 *H'pKdA*x(!K?8R$A.rH&x****x(K?!R`p*d?`d $`dcxK!dp*!hlhl $hlcxKKT>| A!샡aA! aA8! |N 8`N |!H|H(@<\Y8xK<\Y?\cxK|yxYp}T?K|zxX?xKYWB>(A(@`?H c%cxKa|@@XaA!ĂȂ8!Ѐ|N ?H W%cxKa|@@aA!ĂȂ8!Ѐ|N (@`?H c%cxKa|@@aA!ĂȂ8!Ѐ|N <\H W%4cxK^a|@@<aA!ĂȂ8!Ѐ|N H ]|!쒡ܓ!ؓAԓaГ̓ȓ!|~xH<]BD<B?A?}~PV|KTxKTK(AP?T?}xKT8K<]T?}KTxKTK(@<]T~T?KTK,AD||xoAD<@C0A@<]C!@(;|;@<]BD<"!" !Ԁ~TUKTb>(AT<]V|@@8ah?=xHaV!p8axxHM8@1(A!<]U~TKTb>(@T<]V|@@8a?=xHV!8axH8@Ax(!?=<]TxbWd?KV?AȀ̀ЀԐA $(,>Ȁ̀Ё>KUD>K|txTxwW\6Vt>KVx8FXKUD?K|ex~x$xKVp?=~xxK<]VlVh?=~xKVd?=~xExKU~T?=K|xxT~T?=KT?=ExKV`W>K(A(Tb(A<<]V\8~xKH$Tb(A<]V\8~xK<]U~TKTb>(A ,A(<]U~TKTb>(@ ,A<]VXx~xK<]T~P?=~xK9DA;Z("(**|@@8@A<}A8A8A8ؐAAAAPUxK(AA;`B; (;A|xxAB|@A ~PHрA<}T|b.;K;9((:Awx~x@?}U888xK(~x@xV>(@8@A8<}A<8\A@8AD88AHALAPATPUxK(AlA@b;@(; A|yxA@B|@A ~PHA<<}V\.8xK<]T~T>K|vx<]VTT>xK|ex~óx~xK|xxV`>K|vxU~T>KTb>VP(@bxK;9;Z(@@<]U8888\xK(@?DA|@@!ăȃ̃aЃAԃ!؃܂䂡肁8!|N ?DA|@@h!ăȃ̃aЃAԃ!؃܂䂡肁8!|N <]BDBa|@AH8aHxHP?=p* p$;X:H VxxHUdȒ!K8a?=xH-V!8axH; p* p$H!!!K0bxKK|N |!H|H<a88dOcL8K|exxxKDHL8!P|N |!LHD|+xHa8<]BM<A<8a8J(A<]J0~8?KTb>J4(@t8xK<]J,~8?KTb>J((@T8xKDHL8!P|N <]J48xKK8xKK8xKDHL8!P|N |!\XT|+xHaH<]BI<}AL<]F샂68aHH<]F耼?xK|~x<]<<FbI$F8F:8<<==}=?A8<9F:9':9:8:x8:h8:XK|exxxKTX\8!`|N |!LHD|+xHa8<]BH<A<8a8E?H<]<EbHEK|exxxKDHL8!P|N |H|H(@P<]E~8?KTb>Et(@\8xKDHL8!P|N ?Et8xKDHL8!P|N 8xKDHL8!P|N |!|+x88@|;xHm8!@|N |!|+x88D|;xH=8!@|N |!|+x88H|;xH 8!@|N |!p!Aa|xt|&T@>p|~xH?B?}K|dxA8a`H }B;PxK|dxA;~LxH YL!\ !@HDAL|@@<<]C~8KTb>(@ <]C~8KTb>(A@P8A<|@@<]C~8KTb>(A`;H ;~P;<]l<}BԀcD(?}K|zx?=ÀyC?}KWB>AȀyC|[4?];1K<]We8|A|&,?}KB̀~HW?;@0)K<]|B@<8@0|%?KB?xKB?KBĀA`dhlA $(,`dhlKAyCKpT>| tx|aA!8!|N ?C~8KT|>(@pT>| tx|aA!8!|N |!\XT|~xH<]H8BCB<AL8aHA?H @$?xK|dx?8a8H D<]".L*PTX\8!`|N N |!Alahd`\|+xHaP<]B@<}AT<]>H. 8aPH <]>D?xK|~x<]<<<====]=b@>@8F28282829 29 =]=}=?}?]?8<@DAH!L9J29+2t9 2d82T82D824K|exxxK\`dahAl8!p|N |!LHD|+xHa8<]B?x<A<8a8=?H<]<=b?胥= K|exxxKDHL8!P|N |!aLHD@H<^<~<<B+#,$>e?@?K<@?K}1\<^<~<<>Ѓ=8c?`>B\?`@@@>@>4444444444444??33@???? @`$ p%_        A   h<Ppn  `$0%`##$ S  C O ]  i 0Pbr |   `+@Fhq @C (E_mx48H )Njb6 $4L`nxv->\t!Rfbp}"n;R\ \em  0Sa "3l3Eh %vWfqyA^tp0xP_h-O)7Ũ(0p8D08d80HؤȄh0lpƘ08DA2Xx0|(08ʤX0DٔۈLj0Tټ۔ǸAXˬ۠7Cp0۬00p0000000@000TA200000h00|A0ڐ7C0ڤ+h|8hKh`h`0h E$X +`hvBP\Kh8hK>KhKzBHB@hL-B8B,?>X?t:9X8 X7`FbBX!6-6l5Hh5$`UphUL]LJZ !g4hgdeghkhf]fvsgfL`thtxwaXw0Xv`xhv |^}h|p~(h|~~Xh|3~0X{`|hzlPK@*hbhv^dh v8hØ <XtѐѬ8TpҌҨ(4XĈĸPlӈHx(8HXhẍ̸̨̘(8HXhx͈ͨ͘͸(8HXhxӤ$~P|2QԨeԼHgP^Ո tմ+L$t%C֠V}<4oHtהq8tXx +Tx C,?IYgYgX@,,?IYgxYg,?IYgx`L!h!h!{h "hC!%)#N"&4)('))+*-,?.I.Yg.l.T.@h/jh/dbh/,6h.h.h.Yg/1C1$,?2I2Yg222pYg3Hh3D{h33 22Yh3d54445 Yg5MMDCL@)ONP)RQTVpCUuCuDzHCyXh$C8<@D 8 <@D'7HCRLvxPzxTxX8\`dhUPT8x<x@8x<@<DH5ELGEP*<P<Tl7Vvzp~z 8Lv* ڸ  H `@ @@@@@ @$@(@,@0@4@8@@@@@@@@@@@(@8@H@X@h@x@@@@@@@@@@@(@8@H@X@h@x@@@@@@@@@@@(@8@H@X@h@x@@@@@@@@@@@(@8@H@X@h@x@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@€@„@ˆ@Œ@@”@˜@œ@ @¤@¨@¬@°@´@¸@¼@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@T@h@l@p@Ä@Ø@Ü@à@ô@@@@@@@@@@@$@(@,@0@D@X@\@`@t@Ĉ@Č@Đ@Ġ@Ĥ@Ĵ@ĸ@ļ@@@@@@@@@@@ @0@4@D@H@L@P@`@d@t@x@|@ŀ@Ő@Ŕ@Ť@Ũ@Ŭ@Ű@@@@@ @@8@<@@@h@l@p@Ƅ@Ƙ@Ɯ@Ơ@@@@@@@@(@,@0@X@\@`@t@Lj@nj@ǐ@Ǥ@Ǹ@Ǽ@@@@@@@ @$@(@,@0@4@8@<@@@L@P@T@X@\@`@l@p@t@x@|@Ȁ@Ȍ@Ȑ@Ȕ@Ș@Ȝ@Ƞ@Ȥ@Ȩ@Ȭ@Ȱ@ȴ@ȸ@ȼ@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@ɀ@Ʉ@Ɉ@Ɍ@ɐ@ɔ@ɘ@ɜ@ɠ@ɤ@ɨ@ɬ@ɰ@ɴ@ɸ@ɼ@@@@@@@@@@@@@@@@@@ @@@ @$@(@,@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@ʀ@ʄ@ʈ@ʌ@ʐ@ʔ@ʘ@ʜ@ʠ@ʬ@ʰ@ʴ@ʸ@ʼ@@@@@@@@@@@@@@@@@@ @@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@ˀ@˄@ˈ@ˌ@ː@˔@˘@˜@ˠ@ˤ@˨@˴@˸@˼@@@@@@@@@@@@@@@@@@ @@@@@ @$@4@D@T@d@t@̄@̔@̤@̴@@@@@@@$@4@D@T@d@t@̈́@͔@ͤ@ʹ@@@@@@@$@4@D@T@d@t@΄@ΐ@Δ@Π@Τ@ΰ@δ@@@@@@@@@@@@@ @$@0@4@@@D@P@T@`@d@p@t@π@τ@ϐ@ϔ@Ϡ@Ϥ@ϰ@ϴ@@@@@@@@@@@@@ @$@0@4@@@D@P@T@`@d@p@t@Ѐ@Є@А@Д@Р@Ф@а@д@@@@@@@@@@@@ @ @$@(@<@@@D@X@\@`@t@x@|@ѐ@є@ј@Ѭ@Ѱ@Ѵ@@@@@@@@@@@ @$@8@<@@@T@X@\@p@t@x@Ҍ@Ґ@Ҕ@Ҩ@Ҭ@Ұ@@@@@@@@@@@@ @4@8@<@P@T@X@l@p@t@ӈ@ӌ@Ӑ@Ӭ@Ӱ@Ӵ@Ӹ@Ӽ@@@@@@@@@@@@@@@@@@@@ @@@@@ @,@0@4@8@<@@@D@H@L@X@\@`@d@h@l@p@t@x@Ԅ@Ԉ@Ԍ@Ԑ@Ԕ@Ԙ@Ԝ@Ԡ@Ԥ@԰@Դ@Ը@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@X@\@`@d@h@l@p@t@x@|@Հ@Մ@Ր@Ք@՘@՜@ՠ@դ@ը@լ@հ@ռ@@@@@@@@@@@@@@@@@@ @@@@@ @,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@|@ր@ք@ֈ@֌@֐@֔@֘@֜@֨@֬@ְ@ִ@ָ@ּ@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@<@@@D@P@T@X@\@`@d@h@l@p@|@׀@ׄ@׈@׌@א@ל@נ@פ@ר@׬@װ@״@׸@׼@@@@@@@@@@@@@@@@ @@@ @$@(@,@0@4@@@D@H@L@P@T@`@d@h@l@p@t@؀@؄@؈@،@ؐ@ؔ@ؘ@؜@ؠ@ب@ج@ش@ظ@@@@@@@@@@@@@ @@@@$@(@0@4@<@@@H@L@T@X@`@d@l@p@|@ـ@و@ٌ@٘@ٜ@٤@٨@ٰ@ٴ@@@@@@@@@@@@@@ @@@$@(@4@8@H@L@P@\@`@d@p@t@x@ڄ@ڈ@ڌ@ژ@ڜ@ڠ@ڬ@ڰ@ڴ@@@@@@@@@@@@@@@@@@@@@(@,@0@4@8@<@@@D@P@T@X@\@h@l@x@ۄ@ې@ۜ@ۨ@۴@8d8d8f KYn.9%$$N.9B$$tNt.|9b$|9u$$N$d8d9d9f KYn.:D$$$N$.:m$:$HNHd8d:d:f KYn. ;l$ $$N$.0;$0$HNHd8d;d;f KYn.x$$N.>a$$N. >$ $N.?$?s$Nd8d?d?f KYn.@[$$ N .@$$N.@$$$N$d8dA1dATf KYn.,A$,$N.@B$@$N.XB`$XB$ N d8dBdC f KYn.xC$x$ N .C$$N.D=$$$N$d8dDdDf KYn.E*$$Nd8dEodEf KYn.LF$L$N.`FA$`$N.xF$x$ N .F$$N.G$$$N$d8dGDdGcf KYn.G$$$N$.H$$8N8. H2$ $8N8.XH_$X$8N8.H$$ N .H$$N.$H$$I'$Nd8dIidIf KYn. J$ $0N0.!JK$!$N.!J$!$LNL.!hJ$!h$HNH.!K$$!$N."hKo$"hK˄$Nd8dL dL,f KYn."L$"$N.#L$#$N.%M=$%$\N\.&4M$&4$Nd8dMdMf KYn.'Nt$'$N.(N$($N.)O$)$Nd8dOudOf KYn.*P$*$N.+PR$+$N.-P$-$Nd8dQdQ&f KYn..@Q$.@$N..TQ$.T$N..lR2$.l$ N ..R{$.$N..R$.$$N$d8dSdS.f KYn..S$.$N..S$.$8N8..T,$.$8N8./,Tx$/,$8N8./dT$/d$8N8./U$/$8N8d8dUJdUhf KYn./U$/$PNP.1$V$1$$N.1Va$1V$Nd8dVdWf KYn.2pW$2p$N.2W$2$N.2X$2$N.2X^$2$N.2X$2$$N$d8dXdYf KYn.2Y$2$N.2Y$2$N.3 Z>$3 $N.3Z$3$0N0.3DZ$3D$N.3H[[$3H$Nd8d[d[f KYn.3d\E$3d$Nd8d\d\f KYn.44]&$44$pNp.4]w$4$\N\.5]$5^$Nd8d^Jd^of KYn.5^$5$N.5 _8$5 _$Nd8d_d_f KYn.5$`I$5$$$N$.5H`m$5H$N.6`$6$N.6`$6$N.7`$7$N.7a$7$N.8aL$8$N.9a~$9$DND.:a$:$N.?ta$?t$hNh.?b$?$PNP.B,bB$B,$ N .B8bs$B8$N.B@b$B@$N.BHb$BH$N.BPc$BP$N.BXc2$BX$HNH.Fcx$F$N.Khc$Kh$0N0.Kc$K$(N(.Kc$K$0N0.Kd($K$(N(.LdX$Ldz$(N(d8ddddf KYn.L@eL$L@$N.MDe$MD$N.Me$M$DNDd8dfdf8f KYn.Nf$N$N.Of$O$N.PgK$P$Nd8dgdgf KYn.Qh7$Q$N.Rh{$R$N.Th$T$Nd8di,diEf KYn.ULi$UL$$N$.Upi$Up$HNHd8didjf KYn.Uj$U$N.Vpj$Vpk$Nd8dkVdkf KYn.Vl$V$N.Zl:$Z$LNL.]Ll$]Ll˄$Nm& m& m+& m6& mA& mQ& ma& mo& m~& $m& (d8dmdmf KYn.fn:$f$N.fnj$f$4N4.fLn$fL$N.g4n$g4$0N0.gdo$gd$(N(.go4$g$tNt.hob$h$hNh.kho$kh$hNh.so$so$Nd8dp:dpWf KYn.tp$t$$N$.tp$t$HNHd8dqdq:f KYn.uDq$uD$N.uq$u$Nd8drOdrlf KYn.vr$v$$N$.vs $v$N.vsI$v$\N\.ws~$w$N.ws$w$N.xs$x$N.xt)$xtO$PNPd8dtdtf KYn.yXu&$yX$N.zHum$zH$Nd8duduf KYn.zvN$z$$N$.zvt$z$N.{v${$N.|v$|$N.|w$|$N.|w,$|$N.|wS$|$N.|w$|$<N<.}w$}$0N0.~(w$~($0N0.~Xw$~X$0N0.~x!$~$N.PxP$P$Nd8dxwdxf KYn.y$$N.yG$$0N0.$y$$$Nd8dydyf KYn.zO$$N.zl$$N.z$$N.z$$LNL.z$$0N0.@z$@{$0N0{K& ,{X& 0d8d{ad{{f KYn.p{$p$lNl.|$$N.|:$$N.d|_$d$0N0.|$|$N|& 4d4.dA^~|  03x~T`; M#,l@XxM7Lv`x5y X , e $  ! _! !h ! 4"h " # +% t&4 ' ( m) * +f-.@.TM.l../.p../,S/d//1$^12p2:2}22 2_23 3r3D3H&3dh4445J55 5$5H(6Q6w7789F:x?t?B, B8>B@lBHBPBXF.Kh^KKKLL@KMDMNOxPQRkTULUpUGVpVZ ]L _f f fL g4!)gd!Yg!h!kh!s"t"It"ouD"u#v#8v#wv#w#w$x$Wx$}yX$zH%z%Bz%}{%|%|%|&!|&N|&p}&~(&~X&~'P'E''$((4(V(z((@(p) )2)Wd)) ) ) ) ) ) ) *  * *& $*4 (*A ,*N 0*W 4*d**+;++, ,U,,- -O--..S..//a/00H00111_1H1x1ĸ1Ø2*2PX2Ĉ22h3(3=83X3|33344;4T4p4444555:5T5n555556606V6p666667707E7m7777777788"8*8D8V8i8}8|P|P|P|P|P|P|P|P|P|P |P0|P@|PP|P`|Pp|P|P|P|P|P|P|P|P|P|P|P |P0|P@|PP|P`|Pp|P|P|P|P|P|P|P|P|P|P|P |P0|P@|PP|P`|Pp|P|P|P|P|P|P|P|P|P|P|P |P0|P@|PP|P`|Pp|P|P|P|P|P|P|P|P|Puvwxy}}yuxwvs{zt~ __mh_bundle_headerdyld_stub_binding_helper__dyld_func_lookup-[BWToolkit libraryNibNames]-[BWToolkit requiredFrameworks]-[BWToolkit label]-[BWTexturedSliderInspector viewNibName]-[BWTexturedSliderInspector refresh]-[BWSelectableToolbarInspector viewNibName]-[BWSelectableToolbarInspector refresh]-[BWSelectableToolbar(BWSelectableToolbarIntegration) addObject:toParent:]-[BWSelectableToolbar(BWSelectableToolbarIntegration) moveObject:toParent:]-[BWSelectableToolbar(BWSelectableToolbarIntegration) removeObject:]-[BWSelectableToolbar(BWSelectableToolbarIntegration) objectsforDocumentObject:]-[BWSelectableToolbar(BWSelectableToolbarIntegration) parentOfObject:]-[BWSelectableToolbar(BWSelectableToolbarIntegration) childrenOfObject:]-[BWSelectableToolbar(BWSelectableToolbarIntegration) ibPopulateKeyPaths:]-[BWSelectableToolbar(BWSelectableToolbarIntegration) ibPopulateAttributeInspectorClasses:]-[BWSelectableToolbar(BWSelectableToolbarIntegration) ibDocument:willStartSimulatorWithContext:]-[BWSelectableToolbar(BWSelectableToolbarIntegration) ibDidAddToDesignableDocument:]-[BWTransparentButton(BWTransparentButtonIntegration) ibLayoutInset]-[BWTransparentButton(BWTransparentButtonIntegration) ibBaselineCount]-[BWTransparentButton(BWTransparentButtonIntegration) ibBaselineAtIndex:]-[BWTransparentCheckbox(BWTransparentCheckboxIntegration) ibMinimumSize]-[BWTransparentCheckbox(BWTransparentCheckboxIntegration) ibMaximumSize]-[BWTransparentCheckbox(BWTransparentCheckboxIntegration) ibLayoutInset]-[BWTransparentPopUpButton(BWTransparentPopUpButtonIntegration) ibLayoutInset]-[BWTransparentPopUpButton(BWTransparentPopUpButtonIntegration) ibBaselineCount]-[BWTransparentPopUpButton(BWTransparentPopUpButtonIntegration) ibBaselineAtIndex:]-[BWTransparentSlider(BWTransparentSliderIntegration) ibLayoutInset]-[BWAnchoredButton(BWAnchoredButtonIntegration) ibMinimumSize]-[BWAnchoredButton(BWAnchoredButtonIntegration) ibMaximumSize]-[BWAnchoredButton(BWAnchoredButtonIntegration) ibLayoutInset]-[BWAnchoredButton(BWAnchoredButtonIntegration) ibBaselineCount]-[BWAnchoredButton(BWAnchoredButtonIntegration) ibBaselineAtIndex:]-[BWAnchoredButtonBarInspector viewNibName]-[BWAnchoredButtonBarInspector selectMode1:]-[BWAnchoredButtonBarInspector selectMode2:]-[BWAnchoredButtonBarInspector selectMode3:]-[BWAnchoredButtonBarInspector selectionAnimationDidEnd]-[BWAnchoredButtonBarInspector refresh]-[BWAnchoredButtonBarInspector selectMode:withAnimation:]-[BWAnchoredButtonBar(BWAnchoredButtonBarIntegration) ibDefaultChildren]-[BWAnchoredButtonBar(BWAnchoredButtonBarIntegration) ibDesignableContentView]-[BWAnchoredButtonBar(BWAnchoredButtonBarIntegration) ibMinimumSize]-[BWAnchoredButtonBar(BWAnchoredButtonBarIntegration) ibMaximumSize]-[BWAnchoredButtonBar(BWAnchoredButtonBarIntegration) ibPopulateKeyPaths:]-[BWAnchoredButtonBar(BWAnchoredButtonBarIntegration) ibPopulateAttributeInspectorClasses:]-[BWRemoveBottomBar(BWRemoveBottomBarIntegration) removeBottomBar]-[BWRemoveBottomBar(BWRemoveBottomBarIntegration) removeOtherBottomBarViewsInDocument:]-[BWRemoveBottomBar(BWRemoveBottomBarIntegration) removeSelfInDocument:]-[BWRemoveBottomBar(BWRemoveBottomBarIntegration) ibDidAddToDesignableDocument:]-[BWAddRegularBottomBar(BWAddRegularBottomBarIntegration) addBottomBar]-[BWAddRegularBottomBar(BWAddRegularBottomBarIntegration) removeOtherBottomBarViewsInDocument:]-[BWAddRegularBottomBar(BWAddRegularBottomBarIntegration) ibDidAddToDesignableDocument:]-[BWAddSmallBottomBar(BWAddSmallBottomBarIntegration) addBottomBar]-[BWAddSmallBottomBar(BWAddSmallBottomBarIntegration) removeOtherBottomBarViewsInDocument:]-[BWAddSmallBottomBar(BWAddSmallBottomBarIntegration) ibDidAddToDesignableDocument:]-[BWAnchoredPopUpButton(BWAnchoredPopUpButtonIntegration) ibMinimumSize]-[BWAnchoredPopUpButton(BWAnchoredPopUpButtonIntegration) ibMaximumSize]-[BWAnchoredPopUpButton(BWAnchoredPopUpButtonIntegration) ibLayoutInset]-[BWAnchoredPopUpButton(BWAnchoredPopUpButtonIntegration) ibBaselineCount]-[BWAnchoredPopUpButton(BWAnchoredPopUpButtonIntegration) ibBaselineAtIndex:]-[BWCustomView(BWCustomViewIntegration) ibDesignableContentView]-[BWCustomView(BWCustomViewIntegration) containerCustomViewBackgroundColor]-[BWCustomView(BWCustomViewIntegration) childlessCustomViewBackgroundColor]-[BWCustomView(BWCustomViewIntegration) customViewDarkTexturedBorderColor]-[BWCustomView(BWCustomViewIntegration) customViewDarkBorderColor]-[BWCustomView(BWCustomViewIntegration) customViewLightBorderColor]-[BWTexturedSlider(BWTexturedSliderIntegration) ibLayoutInset]-[BWTexturedSlider(BWTexturedSliderIntegration) ibPopulateKeyPaths:]-[BWTexturedSlider(BWTexturedSliderIntegration) ibPopulateAttributeInspectorClasses:]-[BWUnanchoredButton(BWUnanchoredButtonIntegration) ibMinimumSize]-[BWUnanchoredButton(BWUnanchoredButtonIntegration) ibMaximumSize]-[BWUnanchoredButton(BWUnanchoredButtonIntegration) ibLayoutInset]-[BWUnanchoredButton(BWUnanchoredButtonIntegration) ibBaselineCount]-[BWUnanchoredButton(BWUnanchoredButtonIntegration) ibBaselineAtIndex:]-[BWUnanchoredButtonContainer(BWUnanchoredButtonContainerIntegration) ibMinimumSize]-[BWUnanchoredButtonContainer(BWUnanchoredButtonContainerIntegration) ibMaximumSize]-[BWUnanchoredButtonContainer(BWUnanchoredButtonContainerIntegration) ibIsChildInitiallySelectable:]-[BWUnanchoredButtonContainer(BWUnanchoredButtonContainerIntegration) ibDefaultChildren]-[BWUnanchoredButtonContainer(BWUnanchoredButtonContainerIntegration) ibDesignableContentView]-[BWUnanchoredButtonContainer(BWUnanchoredButtonContainerIntegration) ibLayoutInset]-[BWSheetController(BWSheetControllerIntegration) ibDefaultImage]-[BWTransparentTableView(BWTransparentTableViewIntegration) addObject:toParent:]-[BWTransparentTableView(BWTransparentTableViewIntegration) removeObject:]-[BWTransparentTableView(BWTransparentTableViewIntegration) ibTester]-[BWTransparentScrollView(BWTransparentScrollViewIntegration) ibLayoutInset]-[BWTransparentScrollView(BWTransparentScrollViewIntegration) ibTester]-[BWSplitViewInspector viewNibName]-[BWSplitViewInspector awakeFromNib]-[BWSplitViewInspector updateSizeLabels]-[BWSplitViewInspector setSplitView:]+[BWSplitViewInspector supportsMultipleObjectInspection]-[BWSplitViewInspector setMinUnitPopupSelection:]-[BWSplitViewInspector setMaxUnitPopupSelection:]-[BWSplitViewInspector updateUnitPopupSelections]-[BWSplitViewInspector controlTextDidEndEditing:]-[BWSplitViewInspector setSubviewPopupSelection:]-[BWSplitViewInspector updateSizeInputFields]-[BWSplitViewInspector dividerCheckboxCollapsed]-[BWSplitViewInspector setDividerCheckboxCollapsed:]-[BWSplitViewInspector maxUnitPopupSelection]-[BWSplitViewInspector minUnitPopupSelection]-[BWSplitViewInspector subviewPopupSelection]-[BWSplitViewInspector toggleDividerCheckboxVisibilityWithAnimation:]-[BWSplitViewInspector refresh]-[BWSplitViewInspector setSubviewPopupContent:]-[BWSplitViewInspector subviewPopupContent]-[BWSplitViewInspector setCollapsiblePopupContent:]-[BWSplitViewInspector collapsiblePopupContent]-[BWSplitViewInspector splitView]-[BWSplitView(BWSplitViewIntegration) ibPopulateKeyPaths:]-[BWSplitView(BWSplitViewIntegration) ibPopulateAttributeInspectorClasses:]-[BWSplitView(BWSplitViewIntegration) ibDidAddToDesignableDocument:]-[BWAddMiniBottomBar(BWAddMiniBottomBarIntegration) addBottomBar]-[BWAddMiniBottomBar(BWAddMiniBottomBarIntegration) removeOtherBottomBarViewsInDocument:]-[BWAddMiniBottomBar(BWAddMiniBottomBarIntegration) ibDidAddToDesignableDocument:]-[BWAddSheetBottomBar(BWAddSheetBottomBarIntegration) addBottomBar]-[BWAddSheetBottomBar(BWAddSheetBottomBarIntegration) removeOtherBottomBarViewsInDocument:]-[BWAddSheetBottomBar(BWAddSheetBottomBarIntegration) ibDidAddToDesignableDocument:]-[BWToolbarItemInspector viewNibName]-[BWToolbarItemInspector refresh]-[BWToolbarItem(BWToolbarItemIntegration) ibPopulateKeyPaths:]-[BWToolbarItem(BWToolbarItemIntegration) ibPopulateAttributeInspectorClasses:]+[BWSplitViewInspectorAutosizingButtonCell initialize]-[BWSplitViewInspectorAutosizingButtonCell drawBezelWithFrame:inView:]-[BWSplitViewInspectorAutosizingButtonCell drawInteriorWithFrame:inView:]-[BWSplitViewInspectorAutosizingView isFlipped]-[BWSplitViewInspectorAutosizingView isVertical]-[BWSplitViewInspectorAutosizingView initWithFrame:]-[BWSplitViewInspectorAutosizingView setSplitView:]-[BWSplitViewInspectorAutosizingView splitView]-[BWSplitViewInspectorAutosizingView dealloc]-[BWSplitViewInspectorAutosizingView updateValues:]-[BWSplitViewInspectorAutosizingView layoutButtons]-[BWSplitViewInspectorAutosizingView drawRect:]-[BWHyperlinkButtonInspector viewNibName]-[BWHyperlinkButtonInspector refresh]-[BWHyperlinkButton(BWHyperlinkButtonIntegration) ibPopulateKeyPaths:]-[BWHyperlinkButton(BWHyperlinkButtonIntegration) ibPopulateAttributeInspectorClasses:]-[BWStyledTextFieldInspector viewNibName]+[BWStyledTextFieldInspector supportsMultipleObjectInspection]-[BWStyledTextFieldInspector setFillPopupSelection:]-[BWStyledTextFieldInspector setShadowPositionPopupSelection:]-[BWStyledTextFieldInspector fillPopupSelection]-[BWStyledTextFieldInspector shadowPositionPopupSelection]-[BWStyledTextFieldInspector refresh]-[BWStyledTextField(BWStyledTextFieldIntegration) ibPopulateKeyPaths:]-[BWStyledTextField(BWStyledTextFieldIntegration) ibPopulateAttributeInspectorClasses:]-[BWGradientBoxInspector viewNibName]+[BWGradientBoxInspector supportsMultipleObjectInspection]-[BWGradientBoxInspector setFillPopupSelection:]-[BWGradientBoxInspector wellContainer]-[BWGradientBoxInspector colorWell]-[BWGradientBoxInspector gradientWell]-[BWGradientBoxInspector fillPopupSelection]-[BWGradientBoxInspector refresh]-[BWGradientBoxInspector setGradientWell:]-[BWGradientBoxInspector setColorWell:]-[BWGradientBoxInspector setWellContainer:]-[BWGradientBoxInspector updateWellVisibility]-[BWGradientBoxInspector awakeFromNib]-[BWGradientBox(BWGradientBoxIntegration) ibDesignableContentView]-[BWGradientBox(BWGradientBoxIntegration) ibPopulateKeyPaths:]-[BWGradientBox(BWGradientBoxIntegration) ibPopulateAttributeInspectorClasses:]+[BWGradientWell initialize]-[BWGradientWell endingColorWell]-[BWGradientWell startingColorWell]-[BWGradientWell drawRect:]-[BWGradientWell setEndingColorWell:]-[BWGradientWell setStartingColorWell:]+[BWGradientWellColorWell initialize]-[BWGradientWellColorWell gradientWell]-[BWGradientWellColorWell setColor:]-[BWGradientWellColorWell setGradientWell:]-[BWGradientWellColorWell drawRect:]dyld__mach_header_insetColor_borderColor_viewColor_lineColor_insetLineColor_blueArrowStart_blueArrowEnd_redArrowStart_redArrowFill_redArrowEnd_borderColor_pattern_borderColor.objc_category_name_BWAddMiniBottomBar_BWAddMiniBottomBarIntegration.objc_category_name_BWAddRegularBottomBar_BWAddRegularBottomBarIntegration.objc_category_name_BWAddSheetBottomBar_BWAddSheetBottomBarIntegration.objc_category_name_BWAddSmallBottomBar_BWAddSmallBottomBarIntegration.objc_category_name_BWAnchoredButtonBar_BWAnchoredButtonBarIntegration.objc_category_name_BWAnchoredButton_BWAnchoredButtonIntegration.objc_category_name_BWAnchoredPopUpButton_BWAnchoredPopUpButtonIntegration.objc_category_name_BWCustomView_BWCustomViewIntegration.objc_category_name_BWGradientBox_BWGradientBoxIntegration.objc_category_name_BWHyperlinkButton_BWHyperlinkButtonIntegration.objc_category_name_BWRemoveBottomBar_BWRemoveBottomBarIntegration.objc_category_name_BWSelectableToolbar_BWSelectableToolbarIntegration.objc_category_name_BWSheetController_BWSheetControllerIntegration.objc_category_name_BWSplitView_BWSplitViewIntegration.objc_category_name_BWStyledTextField_BWStyledTextFieldIntegration.objc_category_name_BWTexturedSlider_BWTexturedSliderIntegration.objc_category_name_BWToolbarItem_BWToolbarItemIntegration.objc_category_name_BWTransparentButton_BWTransparentButtonIntegration.objc_category_name_BWTransparentCheckbox_BWTransparentCheckboxIntegration.objc_category_name_BWTransparentPopUpButton_BWTransparentPopUpButtonIntegration.objc_category_name_BWTransparentScrollView_BWTransparentScrollViewIntegration.objc_category_name_BWTransparentSlider_BWTransparentSliderIntegration.objc_category_name_BWTransparentTableView_BWTransparentTableViewIntegration.objc_category_name_BWUnanchoredButtonContainer_BWUnanchoredButtonContainerIntegration.objc_category_name_BWUnanchoredButton_BWUnanchoredButtonIntegration.objc_class_name_BWAnchoredButtonBarInspector.objc_class_name_BWGradientBoxInspector.objc_class_name_BWGradientWell.objc_class_name_BWGradientWellColorWell.objc_class_name_BWHyperlinkButtonInspector.objc_class_name_BWSelectableToolbarInspector.objc_class_name_BWSplitViewInspector.objc_class_name_BWSplitViewInspectorAutosizingButtonCell.objc_class_name_BWSplitViewInspectorAutosizingView.objc_class_name_BWStyledTextFieldInspector.objc_class_name_BWTexturedSliderInspector.objc_class_name_BWToolbarItemInspector.objc_class_name_BWToolkit.objc_class_name_BWAddMiniBottomBar.objc_class_name_BWAddRegularBottomBar.objc_class_name_BWAddSheetBottomBar.objc_class_name_BWAddSmallBottomBar.objc_class_name_BWSelectableToolbarHelper.objc_class_name_BWSheetController.objc_class_name_IBColor.objc_class_name_IBDocument.objc_class_name_IBInspector.objc_class_name_IBPlugin.objc_class_name_NSAlert.objc_class_name_NSAnimationContext.objc_class_name_NSApplication.objc_class_name_NSArray.objc_class_name_NSBezierPath.objc_class_name_NSBundle.objc_class_name_NSButton.objc_class_name_NSButtonCell.objc_class_name_NSColor.objc_class_name_NSColorWell.objc_class_name_NSEvent.objc_class_name_NSGradient.objc_class_name_NSImage.objc_class_name_NSMutableArray.objc_class_name_NSNotificationCenter.objc_class_name_NSNumber.objc_class_name_NSSlider.objc_class_name_NSSplitView.objc_class_name_NSString.objc_class_name_NSTextField.objc_class_name_NSToolbar.objc_class_name_NSToolbarItem.objc_class_name_NSView_IBAttributeKeyPaths_NSControlTextDidEndEditingNotification_NSDrawThreePartImage_NSFrameRect_NSInsetRect_NSRectFill_NSRectFillUsingOperation_NSZeroRect_NSZeroSize___CFConstantStringClassReference___stack_chk_fail___stack_chk_guard_floorf_objc_enumerationMutation_objc_getProperty_objc_msgSendSuper_objc_msgSend_stret_objc_setProperty_roundf/Users/brandon/Temp/bwtoolkit/BWToolkit.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/ppc/BWToolkit.o-[BWToolkit libraryNibNames]-[BWToolkit requiredFrameworks]-[BWToolkit label]/System/Library/Frameworks/Foundation.framework/Headers/NSURL.hBWTexturedSliderInspector.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/ppc/BWTexturedSliderInspector.o-[BWTexturedSliderInspector viewNibName]-[BWTexturedSliderInspector refresh]/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBase.hBWSelectableToolbarInspector.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/ppc/BWSelectableToolbarInspector.o-[BWSelectableToolbarInspector viewNibName]-[BWSelectableToolbarInspector refresh]BWSelectableToolbarIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/ppc/BWSelectableToolbarIntegration.o-[BWSelectableToolbar(BWSelectableToolbarIntegration) addObject:toParent:]-[BWSelectableToolbar(BWSelectableToolbarIntegration) moveObject:toParent:]-[BWSelectableToolbar(BWSelectableToolbarIntegration) removeObject:]-[BWSelectableToolbar(BWSelectableToolbarIntegration) objectsforDocumentObject:]-[BWSelectableToolbar(BWSelectableToolbarIntegration) parentOfObject:]-[BWSelectableToolbar(BWSelectableToolbarIntegration) childrenOfObject:]-[BWSelectableToolbar(BWSelectableToolbarIntegration) ibPopulateKeyPaths:]-[BWSelectableToolbar(BWSelectableToolbarIntegration) ibPopulateAttributeInspectorClasses:]-[BWSelectableToolbar(BWSelectableToolbarIntegration) ibDocument:willStartSimulatorWithContext:]-[BWSelectableToolbar(BWSelectableToolbarIntegration) ibDidAddToDesignableDocument:]/Developer/Library/Frameworks/InterfaceBuilderKit.framework/Headers/IBPlugin.hBWTransparentButtonIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/ppc/BWTransparentButtonIntegration.o-[BWTransparentButton(BWTransparentButtonIntegration) ibLayoutInset]-[BWTransparentButton(BWTransparentButtonIntegration) ibBaselineCount]-[BWTransparentButton(BWTransparentButtonIntegration) ibBaselineAtIndex:]BWTransparentCheckboxIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/ppc/BWTransparentCheckboxIntegration.o-[BWTransparentCheckbox(BWTransparentCheckboxIntegration) ibMinimumSize]-[BWTransparentCheckbox(BWTransparentCheckboxIntegration) ibMaximumSize]-[BWTransparentCheckbox(BWTransparentCheckboxIntegration) ibLayoutInset]/Developer/Library/Frameworks/InterfaceBuilderKit.framework/Headers/IBGeometry.hBWTransparentPopUpButtonIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/ppc/BWTransparentPopUpButtonIntegration.o-[BWTransparentPopUpButton(BWTransparentPopUpButtonIntegration) ibLayoutInset]-[BWTransparentPopUpButton(BWTransparentPopUpButtonIntegration) ibBaselineCount]-[BWTransparentPopUpButton(BWTransparentPopUpButtonIntegration) ibBaselineAtIndex:]BWTransparentSliderIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/ppc/BWTransparentSliderIntegration.o-[BWTransparentSlider(BWTransparentSliderIntegration) ibLayoutInset]BWAnchoredButtonIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/ppc/BWAnchoredButtonIntegration.o-[BWAnchoredButton(BWAnchoredButtonIntegration) ibMinimumSize]-[BWAnchoredButton(BWAnchoredButtonIntegration) ibMaximumSize]-[BWAnchoredButton(BWAnchoredButtonIntegration) ibLayoutInset]-[BWAnchoredButton(BWAnchoredButtonIntegration) ibBaselineCount]-[BWAnchoredButton(BWAnchoredButtonIntegration) ibBaselineAtIndex:]BWAnchoredButtonBarInspector.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/ppc/BWAnchoredButtonBarInspector.o-[BWAnchoredButtonBarInspector viewNibName]-[BWAnchoredButtonBarInspector selectMode1:]-[BWAnchoredButtonBarInspector selectMode2:]-[BWAnchoredButtonBarInspector selectMode3:]-[BWAnchoredButtonBarInspector selectionAnimationDidEnd]-[BWAnchoredButtonBarInspector refresh]-[BWAnchoredButtonBarInspector selectMode:withAnimation:]/System/Library/Frameworks/AppKit.framework/Headers/NSImageView.hBWAnchoredButtonBarIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/ppc/BWAnchoredButtonBarIntegration.o-[BWAnchoredButtonBar(BWAnchoredButtonBarIntegration) ibDefaultChildren]-[BWAnchoredButtonBar(BWAnchoredButtonBarIntegration) ibDesignableContentView]-[BWAnchoredButtonBar(BWAnchoredButtonBarIntegration) ibMinimumSize]-[BWAnchoredButtonBar(BWAnchoredButtonBarIntegration) ibMaximumSize]-[BWAnchoredButtonBar(BWAnchoredButtonBarIntegration) ibPopulateKeyPaths:]-[BWAnchoredButtonBar(BWAnchoredButtonBarIntegration) ibPopulateAttributeInspectorClasses:]/System/Library/Frameworks/Foundation.framework/Headers/NSValue.hBWRemoveBottomBarIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/ppc/BWRemoveBottomBarIntegration.o-[BWRemoveBottomBar(BWRemoveBottomBarIntegration) removeBottomBar]-[BWRemoveBottomBar(BWRemoveBottomBarIntegration) removeOtherBottomBarViewsInDocument:]-[BWRemoveBottomBar(BWRemoveBottomBarIntegration) removeSelfInDocument:]-[BWRemoveBottomBar(BWRemoveBottomBarIntegration) ibDidAddToDesignableDocument:]BWAddRegularBottomBarIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/ppc/BWAddRegularBottomBarIntegration.o-[BWAddRegularBottomBar(BWAddRegularBottomBarIntegration) addBottomBar]-[BWAddRegularBottomBar(BWAddRegularBottomBarIntegration) removeOtherBottomBarViewsInDocument:]-[BWAddRegularBottomBar(BWAddRegularBottomBarIntegration) ibDidAddToDesignableDocument:]BWAddSmallBottomBarIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/ppc/BWAddSmallBottomBarIntegration.o-[BWAddSmallBottomBar(BWAddSmallBottomBarIntegration) addBottomBar]-[BWAddSmallBottomBar(BWAddSmallBottomBarIntegration) removeOtherBottomBarViewsInDocument:]-[BWAddSmallBottomBar(BWAddSmallBottomBarIntegration) ibDidAddToDesignableDocument:]BWAnchoredPopUpButtonIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/ppc/BWAnchoredPopUpButtonIntegration.o-[BWAnchoredPopUpButton(BWAnchoredPopUpButtonIntegration) ibMinimumSize]-[BWAnchoredPopUpButton(BWAnchoredPopUpButtonIntegration) ibMaximumSize]-[BWAnchoredPopUpButton(BWAnchoredPopUpButtonIntegration) ibLayoutInset]-[BWAnchoredPopUpButton(BWAnchoredPopUpButtonIntegration) ibBaselineCount]-[BWAnchoredPopUpButton(BWAnchoredPopUpButtonIntegration) ibBaselineAtIndex:]BWCustomViewIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/ppc/BWCustomViewIntegration.o-[BWCustomView(BWCustomViewIntegration) ibDesignableContentView]-[BWCustomView(BWCustomViewIntegration) containerCustomViewBackgroundColor]-[BWCustomView(BWCustomViewIntegration) childlessCustomViewBackgroundColor]-[BWCustomView(BWCustomViewIntegration) customViewDarkTexturedBorderColor]-[BWCustomView(BWCustomViewIntegration) customViewDarkBorderColor]-[BWCustomView(BWCustomViewIntegration) customViewLightBorderColor]BWTexturedSliderIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/ppc/BWTexturedSliderIntegration.o-[BWTexturedSlider(BWTexturedSliderIntegration) ibLayoutInset]-[BWTexturedSlider(BWTexturedSliderIntegration) ibPopulateKeyPaths:]-[BWTexturedSlider(BWTexturedSliderIntegration) ibPopulateAttributeInspectorClasses:]/System/Library/Frameworks/Foundation.framework/Headers/NSEnumerator.hBWUnanchoredButtonIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/ppc/BWUnanchoredButtonIntegration.o-[BWUnanchoredButton(BWUnanchoredButtonIntegration) ibMinimumSize]-[BWUnanchoredButton(BWUnanchoredButtonIntegration) ibMaximumSize]-[BWUnanchoredButton(BWUnanchoredButtonIntegration) ibLayoutInset]-[BWUnanchoredButton(BWUnanchoredButtonIntegration) ibBaselineCount]-[BWUnanchoredButton(BWUnanchoredButtonIntegration) ibBaselineAtIndex:]BWUnanchoredButtonContainerIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/ppc/BWUnanchoredButtonContainerIntegration.o-[BWUnanchoredButtonContainer(BWUnanchoredButtonContainerIntegration) ibMinimumSize]-[BWUnanchoredButtonContainer(BWUnanchoredButtonContainerIntegration) ibMaximumSize]-[BWUnanchoredButtonContainer(BWUnanchoredButtonContainerIntegration) ibIsChildInitiallySelectable:]-[BWUnanchoredButtonContainer(BWUnanchoredButtonContainerIntegration) ibDefaultChildren]-[BWUnanchoredButtonContainer(BWUnanchoredButtonContainerIntegration) ibDesignableContentView]-[BWUnanchoredButtonContainer(BWUnanchoredButtonContainerIntegration) ibLayoutInset]BWSheetControllerIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/ppc/BWSheetControllerIntegration.o-[BWSheetController(BWSheetControllerIntegration) ibDefaultImage]BWTransparentTableViewIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/ppc/BWTransparentTableViewIntegration.o-[BWTransparentTableView(BWTransparentTableViewIntegration) addObject:toParent:]-[BWTransparentTableView(BWTransparentTableViewIntegration) removeObject:]-[BWTransparentTableView(BWTransparentTableViewIntegration) ibTester]/System/Library/Frameworks/Foundation.framework/Headers/NSRange.hBWTransparentScrollViewIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/ppc/BWTransparentScrollViewIntegration.o-[BWTransparentScrollView(BWTransparentScrollViewIntegration) ibLayoutInset]-[BWTransparentScrollView(BWTransparentScrollViewIntegration) ibTester]/System/Library/Frameworks/AppKit.framework/Headers/NSRulerMarker.hBWSplitViewInspector.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/ppc/BWSplitViewInspector.o-[BWSplitViewInspector viewNibName]-[BWSplitViewInspector awakeFromNib]-[BWSplitViewInspector updateSizeLabels]-[BWSplitViewInspector setSplitView:]+[BWSplitViewInspector supportsMultipleObjectInspection]-[BWSplitViewInspector setMinUnitPopupSelection:]-[BWSplitViewInspector setMaxUnitPopupSelection:]-[BWSplitViewInspector updateUnitPopupSelections]-[BWSplitViewInspector controlTextDidEndEditing:]-[BWSplitViewInspector setSubviewPopupSelection:]-[BWSplitViewInspector updateSizeInputFields]-[BWSplitViewInspector dividerCheckboxCollapsed]-[BWSplitViewInspector setDividerCheckboxCollapsed:]-[BWSplitViewInspector maxUnitPopupSelection]-[BWSplitViewInspector minUnitPopupSelection]-[BWSplitViewInspector subviewPopupSelection]-[BWSplitViewInspector toggleDividerCheckboxVisibilityWithAnimation:]-[BWSplitViewInspector refresh]-[BWSplitViewInspector setSubviewPopupContent:]-[BWSplitViewInspector subviewPopupContent]-[BWSplitViewInspector setCollapsiblePopupContent:]-[BWSplitViewInspector collapsiblePopupContent]-[BWSplitViewInspector splitView]/System/Library/Frameworks/Foundation.framework/Headers/NSNotification.hBWSplitViewIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/ppc/BWSplitViewIntegration.o-[BWSplitView(BWSplitViewIntegration) ibPopulateKeyPaths:]-[BWSplitView(BWSplitViewIntegration) ibPopulateAttributeInspectorClasses:]-[BWSplitView(BWSplitViewIntegration) ibDidAddToDesignableDocument:]BWAddMiniBottomBarIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/ppc/BWAddMiniBottomBarIntegration.o-[BWAddMiniBottomBar(BWAddMiniBottomBarIntegration) addBottomBar]-[BWAddMiniBottomBar(BWAddMiniBottomBarIntegration) removeOtherBottomBarViewsInDocument:]-[BWAddMiniBottomBar(BWAddMiniBottomBarIntegration) ibDidAddToDesignableDocument:]BWAddSheetBottomBarIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/ppc/BWAddSheetBottomBarIntegration.o-[BWAddSheetBottomBar(BWAddSheetBottomBarIntegration) addBottomBar]-[BWAddSheetBottomBar(BWAddSheetBottomBarIntegration) removeOtherBottomBarViewsInDocument:]-[BWAddSheetBottomBar(BWAddSheetBottomBarIntegration) ibDidAddToDesignableDocument:]BWToolbarItemInspector.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/ppc/BWToolbarItemInspector.o-[BWToolbarItemInspector viewNibName]-[BWToolbarItemInspector refresh]BWToolbarItemIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/ppc/BWToolbarItemIntegration.o-[BWToolbarItem(BWToolbarItemIntegration) ibPopulateKeyPaths:]-[BWToolbarItem(BWToolbarItemIntegration) ibPopulateAttributeInspectorClasses:]/System/Library/Frameworks/AppKit.framework/Headers/NSMenu.hBWSplitViewInspectorAutosizingButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/ppc/BWSplitViewInspectorAutosizingButtonCell.o+[BWSplitViewInspectorAutosizingButtonCell initialize]-[BWSplitViewInspectorAutosizingButtonCell drawBezelWithFrame:inView:]-[BWSplitViewInspectorAutosizingButtonCell drawInteriorWithFrame:inView:]/System/Library/Frameworks/Foundation.framework/Headers/NSDictionary.h_insetColor_borderColor_viewColor_lineColor_insetLineColor_blueArrowStart_blueArrowEnd_redArrowStart_redArrowFill_redArrowEndBWSplitViewInspectorAutosizingView.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/ppc/BWSplitViewInspectorAutosizingView.o-[BWSplitViewInspectorAutosizingView isFlipped]-[BWSplitViewInspectorAutosizingView isVertical]-[BWSplitViewInspectorAutosizingView initWithFrame:]-[BWSplitViewInspectorAutosizingView setSplitView:]-[BWSplitViewInspectorAutosizingView splitView]-[BWSplitViewInspectorAutosizingView dealloc]-[BWSplitViewInspectorAutosizingView updateValues:]-[BWSplitViewInspectorAutosizingView layoutButtons]-[BWSplitViewInspectorAutosizingView drawRect:]/System/Library/Frameworks/AppKit.framework/Headers/NSControl.hBWHyperlinkButtonInspector.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/ppc/BWHyperlinkButtonInspector.o-[BWHyperlinkButtonInspector viewNibName]-[BWHyperlinkButtonInspector refresh]BWHyperlinkButtonIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/ppc/BWHyperlinkButtonIntegration.o-[BWHyperlinkButton(BWHyperlinkButtonIntegration) ibPopulateKeyPaths:]-[BWHyperlinkButton(BWHyperlinkButtonIntegration) ibPopulateAttributeInspectorClasses:]BWStyledTextFieldInspector.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/ppc/BWStyledTextFieldInspector.o-[BWStyledTextFieldInspector viewNibName]+[BWStyledTextFieldInspector supportsMultipleObjectInspection]-[BWStyledTextFieldInspector setFillPopupSelection:]-[BWStyledTextFieldInspector setShadowPositionPopupSelection:]-[BWStyledTextFieldInspector fillPopupSelection]-[BWStyledTextFieldInspector shadowPositionPopupSelection]-[BWStyledTextFieldInspector refresh]/System/Library/Frameworks/AppKit.framework/Headers/NSTextField.hBWStyledTextFieldIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/ppc/BWStyledTextFieldIntegration.o-[BWStyledTextField(BWStyledTextFieldIntegration) ibPopulateKeyPaths:]-[BWStyledTextField(BWStyledTextFieldIntegration) ibPopulateAttributeInspectorClasses:]BWGradientBoxInspector.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/ppc/BWGradientBoxInspector.o-[BWGradientBoxInspector viewNibName]+[BWGradientBoxInspector supportsMultipleObjectInspection]-[BWGradientBoxInspector setFillPopupSelection:]-[BWGradientBoxInspector wellContainer]-[BWGradientBoxInspector colorWell]-[BWGradientBoxInspector gradientWell]-[BWGradientBoxInspector fillPopupSelection]-[BWGradientBoxInspector refresh]-[BWGradientBoxInspector setGradientWell:]-[BWGradientBoxInspector setColorWell:]-[BWGradientBoxInspector setWellContainer:]-[BWGradientBoxInspector updateWellVisibility]-[BWGradientBoxInspector awakeFromNib]BWGradientBoxIntegration.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/ppc/BWGradientBoxIntegration.o-[BWGradientBox(BWGradientBoxIntegration) ibDesignableContentView]-[BWGradientBox(BWGradientBoxIntegration) ibPopulateKeyPaths:]-[BWGradientBox(BWGradientBoxIntegration) ibPopulateAttributeInspectorClasses:]BWGradientWell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/ppc/BWGradientWell.o+[BWGradientWell initialize]-[BWGradientWell endingColorWell]-[BWGradientWell startingColorWell]-[BWGradientWell drawRect:]-[BWGradientWell setEndingColorWell:]-[BWGradientWell setStartingColorWell:]/Users/brandon/Temp/bwtoolkit/BWGradientWell.h_borderColor_patternBWGradientWellColorWell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkit.build/Objects-normal/ppc/BWGradientWellColorWell.o+[BWGradientWellColorWell initialize]-[BWGradientWellColorWell gradientWell]-[BWGradientWellColorWell setColor:]-[BWGradientWellColorWell setGradientWell:]-[BWGradientWellColorWell drawRect:]/Users/brandon/Temp/bwtoolkit/BWGradientWellColorWell.h_borderColorunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/0000755006131600613160000000000012050210656024756 5ustar bcpiercebcpierceunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/0000755006131600613160000000000012050210656032506 5ustar bcpiercebcpierce././@LongLink0000000000000000000000000000016200000000000011564 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/BWToolkitFrameworkunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/BWToo0000777006131600613160000000000012050210656042331 2Versions/Current/BWToolkitFrameworkustar bcpiercebcpierce././@LongLink0000000000000000000000000000014700000000000011567 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Headersunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Heade0000777006131600613160000000000012050210656040164 2Versions/Current/Headersustar bcpiercebcpierce././@LongLink0000000000000000000000000000015100000000000011562 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Resourcesunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Resou0000777006131600613160000000000012050210656040652 2Versions/Current/Resourcesustar bcpiercebcpierce././@LongLink0000000000000000000000000000015100000000000011562 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/unison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000755006131600613160000000000012050210656033517 5ustar bcpiercebcpierce././@LongLink0000000000000000000000000000016000000000000011562 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/Currentunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000777006131600613160000000000012050210656033621 2Austar bcpiercebcpierce././@LongLink0000000000000000000000000000015300000000000011564 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/unison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000755006131600613160000000000012050210656033517 5ustar bcpiercebcpierce././@LongLink0000000000000000000000000000017500000000000011570 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/BWToolkitFrameworkunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000755006131600613160000350207411361646373033554 0ustar bcpiercebcpierce i  t<  x__TEXTpp__text__TEXT"__symbol_stub1__TEXT__stub_helper__TEXT__cstring__TEXT(P__const__TEXT(__unwind_info__TEXT  __eh_frame__TEXTPS `H__DATApp__nl_symbol_ptr__DATApPp__la_symbol_ptr__DATAPpPp&__dyld__DATA0q0q__const__DATA@q@q__cfstring__DATAPqPq__objc_data__DATA__objc_msgrefs__DATA @ __objc_selrefs__DATA` `__objc_classrefs__DATA__objc_superrefs__DATAXX__objc_const__DATAXXX__objc_classlist__DATA@ h@ __objc_catlist__DATA8__objc_imageinfo__DATA__data__DATA__bss__DATA(H__LINKEDIT v p@loader_path/../Frameworks/BWToolkitFramework.framework/Versions/A/BWToolkitFrameworkksyd#֑'"0HHP #  {@  P K rzBY(83O X/System/Library/Frameworks/Cocoa.framework/Versions/A/Cocoa 8/usr/lib/libgcc_s.1.dylib 8}/usr/lib/libSystem.B.dylib 8/usr/lib/libobjc.A.dylib h,/System/Library/Frameworks/CoreServices.framework/Versions/A/CoreServices h &/System/Library/Frameworks/CoreFoundation.framework/Versions/A/CoreFoundation p&/System/Library/Frameworks/ApplicationServices.framework/Versions/A/ApplicationServices `,/System/Library/Frameworks/Foundation.framework/Versions/C/Foundation X-/System/Library/Frameworks/AppKit.framework/Versions/C/AppKitASLAS%CU%BUUHAWAVSHH&sL5oH=pH5srH5sLHHH=RH5rrIL= sH5rHTHrH5rLHAH5rHrH[A^A_]ÐUHH U]ÐUHH]ÐUHH=ّH5rr]UHHT]ÐUHHT]ÐUHH{T]ÐUHAWAVSHH$rL5H=H5qqH5rLHHH=pH5qqIL= rH5qHkTHqH5qLHAH5qHqH[A^A_]ÐUHHT]ÐUHH]ÐUHH=H5qq]UHH5T]ÐUHH'T]ÐUHHS]ÐUHH=H5q~qH5WqHNq]UHSHHHYH5rqHiqu HH[]H=H5-q'qH5qHpӐUHAWAVATSHHH}HHEH}H5qHqHIL=qL%qH~SHLpH5pLHAL=pHtSHLpH5pLHAL=H5pHcSHpC>L=pHhSHL|pH5pLHALH[A\A^A_]UHHHfAE10]UHHI0]ÐUHH_]ÐUHHH2A0A蹡]ÐUHAWAVAUATSH(ӉIL0HћI<H5.q(qH L=qLL~qH5'rHljrLL`qHpHHpH5s1HsH=lH5nnIL-sLLqHHEpH5qHqH8HpHpHPHD$HHHD$H@HD$H8H$H5XsLAH5KnHBnH ӚA<(H(t0H*sH5pLLpH5sLH(HH5:pH0-pH5foH]oH5pHpH5rHrH5rHrH5mHmHHDžHDžHDžHDžHDžHDžHDžHDžH5[oHHAH>oHHL1HALEE1HL;0t 0HHfH0<HN,tH5qHLH(qH5qH(LqIM9uH5nHHAHnHUHH0H<HwnHnnL57oHL+oL=lHLlIL-nLLH(H nH UH< H5oLnH5nH nH5BmH9mHXHmHmH H< p(hH5nnHL^nHLBkIL=nH=H5zn(dnLLHH AH rH< H5OnLFnH5?pHߋ0pIL H7H<HlHlH5nHLnHH5lHlH5lHkIHݖH<L=oH5ooH5oLAHʖ<HH<H5VlPlHHmH mHiHHiIL=lH0H"lHlHH5OkIkH5lHlLLolLHL LAH=H0H<9H5lLlH=ەH0H<9H5llHHQlHHlHH,iHL5kL=klL-H0HVkHMkHH5j}jHxH?kH6kH5lLAHLkLHLAHH0H<H5kHkfHH0H<H5kkL5lHLL LplH5mHm(H5ijH`jH5iHiH5rmH(YmHJH<H5jjHLLkH5lHlH5lHlH5gHgH(H5jHjHH(HDžXHDž`HDžhHDžpHDžxHDžHDžHDžH5%iHXHAH(iH$HhH HHHEE1HhHH;t0H(記HH0<H`NH=zmH5PPIL%QH=dmH5QH 1HQH5QH1LLIAHlzAH5OLO[A\A^A_]UHAWAVSHIH51PL(PIH5PLPHrdLHcH5PPH5PHOHLuH&qHEH}H5PHPHyI<H5PHPH[A^A_]UHAWAVAUATSHHHH=MlH5LLH5NHNH5LHLHHDžHDž HDž(HDž0HDž8HDž@HDžHHDžPH5NHNHH5NHNHH5HNHHXAH+NH H(L1HALEE1H(L;0tH5eNH\NH0}H N,H5PNLGNH5OH)/HOumH5%NLNH5NH.HNuBH5MLMH5NH.HNuH5MHLMIM9+H5,MHHXAH MHH5;NH.NHtgHcH5;NH.NHH5LHLH5 MHMH5`LHHTLH[A\A]A^A_]1H[A\A]A^A_]UHAWAVAUATSHHvH<HHvH<qHLHoH5KILKH5KLHHHDžXHDž`HDžhHDžpHDžxHDžHDžHDžH5KHXHAHzKHHhHHALEE1HhH;t0H+{H`N$L-KH=T-zH5KLHAՄtHLuLHzIM9uH5JHXHAHJHUHJH=,7zH5JHHӄH5IHHHIHtH<H5rJlJH5KHKHuiHtHHL5rJH5KJHBJH5{IHrIHH4JH+J0(H5$JHAH=fH5 JJHL5 JH5ILLIH5IHHH (LH `eH5IHLIAHDžHDž HDž(HDž0HDž8HDž@HDžHHDžPH5IHyIHH5HHHXAHHH.H(H HHHEHHDžH(HH;tH5HHHH0cxHrHL4H LN$L-HLHHHHH5HLHAH xrH L5HLHHHHH5HHLHAILL;2H5GHHXAHGHH5PHHHH=HH5FHH=HHqH<H5GGHt4HqHH<H5[GUGH5~HHuHH>HGH5F1LLFH5GLHFH=@)yvH5FHHӄHqHH<H5FFHHGH~GHH dDH[DIHpH<L=GL%FLFIHHyFHpFHH5EEH5)GH GLLFLHLAH=[pH<;H5GLFH=@pH<;H5FFHHFHFHH CHCIHoH<HLFHLLEIL%FL-bHHEHEHH5DDH8HEHEPHH5ZFLALLELHLH\oH<H59FL0FH[A\A]A^A_]H7oHL4HoH<L=EL%DH5lDfDH5oDLHAԉH5mEHAUHAWAVSHHHnH<H5 DDHu1H5C1HCHH5C1ɉCH[A^A_]H}nL4HjnH<L=CH5CCH5CLHAUHSHHH5uCH1jCH5sCH߉1fCH[]ÐUHSHHH_H5AHAuxHmHmH<H5BBt4H5BHBH5BH1BH5BH1BH_H5nB1fH_BH[]UHAWAVATSHH}HdHEH}H5AAHHL5&mH=`L=h@L_@L%AHLAHHLrL5lH=_L'@HLAHHLUrHlHlH5}AHHqAH"^H5sA1fHdAHH[A\A^A_]UHAWAVSHH}HcHEH}H5@@HH=^L5@H?#H #L"E1L0@IH=^H$HJ#H c!L!L #L0j@IH5p@HLd@LHDH[A^A_]UHAWAVATSHHILuHbHEH}H5?H?L=?H5?L?L%?H !HLHAL=?H5?L?H !HLHAH.kAH5j?H !HZ?L=3?H5\?LS?H !HLHAH[A\A^A_]ÐUHSHHH?\H5X>R>t3H=H50>*>H5>H >H5kHoH[]UHSHHH=AH5==H5=H=H5HoH[]UHSHH}HjaHEH}H5==HHt8Hv[H5=H=tHk[H5>1fH>HH[]ÐUHHHHHOHGHG]UHSHHHZH5=H =tNH5BHyBH5BHBff.uzHZH5=1fH=H54BH+BH5TBHKBtMH5BHBHhZH5y<Hp<t"H5AHAH5B1H BH[]ÐUHH5AAH5AbHA]UHHHHHOHGHG]UHSHH}H_HEH}H5;;HHt%H5AHwAH5AHrAHH[]UHAWAVAUATSH8HIIEXEH5AL|AH5>HHu>LetH5fAnLf(QAH5ZALQAt*L-fAH5OALFAH5OALHAILL}H^HEID$HD$ID$HD$ID$HD$I$H$H}H5AHAH8[A\A]A^A_]UHAWAVAUATSHH9L5YH=YH599H59LHHH=YH9H9IL=9L%9HHL9L-9LLHAH5fHkH=?YHX9HO9IL=e9HNHLB9LLHAH5HYkH=XH 9H9IL=9HHL8LLHAH5H kH=XH8H8IL=8HHL8LLHAH5iHjH=RXHk8Hb8IL=x8HHLU8LLHAH5HljH=XH8H8IL=)8HHL8LLHAH5HjH=WH5->'>H8HH8H5mHiH=WH5>W W=HH7H56HiH[A\A]A^A_]ÐUH]UH]ÐUHH5y>s>HH HDH]UHAWAVAUATSHHH=VH566H5k8Hb8H5 7H7IL==H]HZHEH}H5==H5=LHAHiL8L%9H=HVH5=I=L-d9LLHLAH.L8L%D9H5 =H=LLHLALH[A\A]A^A_]ÐUHSH8HEXٺEHuHZHEHE(HD$HE HD$HEHD$HEH$HuH<<HH8[]ÐUHSH(HH=cH5<<M(H5;H;HEtYH=JH5;H,HHHL$HHHL$HHHL$HH$1AA gH([]H=H5ҴHHHHL$HHHL$HHHL$HH$1AAfUHAWAVATSHHH=TH544H56H6H54H4IL=;H]HXHEH}H5b;\;H5e;LHAHL8L%+7H5:H:H57LHLAH5q;Hh;HHH=SL=6uXH5U;G;L%6LLHHAHHHLL6LH[A\A^A_]H5:M:H5h6LHHAUHAWAVAUATSHH23L5SSH=TSH5 33H53LHHH=6SH3H2IL=3L%2HHL2L-2LLHAH5زHdH=RH2H2IL=2H`HL2LLHAH5HdH=RH[2HR2IL=h2H1HLE2LLHAH5JH\dH=;RH 2H2IL=2HHL1LLHAH5H dH=ܱH 9H޺8H=رH޺8H=H޺8H=H޺8H=qQH577H1HH1H5JH|cH=;QH57 7HHZ1H5H=cH=$QH0H0H5]2HT2H5ͰHcH=H58f 8H[A\A]A^A_]UH]UH]ÐUHAVSH@HE(Ef(XMMH=oH566E\Y)XEX$EZMMtbEH5H7H?7AH5r6Hi6AH EZEEMX MtjH57H7tVH=HHCHD$HCHD$HCHD$HH$H5Y7EMU?7H55H5uH57H7H55H5uH56H6H5k5Hb5teH56H6uQH=HHHHL$HHHL$HHHL$HH$H56EMUi6H@[A^]H=H=uUHAVSH0HIH55L5HEtX#LuH LRHMHHHL$HHHL$HHHL$HH$H}H55H5H0[A^]ÐUHAWAVSHHH5I5H@5IL=/H=MH5x-r-H5/LHAׄt5H575H.5HH=kMuAH533H[A^A_]H54Hy4H@H 1HDHH53 ٱs3뭐UHAWAVAUATSHhLEHIIH5K4LB4LetbLuL5PLuMt$Lt$Mt$Lt$Mt$Lt$M4$L4$HuH3LHLEz3LHh[A\A]A^A_]H=qLH533H53H3IL^1L^LuH\PHEID$HD$ID$HD$ID$HD$I$H$H}HuH2HLE2L]EAEAGEAGEAG,UHAVSH5(3"3HL5-H=KH5Z+T+H5-HHA[A^]UHAWAVAUATSHhHH5Q3HH3HLuIH5A31L63H51L1H5.HH.tH51Lf(1H51L1t*L%1H5}1Ht1H5}1LHAIH=JH522IANH52fL2H52 9L2LH2H2L-2INHL$INHL$INHL$IH $H}Hi2H`2H HQHT$8HQHT$0HQHT$(H HL$ HMHL$HMHL$HMHL$HMH $H52L\AH52L 2LH1H1Hh[A\A]A^A_]ÐUHAVSHPHIH]HzMHEHE(HD$HE HD$HEHD$HEH$H}HuH11EXEH51H1HH5{1Hr1HH5a1HX1HH5G1H>1HH5-1H$1HH51H 1HtH50H0HuEXEEAEAFEAFEAFLHP[A^]EXEEXEUHAWAVAUATSHH'L5GH=HH5'{'H5'LHHH=GH{'Hr'IL='L%q'H HL^'L-g'LLHAH5|HnYH=GH'H'IL=+'HT HL'LLHAH5=HYH=6GH&H&IL=&H% HL&LLHAH5HXH=FH&Hw&IL=&H HLj&LLHAH5HXH=FH1&H(&IL=>&H HL&LLHAH5pH2XH=IFH%H%IL=%H HL%LLHAH5 HWH=EH%H%IL=%Hi HL}%LLHAH5ʥHWH=EHD%H;%IL=Q%H: HL.%LLHAH5[HEWH=dEH5U+O+H8%HH,%H5 HWH=.EH5/+ +HH$H5֤HVH[A\A]A^A_]ÐUH]UH]ÐUHH5++HH HDH]UHAWAVAUATSHHH=gDH5 $$H5%H%H53$H*$IL=+H]H%HHEH}H5**H5*LHAHL8L%&H=CH5*q*L-&LLHLAHVL8L%l&H55*H,*LLHLALH[A\A]A^A_]ÐUHAVSHPHIH]H^GHEHE(HD$HE HD$HEHD$HEH$H}HuH++EXEEX{EEX٧EH5*H*HH5<+H3+HH5"+H+HH5+H*HH5*H*Ht}H5*H*Hu*H5*H*HuQEX&E=H5*H*HtH5*Hy*HuEXEEAEAFEAFEAFLHP[A^]ÐUHAVSH HH=H5''M(H5'H'AH59)H0)EHMtvt[H=|H5mH^HAHD$HAHD$HAHD$H H $1AARH [A^]H=!H5H룄tH=H5HH=H5РHHAHD$HAHD$HAHD$HH$1AA8RnUHAVSHH}HpDHEH]H5 H IH5(L(HWALuH)DHEH5(1H(LH[A^]ÐUHAWAVAUATSHHH=@L5|LsIHLdI9kHdL5?H=?H5?9H5BLHHH=?H9H0IL=FL%/HHHLL-%LLHAH5H,QH=k?HHIL=HHLLLHAH5KHPH=?HHIL=HHLwLLHAH5HPH=>H>H5IL=KHHL(LLHAH5H?PH=~>HHIL=HHLLLHAH5FHOH=/>HHIL=HVHLLLHAH5HOH==HQHHIL=^H'HL;LLHAH5HROH[A\A]A^A_]ÐUH]UH]ÐUH]UHHHTH}HAHEH}H5&&H]ÐUHHHTH}H@HEH}H5%%H]UHAWAVSHXIILuH@HEH}HuH%w%H50%L'%H9EAEAGEAGEAGLHX[A^A_]EXEHEHD$HEHD$HEHD$HEH$H  fLMUH]ÐUHAWAVATSH HH5m$Hd$HH:SLuut HΛH͛H̛AEAFEL8L%!LL!M\Y 0MZBMEANMf(AXVULLG!]\Y]ZLZU\XUH5w#Hn#HZEXEXA~XUXUMH5a#LS#H [A\A^A_]HUHAVSHpIEEEEE EE(EH=sH5T N ME(f.v-\YZMMKZXEEEXEEXEH5V"LM"H~ M\MXEEH5a LX H=əH5HHMHL$HMHL$HMHL$HMH $H D1AJH5!L!HH5!L!H~1HcH}H!L!H=8H5H5y!Hp!HEHD$HEHD$HEHD$HEH$@JH5!!L!HcH9|Hp[A^]ÐUHAWAVAUATSHHH}H5<HEH}H5VHMHIL=:!L%CHHL0H5!LHAL=!L-BHHL/H5 LAL= HHLH5 LHAL= HHLH5 LHAL= HHLH5 LHAL= HHLWH5 LHAL= H5 HrHy H5 LAL= HlHL0H5f LAHiLuH:HEL}H5O LF H5?LHLuHl:HEH51 LL% LH[A\A]A^A_]ÐUHAWAVAUATSHH=6HC+H *L5HLH5hHGH=A6H NHLH5EHGH=6H HLH5HdGH=5HH HH H5fH]H5H GHL55H=5H5H5LHHH=5HHIL=L%HHLL-LLHAH5%HFH=>5H?H6IL=LHuHL)LLHAH5ޔH@FH=ǔH@H޺2H=H޺H[A\A]A^A_]UHHU]ÐUHHU]UHHHUAE10E]UHHHUAE10E]UHHHUAE10E]UHHHvUAE10xE]UHHyU]UHHiU]UHH U]UHHT]ÐUHHT]ÐUHHH UAE10E]UHHT0D]ÐUHHHTAE10D]UHHT0D]ÐUHHHTAE10D]UHHT0qD]ÐUHHHTAE10VD]UHHgT07D]ÐUHHHSHHD]ÐUHHSH]ÐUHAVSHHHSH<L5LHSH<LHSH<LHSH<LHSH<LHSH<LHvSH<LqHSH<L]HVSH<LIH]H.5HEH}H5 H[A^]UHAVSHRH<Iu"H=Y1H5HLHBHRI<H5H5H[A^]ÐUHAVSHRH<Iu"H=0H5HLHfBHWRI<H5\VH5/H&[A^]ÐUHAVSHRH<Iu"H=0H5JDHLHAHQI<H5H5H[A^]ÐUHAVSHQH<Iu"H=!0H5HLHAHwQI<H5H5_HV[A^]ÐUHAVSHQH<Iu2H=/H5:4H5=H4HLHAHPI<H5H5H[A^]ÐUHAWAVSHHPHH9Ht8IH5HL=nPH5LHHL@H59H+H[A^A_]UHH-PH5 ]UHSHHH5+H"t H[]H]H'2HEH}H5f.2UHSHHH]H1HEH}H5H5HH[]ÐUHAWAVATSHMEHIHpOM<L%H=-H5  H5LHAԄtH5LH[A\A^A_]HOI<HN+H5O I uI9tH5HMEHNI<H5H뒐UHAWAVAUATSH(HHH5HL5L=-H5HH5HH5LHAH(H5LHCHHXHHpHDžHDžHDžHDžHDžHDž HDž(HDž0HMHHH5 HH H5 HH8AH HHL1f0HALEE1HL;0tH5HH05=HJ;u\ XL-I H='ZH5H5* H(HLAII9H5g HHAHF HQHɹEHT HHHHH<H5H5 H HHHIL L=>L%'L- 'H=!'H5B<H5H>HHHDH5LHAH5LHAH5 L H*1HcH5 H r IH5 H(L H5AH8L=L%R LLF H5HAL=TLL H5AHAZf.wf.2f.wZL=H=y%H5H5H(HLAH5~ L LLk HFHH<H5LH5"HH5LH\Z\Af1HcH5H Hff.IH5lH _HH/ZH*Xi^YZ5H5H HH9ZXu\XL=)H=#ZH5H5 H(HLAH5H HcH9H5lH _HcH9H5JH =H ff. H='#H582HHDžxHDžHDžHDžHDžHDžHDžHDžHTDHHHH53H*HH5,HxHAHHHHHALEE1HH;tH5HH03HCHH<HN$H5LH5HZ^0ZL-H=!H5H5HHLAIM9KH50HxHAHH H5?HH/IHDž8HDž@HDžHHDžPHDžXHDž`HDžhHDžpH5}HtHH5vH8HxAHYH0X0DHHH HDžfHHHHE؋DpE1HHHH;tH5HH01H@N$H5HLH5 H ZY0Zi1C>;ZXu0\XL-H=cZH5  H5H(HLAII9H5H8HxAHHQHɹEHT HH@HH<H5i c H5LHCH,HH IL= L% L-H=H5H5} HHh HHH5e LHAH5e LHAH5L H+1HcH5LIH5H(LH5 H L%% L-LLH5 HAL% LLH5 HAZf.wf.f.wZL%lH=H5> 8 H5QH(HLAH5 LLH5HLwH5 H Z\H5LH0\01f1HcH5fLHZff.IH5LHHZH*X^Y0Z-H5LHH9ZXu0\XL%H=xZH5  H5H(HLAH5IL@HcH9H5&LHcH9H5H Hf0f.HDžHDžHDžHDžHDžHDž HDž(HDž0H5 H(x HH5HH8AHH HL1f0HALEE1HL;0tH5 H( H0+HJ#A<uVH5@L7AH5LEH zH}HiHdff.EH5*L!tH5L}H5LxH"I<HH5tH"I<H5HHĈ[A^A_]HhHHfxH}HHef.E4H5UHAWAVATSH@LIIIH!I<H7H5 HEu>A$@AD$@AD$@AD$LH@[A\A^A_]IHU0LH5{!I47HzH|$8HzH|$0HzH|$(HHT$ HPHT$HPHT$HPHT$HH$HcLZUHAWAVAUATSHHEIIH5L HH5+L"u]H I<H$H5t:H M$L-H=H5KEH5LHAՄtEH[A\A]A^A_]HLHX I<H5uEjUHAWAVAUATSHHIIH I<HqH5JDt>HM$L->H=_H5H5#LHAՄAH5LDff.uzH5LH5HHHH5VLMHH8HH@XH5LH5\HSANHcH9sH5Lf.bKH5LH5HHHH5vLmHH}L5HLEH}HLEH5LX\\ZZ Zf.wH[A\A]A^A_]LHI<H5HHHHE^HXL5HLXHxHLrEUHAWAVAUATSHHIIHI<H1H5t>HM$L-H=H5HBH5LHAՄAH5PLDDf._uzH5TLKH5HHHH5LH\H8HHH@XH5LH5H ANHcH9iH5rLiff.AH5tLkH5HHHH5.L%H| H}L5kHLEH}HLFEH5LyX\\ZZ Z]H[A\A]A^A_]LH`I<H5-HHHHOhHXL5_HLXHxHL4EUHAWAVAUATSHHLIHUIHI<HH5t>HrM$L-H=H5 H5LHAՄ|H5\LSH5HLIH6H5OLF&H5WLNu EuHtvH58L/H5LH5HHIcH9H5H}H5HHH9H5bLYL5H5LH H}HHEZC>H5LH5LH5L1HH[A\A]A^A_]HI<H5UHULIEH}HHEjUHAWAVAUATSHHIIH]I<HH5t>H:M$L-H=H5H5lLHAՄH5$LH5HHHHH5Lu.H5#Lut&H5 Lt;1H[A\A]A^A_]øLHrI<H5HH5zLqH5HHHcH9UHAWAVATSLIIIH I<HH5@:t-ILHI4H^LUL[A\A^A_]HA$@AD$@AD$@AD$UHAWAVAUATSHHIIHiI<HH5t:HFM$L-H=H5H5xLHAՄtXH4H5MLDu,H5LtH5ULLHcH9t41H[A\A]A^A_]LHI<H5HH5iL[UHAWAVSHXHIH5ZLQtmH5VLMAH5LEH ulH}HHEHbA<uff.vZH6ALuHHEH}H5H HX[A^A_]H}HHE뒐UHAWAVAUATSHHHHH5HB H5VHM* H5HH H< H$HHHBHL54L=mH5H IL-H5\HSH5LHAՉH5LAH5HHH5HH5H}HHuH5H@ ƅH5[HRHupH5HHHgH<L5$LH5tHfH7H<LH5[HMHDžHDž HDž(HDž0HDž8HDž@HDžHHDžPH5HHH5HHXAHjH H(L1HDžHALEE1H(L;0tH5HH0H N,H5dHLXtH5=H4I9tLIM9uH5HHXAHHSH6L5HLH5HHLH5uE1H1gH5HH5HAHL`H5HD}EftZH5HAHL EH rHHHZ0H5H L5{H5HH8H}HtZHB3tH5HH=vH5H=bH5;5IL=H5HZH5LAH5H L5HLZL=fHLhLLLEIL-KHXH}LtH MZ XhZXLLAH=lH5t6L5/H5HZHTH5 HHAL5H5rHiH=H5xZHH5HHAItH5HH=H5H=H5icIL=H5HZH5LAH5AH8L5HLH Z ZL=HLLLLsIL-yHxHLH { Z \Z\LLHH]HZH5HYL5 H5BH9HH HZB3tH5THKH=H5MGH=H5IL=IH52H)ZH5.LAH5HL5!HLZL=fHLLLLIL-HHL H ZXZXLLtH57H.H=H50*H=H5IL=,H5H ZH5LAH5H{L5HLH ! Z ZL=HLLLLIL-HHLH Z\Z\LLAH=H5rlt6L5H5H ZHH5zHHAH51HH4 L5IL=HLZH[L%$E1HL1AL5HLH=H5ZHHLHAL5HL2ZHHLLAH[A\A]A^A_]ƅUHAWAVSHHH5uoIL=5H5HH5LAH[A^A_]UHAWAVAUATSHHH5HH5HH5H~H5gH^HEHHEL5xL=H5ZHQIL-H5HH5LHAՉH5.LAH51H}HUH5PHHUCH[A\A]A^A_]UHAWAVAUATSHHUHH5HH5HH5HH5mHdHEH)HEL5~L=H5`HWIL-H5HH5LHAՉH54LAH5H}HUHUH5RHHUEH[A\A]A^A_]UHSHHH5H tH51HH[]H5HUHSHHH5]HTtTH5HtFH5Hu*H5?H6H5HvH[]ø1UHSHHH5Ht1H<u(H5lHc Gf. 1H[]ÐUHH=H5\VH G]UHH]ÐUHAVSHL5 H5vHmH5HA[A^]UHSHHH]H!HEH}H5H5HH5HHH[]UHSHHHH5Ht 1H[]HH5UHSHHH5Hy 1H[]H߉H5c]HcH5HUHSHHH5uHlttH[]1HH5H5KHBUHAVSHL5MH56H-H56HHA[A^]ÐUHAWAVSHHIH5LHALuHHEH}H5HuEtH(A< 1H[A^A_]ÐUHAVSHIH5"LH5HHHH5<L3utJH5#Lu1H5LH5HHHcH9 1[A^]UHHcH9<Ht HHo]1Hc]ÐUHSHHADYE(\,DZMH>DDYE \C8ZM8ZX8ZZEZDXHZZEH@HEHEHEHD$HEHD$HEHD$HEH$HpHHpxHMMMMMEH}H uCf.vEEHEHD$HEHD$HEHD$HEH$HPHHPEXE`EhE<.BHEHEH@HEHEH==HEHD$8HEHD$0HEHD$(HEHD$ HEHD$HEHD$HEHD$HEH$H58{A%H[]H=l=HHHH=M=HHEHEEHEH==HEHD$8HEHD$0HEHD$(HEHD$ HEHD$HEHD$HEHD$HEH$H5u@b8UHAWAVSHhHHE(HD$HE HD$HEHD$HEH$LuHLHH5HE(n ;A^ZAXVA^A&eU]@^ZXEH=;HEHD$HEHD$HEHD$HEH$H53@%H=;IFHD$IFHD$IFHD$IH$D$ L=LIAH=R;IFHD$IFHD$IFHD$IH$D$ LIAIFHD$IFHD$IFHD$IH$H5{HrHh[A^A_] 9?^ZAXV?^ZAXA^M]UEH=s:HEHD$HEHD$HEHD$HEH$H5fH=@:IFHD$IFHD$IFHD$IH$D$ L=LIE1~H=9IFHD$IFHD$IFHD$IH$D$ LIE14UHSH8HH5H 2>f.HEH < tFH H< Ht6HXH\$HXH\$HXH\$HH$H5VPH8[]H]HH]HXH\$HXH\$HXH\$HH$H}H5HHHL$HHHL$HHHL$HH$H5H끐UHH=eH5H5HZT7]UHAWAVAUATSHHILuHHEHIHEHH HLuHHUH5,HEHHL=5H5^LUL%H 'HLHAL=$H5=L4L- H HLAL=ӷH5LH HLHAL=H5LH HLHAL=H5LH HLHAL=UH5LH HLHAL=H5LH5H ݞH߉AL=H5LH ԞHLAHLuHHUH5οHEHH5LHLuHHUHEHH HLH[A\A]A^A_]UHAWAVATSHHH}HHEH}H5HHIt}L=H5HHC>L=TL%HHLzH53LHAL=3H|HLPH5LHALH[A\A^A_]UHAWAVAUATSHHxL5H=H5SMH5VLHHH=lHMHDIL=ZL%CHHL0L-9LLHAH55H@H=HHIL=HƝHLڳLLHAH54HH=HHIL=HHLLLHAH5X4HH=qHRHIIL=_HhHL<LLHAH54HSH[A\A]A^A_]UHH]UHHHAE10.]UHH0]ÐUHHHrAE10]UHHU0]ÐUHAVSHHH)H<L5LHH<LH]HHEH}H5gaH[A^]UHSHHH5EH<H51HH]H7HEH}H5H[]UHSHHH5HH5HH]HHEH}H5H[]ÐUHAWAVSHXHIH5ZLQEL=LLM\MH5LELLM\MH5L HHbH}HQLEEH5{HrM^MYMXMH5cHZM\^MYMMH5LMXMZH5)L H)H5L IH5LH5LHLHX[A^A_]H}HnLEEUHAWAVSHILuHHEH}H5>6HOI<L=4L)H:I<LH[A^A_]UHAWAVAUATSH8HHH<L5LHH<L|H<uy@wkH}HvHmEX4EEX4EHEHD$HEHD$HEHD$HEH$H5HvH/wtukH}HHEX4EEX4EHEHD$HEHD$HEHD$HEH$H5H2L5H=HѭHȭIL%H=.L-@L7H=.LHDžHDžHHL$HHL$HHL$HH $LH XHAHHL\HH<HHE1DsH5H<3H-H5jdH=H<;L ҰLHưH=oH<;HLLH=MH<;L²LHHHALL=H=OL%HL?IL5eH=&-LH=-LHHWHNXX1HDž (0H0H|$H(H|$H H|$HH<$LH HAHHLH H< HļHE1DH H< H,L5H=H HIL%&H=+L-xLoH=+LWHDž8HDž@HPHPHL$HHHL$H@HL$H8H $LH HAHHLHH<HHE1DH5H<3H+H5H=H<;L LHH=H<;HLLH=H<;LLHHGHAL5L=VH=L%LwIL5H=n*LH=V*LկHXHHXXhX.xHEEEH}H|$H}H|$H}H|$HxH<$LH HAHHLH aH< HHE1DH @H< Hu)H5H !H< L ^LHRH H< HLIL@H H< LNLEHHHALHHL5WHLKHHHL4H] H8[A\A]A^A_]UHAWAVATSH`HH}HոH̸EHEDE DE(DH5HH5HHH<L56,L +HL<L% H}H HEXE\},LL +AHEDXO,DH*B,XH5HH HT HT$HT HT$HT HT$H H $H5lHH`H`[A\A^A_]HH<L51+L *HL<L%H}HHEXE\x+X*LL *UHSHMEHH5ԵH˵ H5|1HEMgExHH4H}HHEHD$HEHD$HEHD$HEH$ExtHHHĨ[]HH4H}H:4HEHD$HEHD$HEHD$HEH$Ext H,H]HHEH}H5hEMXiH]HH]H}H59EM):UHAWAVSHHL5H5HH5HAL5ɴH5HIH5HH5HHLAH[A^A_]UHAWAVSHHL5AH5*H!H5*HAL5MH56H-IH5H H5#HHLAH[A^A_]UHAVSIH59L0H5HljH5ǰL[A^]UHH5H5LHC]ÐUHAWAVATSHHILuHHEH}H5QHHL=H5ʲLH5H H߉AL=4H5LL%H HLHAL=H5LH HLHAH[A\A^A_]ÐUHAVSHHH}HHEH}H5*H!HItNHH?H5HHы;H5!LH5EL7HALH[A^]ÐUHAWAVAUATSHHH=CL5LIHLI9HL5H=H5H5 LHHH=HHIL=ƠL%HHLL-LLHAH5!HH=H\HSIL=iHҊHLFLLHAH5C!H]H=DH HIL=HHLLLHAH5 HH=HHIL=˟HtHLLLHAH5 HH=HoHfIL=|HEHLYLLHAH5N HpH[A\A]A^A_]ÐUHH[]UHHK]UHHH/H}H@HEH}H51+H]ÐUHHHH}HHEH}H5H]UH]ÐUHAWAVSH(HH<HrH cHDL1EEE EL=LLM\Y T#MZfEM(Mf(XUULLm]\Y #]ZH<Z]X]ZU\Uu X]"UMH5Lf(H([A^A_]ÐUHAWAVSHHIEEEEE EE(EHeE<H=2H5AHE f(MH\Y "ZMM*ZXEEEX"EEX"EH5ѣLȣH=H5HtGHEHD$HEHD$HEHD$HEH$D1A!'HH[A^A_]HEHD$HEHD$HEHD$HEH$D1A1!X UH]UH1]UH]UH1]UHAWAVSHHILuHHEH}H5sHjL=H5LH5H HAH[A^A_]ÐUHSHH}HHEH}H5HHt8HhH5HxtH]H51fHHH[]ÐUHHHHHOHGHG]UHSHHHH5HtNH5tHkH5Hvff.uzHH51fHݛH5&HH5FH=tMH5HHZH5kHbt"H5ןHΟH51HH[]ÐUHH5H5H]UHSH8H}HHEHE(HD$HE HD$HEHD$HEH$H}H5HHtNH=qH5H5HH5eHߺWH5`HߺRHH8[]UH]ÐUHAVSHH= H1H ~L5HLH5HH=׹H <֞HLH5HH=H HLoH5HRH=aH `HL4H5]HH=&H %HLH5*HH=H PHLH5HH= HHLH5HfH=u5H tHLHH5AH+H=BH5ۖՖHFH GLHL IH$H5ڨ Hff(_H5HH=ɷ Hf̜HLH5HH= jHHLeH5nHHH[A^]ÐUHH]UHH]ÐUHH]UHH]ÐUHH}]UHHm]ÐUHHHhHH]ÐUHHOH]ÐUHAWAVSHHIIH+I<HH5u 1H[A^A_]HLHI<H5ҐUHAWAVATSLIIIHI<HuH5>8u 1[A\A^A_]ILLHI<H5nhѐUHAWAVATSH@LIIIHPI<HH5ΔȔHEu>A$@AD$@AD$@AD$LH@[A\A^A_]IHU0LH5I47HzH|$8HzH|$0HzH|$(HHT$ HPHT$HPHT$HPHT$HH$HLUHAWAVSHHEIIHdI<HH5ܓuEH[A^A_]HLH+I<H5EАUHAWAVSHHIIHI<HH5smu 1H[A^A_]HLHI<H5ҐUHAVSHMEHIHI<HH5uH5HH[A^]MEH@I<H5UHLUHAWAVSHHEIIHI<HH5uEH[A^A_]HLHI<H5EٟАUHAWAVSHHEIIHI<H9H5 uEH[A^A_]HLH[I<H5EАUHAWAVATSHLIIIH5LH9-H HLH8H@LH~\HH`H(L\xH5PLGH5LH H}HHEXEXLH}HLEA $AL$H.@I\$AD$DHI<HH5UOt4IHI4HvLLjLH[A\A^A_]HpA$@AD$@AD$@AD$H}HHEUHAVSHHH5 HIH5LH9uLH51H]HkHEH}H5,&H[A^]ÐUHAVSIt^t0uyH5L H5LMH5LH5ʠ1L$H5ƠL1H5L1HAH5'L[A^]UHAVSH@HHHL5LuPH}HHEH5. HAְH5HH@[A^]H}H/HEH5ޚ HA0UHAWAVSH1EH5HHL=њH=H5#H5HHAׄt HIHL=H=bH5H5~HHAׄuHuLH[A^A_]UHAVSHH5MHDAH5HH5HEItH52L)H[A^]HHH5H5LHUHAVSHH5HHu1[A^]H5HIH5HߞH5XHOH5HI9UHSHHH5HHt#H5<H3H5HH[]ÐUHAWAVAUATSHHH0H5ÐHH5HHHL0LHH51HIHDžHDžHDžHDžHDžHDž HDž(HDž0LHHH5HH8AHH;HH HHHEE1HHH;tH5H0H0臼HN$H5wLnH5ǍHuHu/H5LLCH5HuHHH8L-VLLJ8XH(HXLLXXh HxLL(f. MGfxf.HuzH5 H51LHHLX(HH<H0/X(f.HuzH5 H51LII9H5يHH8AHHMH5LH5ߋHsHϋu/H5dL[H5HsHHEHHHL$HHHL$HHHL$HH$H}f 轹HL5 HH%LXHEHD$HEHD$HEHD$HEH$D$ ,H51LL0E1H[A\A]A^A_]ÐUHAWAVATSH0HIHE(HD$HE HD$HEHD$HEH$D$ L=+E1HLME1 HE(HD$HE HD$HEHD$HEH$D$ HLME1őHE(HD$HE HD$HEHD$HEH$D$ HLME~H0[A\A^A_]ÐUHAWAVAUATSHHLuH^LHRH<pIFHD$IFHD$IFHD$IH$HXf | 衷Xx`EhEpEH=HEHD$HEHD$HEHD$HxH$H5|| nH<H=fIFHD$IFHD$IFHD$IH$D$ H551AIH< AAXFX EH@HEHEH$@HEH5/H&tH@HEHHEHD$HEHD$HEHD$HEH$L=cHLWHEHD$HEHD$HEHD$HEH$H} HDHEHD$HEHD$HEHD$HEH$HLIFHD$IFHD$IFHD$IH$H5̖HÖHD<H=IFHD$IFHD$IFHD$IH$D$ L=E1ALIAeH=vIFHD$IFHD$IFHD$IH$D$ LIE1H=,IFHD$IFHD$IFHD$IH$D$ LDIEӍHĨ[A\A]A^A_]AFANAVAxUMX(EH=wUHAWAVAUATSHHH=GH5ȌŒH5ˌHŒH5HHIH5LH5GH>H5LvHH5fL]IL%H=H5E?H5؎LHAԄuyL=ĎH=H5H5LHAׄH5LIL%~H=7H5ЀʀH5cLHAԄL=KH= H5H50LHAׄH5xLoIHIMtmH5zLq1HtH5cLZIL-ЍH=H5"H5LHA1ɄtH5LH5LHH5LHH5HH[A\A]A^A_]H5L)UHAWAVATSHHILuHHEH}H5iH`L=H5LL%H hjHLAL=hH5LؑH ^jHLAL=>H5ǑLH TjHLAL=H5LH5}H FjH߉AH[A\A^A_]ÐUHAWAVATSHHH}HHEH}H5H HIL=ȐL%1HziHLH5LAL=HpiHL~H5LAL=HfiHL~H5pLAL=sH5̇HUiHH5ULALH[A\A^A_]ÐUHSHH}H HEH}H5~~HHt2H=H5=7HfuH?H HLHH[]HHDUHH]UHH ]ÐUHH]UHH]ÐUHSH8HHuHYHEH}HuHH8@HEEECECHCHH8[]ÐUHAVSHHIH5LLuHڠHEH}H5ÉHH[A^]ÐUH]ÐUH]UHHEEGE GE(G]UHAWAVAUATSH8HH5sHjH5cHZHÚH5,|H#|LuGH50H'H5 HH5 HEH=IFHD$IFHD$IFHD$IH$H5{mL=vL%HHHINHL$INHL$INHL$IH $D$ L-+LLIAAL=L%YHH7H.INHL$INHL$INHL$IH $D$ LLIE1AL=L%HHӁHʁINHL$INHL$INHL$IH $D$ LLIE1AEL=9L%HHhH_INHL$INHL$INHL$IH $D$ L-LLIAAL=˄L%<HHHINHL$INHL$INHL$IH $D$ LLIE1AL=gL%HHHIvHt$IvHt$IvHt$I6H4$D$ LLAD¹I1AAE;H53H*HH5xHx H5HH5H{tbL=L%H5HINHL$INHL$INHL$IH $D$ H5X1LIE1AH5~HuH5HtbL=L%cH5LHCINHL$INHL$INHL$IH $D$ H5҂1LIE1AH8[A\A]A^A_]EL=L%HH~H~INHL$INHL$INHL$IH $D$ L-ULLIAAL=2L%HHa~HX~INHL$INHL$INHL$IH $D$ LLIE1AL=΁L%/HH}H}IVHT$IVHT$IVHT$IH$D$ LLIAAhUHH5Q}K}HH HDH]UHAWAVATSHHH=IH5uuH5EwH|LHHLAHUHHLHwLH[A\A^A_]UHAWAVATSHH=<H%{H r {L5tHLtH5H輦H={H 0zHLtH5OH聦H=HE zHLctH5HFH=}H  TzHL(tH5H H=JL=sLsHH LL H$H5 Hff(<H5H藥H=ΔFH yHLysH5H\H=H jyHL>sH5H!H=X (Hf3yHLsH5xHH=! H^xHLrH5H诤H= HfxHLrH56HxH=H xHLZrH5H=H=L%ͅLHL rH5HH=:"H wxHLqH5vHȣH=gL<NHLqH5KH蕣H=̒ HfwHL{qH5H^H=-H lwHL@qH5H#H=jLpH5JrHArH5HH=H5x fwL5{L=dH= H:vH5MLHAH[A\A^A_]ÐUHAWAVAUATSHXHIIH5vLvH5sHTHsLetH5vLf(vH5vLvt{H5L HuH5wLwtPL-{vH5LH5dvLHAIH51LփH=?H5xxrxL}HǓHEL=,vID$HD$ID$HD$ID$HD$I$H$H}f HEHD$HEHD$HEHD$HEH$H}H5uLHAHX[A\A]A^A_]ÐUHH5uuHH HDH]UHSHXHHuHHEHE(HD$HE HD$HEHD$HEH$H}HuHwvHEHD$HEHD$HEHD$HEH$f HHHX[]UHAVSHPHH]HcHEHE(HD$HE HD$HEHD$HEH$H}H5H5$tHtt{LuH=H5vvIFHD$IFHD$IFHD$IH$H}HbHYHEHD$HEHD$HEHD$HEH$:HP[A^]ÐUHAWAVAUATSHDMƉMAHXHE(HD$HE HD$HEHD$HEH$LeH-xLL!xHE(HD$HE HD$HEHD$HEH$H}腞EEMMMM MM(Dm0t=H5΀LŀAD$tX"AD$XaAD$XPA$AD$EAD$EID$HD$ID$HD$ID$HD$I$H$H}HAwL8wEA$EAD$EAD$EAD$Et#A*M\X ND,H=L5vL vL-vHLvA*^ZEH=LuHLu*M^ZEA$EEZXMhAL$pAXL$UZ\xdEH=/H5HH5fH ZEMXZZZdXpZZH5~H~ZhZZxZH5~H~H5sHXsH5~H~HĨ[A\A]A^A_]MSEZAT$pXxMAXL$ZU\hdUHAWAVAUATSHhILHV~H1HH~H5Q~HH~H*ELH$~H1H~H5/~H&~H*MH=H5hhH5~HEM}H5hHhIH5}L}UYUYUUH=8H5ppIL-pLLEMpH5H5x}Lo} EfWUfWLLIpH5bpLYpHEHEEEMMLH|H1H|HMHL$HMHL$HMHL$HMH $H5|H|H5s|Lj|LHh[A\A]A^A_]UHAVSH@HIH5mLmHEHEEMH5lL}lIH5{L{H5#pHpHEHD$HEHD$HEHD$HEH$H5{L{H5fLfH@[A^]UHAWAVATSHHH}HHEH}H5{{HIL=iL%fH!RHLfH5iLHAHRHLfL=iH=ԇH5}{Ht{H5iLHAL=iHQHLjfH5iLHAL=jHQHL@fH5ijLHAL=9hH5{HQH{H5hLAL=jH5'fHQHfH5iLALH[A\A^A_]ÐUHHHA0Ao]ÐUHHo0O]ÐUHHHZA0A1]ÐUHH90]ÐUHHH$A0A]ÐUHH0Ӗ]ÐUHHHA0A赖]ÐUHHͺ0蕖]ÐUHHL]UHHL]UHH]UHH]ÐUHAVSHHH?H<L5,dL#dH,H<LdH H<LcHH<LcH]HHEH}H5ggH[A^]UHAWAVAUATSHHIL=@dH5eLeL%)dH NHLHAL=xL-ЄH5qfLhfH5xLHAH NHLHcL=cH5dLdH NHLHAL=cH5gLgH NHLHAL=xH5hLhH5xHNHAL=lcH5cLcH5RcH NHAH[A\A]A^A_]UHAVSHH}HHEH}H5QwKwHHL5@J<3u2H=H5aaH56cH-cHHLL5J<3u2H=ZH5a}aH5bHbHHL觓L5зJ<3u2H="H5Ca=aH5bHbHHLgL5J<3u2H=H5a`H5vbHmbHHL'HH[A^]ÐUHH5vv]ÐUHAWAVSH8@IHHHcL cHEH5fLftAHhHbLbZ@Zx\Y ZXEEH}L=bLLbE0H}LLvb0XE8\E@EMHEHD$HEHD$HEHD$HEH$蔑u;HEHD$HEHD$HEHD$HEH$H5 uLtH[A^A_]ÐUHH9tH9uH9׹HHD]1]ÐUHSHHH5rHrH5tHHHtH[]ÐUHSHHH=H5`fZfH5tHtZZH}H54`1H)`H5kHkH[]UHH5Wt1Ot]ÐUHAWAVATSHHILuĤHEH}H5-tH$tH5-tH$tH5]qHTqH5aHJHatwH=H5]]H5N_HE_IL%cH5sHsH5tcLHAH5sHLsH5bLLHbH[A\A^A_]ÐUHH=QH52],]]UHAVSH=LHcH cL5e]HLY]H5"H<H=H JcHL]H5HH=~H ecHL\H5HƎ[A^]ÐUHAWAVAUATSHXHH]HE(HD$HE HD$HEHD$HEH$H5rHrIIG$>H5rHyrE9HDEAIE1EB0LcH5]rHLQr=H}HNrHuLArEXEH=}H51r+rH=}H5-c'cH5 rHrH={}L%a4L aIH=Q}L aIH=6}H5[[H5zdHLLkdH5$[H[HMHL$HMHL$HMHL$HMH $H5fiHeH=|H5RqLqIM9HX[A\A]A^A_]ÐUH1]UHHH H=_|H5[E10[]ÐUHH_]ÐUHSH8HH5YpHPptFHEH]H ~HMHHHL$HHHL$HHHL$HH$H}H5ppH8[]ÐUHAWAVAUATSH8HUHH5_^HV^H5O]H>H?]mH5`H_H={H5__IH=y{HJYHAYH5ZHZHHWYHNYIL%4`H5oHoH5o1H1oH5 `LHAH59HL%[LLL[H59L6L-[H=zH5_q_LLHLAH=zHvXHmXIL%CoH5 ]H]H5,oLHLAHHfXH]XH5oHH oHE@ \@XH]H|HUHPHT$HPHT$HPHT$HH$H}H5_HU_H8[A\A]A^A_]H5 ^ \]&UHAWAVAUATSH8LMIIIHE(HD$HE HD$HEHD$HEH$H}HRnLInHADLmH{HEHE(HD$HE HD$HEHD$HEH$H}H5nLLMI nH.ADH8[A\A]A^A_]ÐUHAWAVAUATSH8LMIIIHE(HD$HE HD$HEHD$HEH$H}HmLymHADLmHzHEHE(HD$HE HD$HEHD$HEH$HE0HD$ H}H56mLLMI$mHUADH8[A\A]A^A_]UHAVSHPHIH]HTzHEHE(HD$HE HD$HEHD$HEH$H}HuHllH<usHEHHHHL$HHHL$HHHL$HH$H5SlMlEf(\Zf.v#Z\EY ZXEEEAEAFEAFEAFLHP[A^]ÐUHSHH}HTyHEH}H5%UUHHt2H=vH5IhChHuH?H HLHH[]HHDUHHU]UHHE]ÐUHH;]UHH+]ÐUHSH8HHuHxHEH}HuHggH8@HEEECECHCHH8[]ÐUHAVSHHIH5fLfLuHxHEH}H5`H`H[A^]ÐUH]ÐUH]UHHEEGE GE(G]UHAWAVAUATSH8HH5ZHvZH5ofHffHqH58SH/SLuyH5L%\L\HLHH5HzH=jH QNHLHH5HzH=L(\HLHH5HozH=j HfNHLUHH5VH8zH=OjH FNHLHH5HyH=$jLGH5$IHIH5HyH=H5N ^fNL5U[L%H=i HMH5'[LHAHGL5iH=iH5FFH5FLHHH={iLFIL=GH5FH3HFH5FLHAH5RHxH[A\A^A_]ÐUHAWAVAUATSHhHH5NHNHLuIH5MLLH5JH+HItH5LLf(LH5LLLt*L%LH5_ZHVZH5LLHAIH=4hH5NMIANH5MfLMH5M LhMLHMHML-MINHL$INHL$INHL$IH $H}HMHMH +&HQHT$8HQHT$0HQHT$(H HL$ HMHL$HMHL$HMHL$HMH $H5nMLAH5dML[MLH!MHMHh[A\A]A^A_]ÐUHAVSH`HIH]H4iHEHE(HD$HE HD$HEHD$HEH$H}HuHLLEEH5OLHFLH5JHJf.EvEXEEXEAEAFEAFEAFLH`[A^]ÐUHH5JJH>H /HDH]UHSHxHHuH/hHEHE(HD$HE HD$HEHD$HEH$H}HuHL LEX&EHEHD$HEHD$HEHD$HEH$H}*ftEMU]SKCHHx[]UHAWAVAUATSH8HEXE EL5IL=?H5VHVH5hILHAHEH=dH5JJIM(H5JfLJH5J  L{JH5JL{JH=H5-K'KH5JHIM(Y (Z?tMX MfH]L="IGHD$IGHD$IGHD$IH$X|ZML%pIH}LEиH4NIH=cH5IzIIKH5{IfLnIH5wI L^IHgILH[IIOHL$IOHL$IOHL$IH $M\ H}LEиHHH53IL*ILHHH5ILIH5HLHH8[A\A]A^A_]HH!HHHL$HHHL$HHHL$HH$XZH5HH}EGtUHAVSHPHH]HdHEHE(HD$HE HD$HEHD$HEH$H}H5SSH5*FH!Ft{LuH=*H5HHIFHD$IFHD$IFHD$IH$H}HhSH_SHEHD$HEHD$HEHD$HEH$@qHP[A^]ÐUHAWAVAUATSH8HLuHYPLHMPH5FVH=VIH5DHDH53VH*V3 H5;VH2VHEH5CHCH5'BHBIH=aH5 VVMuuH5VHVuH5UHUH5QGHHGIFHD$IFHD$IFHD$IH$pH5QH|QIL-bKH=*oH5OKLHAՄH5GQH>QH5BHBH57AH.AHdHH5QHPH5BHBIH5A1LAH92MfLd$MfLd$MfLd$M&L$$D$ L%ZHLLIE1>HIFHD$IFHD$IFHD$IH$D$ LLIAGH5.PH%PH5GHGL%G IFHD$IFHD$IFHD$IH$D$ L-GLLIAAMfLd$MfLd$MfLd$M&L$$D$ LLIE13GM~L|$M~L|$M~L|$M>L<$D$ H}LI1AFM~L|$M~L|$M~L|$M>L<$D$ L=FLeLLIE1FIFHD$IFHD$IFHD$IH$D$ ALL>LH5NNH98IFHD$IFHD$IFHD$IH$D$ L%FLLIE1EIFHD$IFHD$IFHD$IH$D$ LLIAEH5MHMH5sEHjEHEINHL$INHL$INHL$IH $D$ L%JEE1LLIE1IFHD$IFHD$IFHD$IH$D$ LLIADM~L|$M~L|$M~L|$M>L<$D$ L}LLIE1DIFHD$IFHD$IFHD$IH$D$ LLDIEXDM~L|$M~L|$M~L|$M>L<$D$ H5'D1AH}йI DH5ALH8LH5CHCHCINHL$INHL$INHL$IH $D$ L%CLLIE1IFHD$IFHD$IFHD$IH$D$ LLIE1JCIFHD$IFHD$IFHD$IH$D$ ALLIABIFHD$IFHD$IFHD$IH$D$ LLIABIFHD$IFHD$IFHD$IH$D$ L}LLIEfBINHL$INHL$INHL$IH $D$ LL‰IE!BINHL$INHL$INHL$IH $D$ L%AALLIE1IFHD$IFHD$IFHD$IH$D$ LLIE1AIFHD$IFHD$IFHD$IH$D$ LLIEAAIFHD$IFHD$IFHD$IH$D$ LLIE@M~L|$M~L|$M~L|$M>L<$D$ L}LLIE1@IFHD$IFHD$IFHD$IH$D$ LL‰IGHIIFHD$IFHD$IFHD$IH$D$ L%4@E1LLIE1@IFHD$IFHD$IFHD$IH$D$ LLIE1?IFHD$IFHD$IFHD$IH$D$ LLIA?IFHD$IFHD$IFHD$IH$D$ LL¹IA>?INHL$INHL$INHL$IH $D$ L}LLIE1>INHL$INHL$INHL$IH $D$ LLIE1>INHL$INHL$INHL$IH $D$ LLDDIظAg>INHL$INHL$INHL$IH $D$ LLDDIظA >AFf.v2IFHD$IFHD$IFHD$IH$H5gJH^JH8[A\A]A^A_]H5IHIIFHD$IFHD$IFHD$IH$D$ L-=LLIAAMfLd$MfLd$MfLd$M&L$$D$ LLIE1'=MfLd$MfLd$MfLd$M&L$$D$ H}LIظINHL$INHL$INHL$IH $D$ L%<E1LLIE1IFHD$IFHD$IFHD$IH$D$ LLIAH<IFHD$IFHD$IFHD$IH$D$ L}LLIA;IFHD$IFHD$IFHD$IH$D$ ZUHAWAVAUATSHHH<HH5CHCH5p;Hg;LHH=RHE,HH5GH0AHEH5JCHACH53HH3uH5CHCHEH=[RH/H/H$1HH1HH/H/IH5[L>L%q2H=RH555L-V2LLHLAH5L>L%62H=QH566LLHLAH=QH.H.HHh0HH/H/HH5+6f H6L=BH=PQH5>>H5tBHcBH5lBHHAH5THLLHZ1H=QHL.HC.H5EHHUL EHHR.HI.HHE@E@EH}HE1HMEEYEYEXEZ YMM`ZEӲYEXEEZ_ZH5pEHEbEHH[A\A]A^A_]HE,HD,@H=OH5EH0EHE,HUHSHH}HQHEH}H5q-k-HHt2H=OH5@@HuH?H HLHH[]HHDUHSH8HHuH-QHEH}HuH:@4@H6@HEEECECHCHH8[]ÐUHAVSHHIH52?L)?LuHPHEH}H5_9HV9H[A^]ÐUHAWAVAUATSHHHL57L=HE(HD$HE HD$HEHD$HEH$H}f |]HEHD$HEHD$HEHD$HEH$H56LAL56L= HH2H2HM(HL$HM HL$HMHL$HMH $D$ L%G6LLIAAL5$6L=HHS2HJ2HM(HL$HM HL$HMHL$HMH $D$ LLIAAL55L=EHH1H1HM(HL$HM HL$HMHL$HMH $D$ LLʹIAAL5R5L=HH1Hx1HU(HT$HU HT$HUHT$HUH$D$ LLADIAAL54L=oHH1H 1HU(HT$HU HT$HUHT$HUH$D$ ALLAD¹IE1AL5w4L=HH0H0HU(HT$HU HT$HUHT$HUH$D$ LLADDIAHH[A\A]A^A_]ÐUHSH(HHE(HD$HE HD$HEHD$HEH$f OtZHH([]UHAVSHH=.KH.HT .L5(HL{(H5H^ZH=JH Ҭl.HL@(H5H#ZH=JH 1.HL(H5HYH=oJH \-HL'H5{HYH=H5ZTIL-3H53L3H53LHAIH53LH3H3H53L3H53LHH#H53L3H5#LHH3H==H5**H53LHH3H53L3H53LHH5LH[A\A]A^A_]ÐUHAWAVAUATSHUH===H5$$H5$H$EH==H5 H5HwH5 HHH5 H* t H5 !H H5.H.H=<L5!.L.IL%..LLff.L-#.LLf .ZEE^EXZLLz-LLff-H= <L-I^EZELLfMr-LL Mi-LL M-LLfM8-ĒH=;H5H52,ʞH!,H5Z!HQ!H5j1La1H=:H5c1LR1H5,H,HH[A\A]A^A_]H5((H5+H+L% HL L-0LL0H=L LL0rUHHHeHu H]H}H<HEH}H500ؐUHAWAVAUATSHH=.:H?0o oHl0IH=9T THQ/IH=9L%LL- HLLLH5HHH=9 Hq/IH=O9ߝ ߝߝH>/IH=49LHLLLYH5HHH=8 H0.IH=8p pHM.IH=8LdHLLLH5HGH=T8 HC.IH=!8 H.IH=8LHLLL+H5 HFH=7 HR-IH=7 Hy-IH=o7L6HLLLH5eHWFH=&7F FH-IH=6# #HЛ,IH=6LHLLLH5֖HEH=6ϛ ϛϛH$~,IH=\6 HK,IH=A6LHLLLfH5H)EH=6LH5PHGH5HDL5L=ҕH=5H5\VH5_HV N^H5fLAL5R&L=H=l5H5""H5 &xH&H5&LHAH=05 HuŖ+H58H/H5HDH[A\A]A^A_]ÐUHAVSHpHIH]H|6HEHE(HD$HE HD$HEHD$HEH$H}HuH++EXCEHOHuEX EH=-4H5H5HZZ f.w f.jvoH5yHpHMHL$HMHL$HMHL$HMH $H}HHEEEEEEEEEAEAFEAFEAFLHp[A^]UHH?HH)u H5)1]H5)UHAWAVSH(HHHu+H]H4HEH}H5H([A^A_]H=2H5H5,H#H5HIL=H]HV4H]H}H5yH5LHAH:H HpH5AL8L^UHAWAVAUATSHHIH=2H5H5HHE(HD$HE HD$HEHD$HEH$HXH%L%HpHD$HhHD$H`HD$HXH$Z!^ZHxf(?@HEHD$HEHD$HEHD$HxH$H}f(@Z f.wf.dcHpHD$HhHD$H`HD$HXH$H8L=HL8X@`HhPpHEHD$HEHD$HEHD$HxH$HHLDx E(E0EHEHD$HEHD$HEHD$HEH$HHLEEEEYpH=|/HpHD$HhHD$H`HD$HXH$H%Hf(%I^YEH="/HEHD$HEHD$HEHD$HxH$Hf(?%IYEH=.HEHD$HEHD$HEHD$HEH$Hf($H H AHdH=L-$LL$H=LL$H=LHސx$H5$L$H5$HUHMLELMHx$Ef. f.H=-H5#m mm=#H5HH=-H5! !H=-H5 H5! H H5#L#H=c-H5  H[A\A]A^A_]H=EL-^#LLJ#H=+LL/#H=UHAVSHH}H.HEHE(HD$HE HD$HEHD$HEH$H}H5HHtoH52#H$#H}L5HLEEH}HLE^EEf.EHPtwHHĀ[A^]UHH=IH5rlfXX]UHH=H5HBfXXr]UHAWAVAUATSHHxL5+H=+H5SMH5VLHHH=+HMHDIL=ZL%CHHL0L-9LLHAH5H@:H=G+HHIL=HHLLLHAH5_H9H=*HHIL=HWHLLLHAH5H9H=*HRHIIL=_H(HL<LLHAH5HS9H=Z*HHIL=HHLLLHAH5*H9H= *HHIL=HHLLLHAH5H8H=)HeH\IL=rHHLOLLHAH5Hf8H=m)HH IL=#HlHLLLHAH5H8H=)HHIL=H=HLLLHAH5FH7H=(HxHoIL=HHLbLLHAH5׈Hy7H=(H)H IL=6HHLLLHAH5H*7H=1(HHIL=HHLLLHAH5)H6H='H5 ; ; H5HH5ƇH6H=H H MH=ۇH XMMH=H XMX ÈZgH=Hw EH=Hb XEEH=yHH XE kXMZ H[A\A]A^A_]ÐUHAWAVATSH@HHIIHUHHHZHPHjH_nA<HsHL%_LLHLL4 \f\\XH@HL{HmA<PH52L)YZ4 _ZP\@H5LZYZ74ZXZZfXAAGAGAGHL%LLH LLz0\\f\XAAOAGAOHH@[A\A^A_]L5AAANAOANAOANH`L%LLH}LL{H}LLfHkA<eX%`XpZZ\fxAAOAgAWH}HLH#kA<ee\fUHAHAOHAOHAOHuHLLvXH52L)YZ1 _ZX\HH5 L ZYZ71ZXZZfPxU\\UXhZZfpT U\fe5UHAWAVSH8HIILuH#HEH}HuH0H'HLLHLH8[A^A_]ÐUHSHHHH}HHHi<tZH=iH5ZHKHEHD$HEHD$HEHD$HEH$AEE1a/HH[]H='H5H HEHD$HEHD$HEHD$HEH$A1E1 /UHSHHHH}HHH(h<tZH=[H54HEHEHD$HEHD$HEHD$HEH$AgE1.HH[]H=H5 HHEHD$HEHD$HEHD$HEH$A1E1,.UHSHHH=H593H}Hh H_ HEHD$HEHD$HEHD$HEH$-Hg<H}H H EX]XmXeZ ~f.vCH5PHGH5PHGff.H5BH9H}f<uyH}H H SM\\X Zr~f.v:H5HH5Hff.vH5HHĈ[]UHAVSH`H}H~HEH}H5 HHtoH5:H,H}L5 HL EEH}HL E^EE~f.EHXewHH`[A^]UHAWAVSHHH=IH5H5UHLH5HIL=H]HHEH}H5H5LHAH[HL=qH=H5H5VLHHAH=H5HHH=L=uWH5C}5H5LHHAHHH|H5LLH[A^A_]H5<}.UHH=!H5H5 HH5M|H*H=>|H5f C}]ÐUHAVSHHH}H)HEH}H5HHIt-HH/H5HH5LHLH[A^]UHH%e0*]ÐUHSHHHeH<H5H]HHEH}H5H[]ÐUHAWAVSHHdHH9Ht8IH5HL=dH5LHHLj)HkdH<Ht>H5Htu&HCdHH58H/H[A^A_]L5H=NH5H5HH5HHA븐UHAWAVSHHILuHhHEH}H5IH@L=YH5LyH5BH KHHAH[A^A_]ÐUHAVS1'H1H'H'IH'H5!L[A^]ÐUHHH8H5-'H50H']ÐUHHH8H5H5H]ÐUHHgH8H5H5H]ÐUHH3H8H5H5H]ÐUHHH8H5]WH5`HW]ÐUHSHHH5HHHH5HH[]ÐUHAVSHHH}HHEH}H5HHIt-HHH5HH5LHLH[A^]UHHHdE1A0j&]UHHcH]ÐUHSHHHcH<H5>8H]HHEH}H5H[]ÐUHAWAVSHHHL5yH=BH5[UIH}HHHEHD$HEHD$HEHD$HEH$H5$HLAHH[A^A_]UHAWAVAUATSHHHeH5~Huu\H=H5  IL= L% L-}H5^ HU H5n LHAH5n LHAH[A\A]A^A_]UHAWAVSHHILuHpHEH}H5IH@L=YH5 L H5BH kHHAH[A^A_]ÐUHAWAVATSHHH=H5H5yHpH5HIL=H]HHEH}H5H5LHAHHL=H=NH5w q L%zLLHHAHlHL=ZH=H5LLHHALH[A\A^A_]UH]ÐUH]UH]UHAWAVATSHHH}HHEH}H5^HUHI L= L%KHHL8H5 LHAL= HHLH5 LHAL= HHLH5m LHAL=m HHLH5S LHAL=S HHLH59 LHAL=9 L%HHLH5 LAL= HHLeH5 LAL= HHL;H5 LAL= HHLH5 LAL= L% HHL H5 LAL= HHL H5 LAH5 L Hu'H=H5)#H5 LH H5 L Hu'H=dH5M G H5 LH H5] LT Hu'H=(H5  H5d LHX H51 L( Hu'H=H5UOH58 LH, H5 L Hu'H=H5H5 LH LH[A\A^A_]UHH5cH]ÐUHH+cH]ÐUHH!cH]ÐUHHcH]ÐUHH cH]ÐUHHc]UHHb]UHHb]UHHb]UHHb]UHHb]ÐUHHb]UHHb]ÐUHHb]UHHb]ÐUHH}b]UHHmb]ÐUHAVSHHHbH<L5LHaH<LHaH<LHaH<LHaH<LmH]H HEH}H53-H[A^]UHAWAVSHHaHH9tPHIH5HL=ZaH5HHLLH5uLgH[A^A_]UHAWAVSHHaHH9tPHIH5HL=`H5{HrHLL\H5LH[A^A_]UHAWAVSHHx`HH9tPHIH5*H!L=R`H5HHLLH5LwH[A^A_]UHAWAVSHH_HH9tPHIH5HL=_H5HHLLlH5 LH[A^A_]UHAWAVSHH_HH9tPHIH5:H1L=j_H5H HLLH5LH[A^A_]UH]ÐUHAWAVAUATSH(H=_<HH1_<thH^H<H5YSHHH|HHD$HHD$HHD$HH$H^<H= H5$H o^Z H5HIL=HXHHHpHD$HhHD$H`HD$HXH$D$ H51ALIAH]<H= H5nhH ]Z H5HIL=2H}H7H.HEHD$HEHD$HEHD$HEH$D$ H51ALIAH([A\A]A^A_]H=E H5f`H \H H \H H5HIL=pHHHyHHD$HHD$HHD$HH$H5#lLAH5.L%Ha\L4L=HL%HLH0HD$H(HD$H HD$HH$D$ L-LLIAAH= H5H [Z H5HIL=PH8HLMHPHD$HHHD$H@HD$H8H$D$ LLIظAAdH:[L4L=HxL%HLHEHD$HEHD$HEHD$HxH$D$ L-LLIAAH=H5f`H ZZ H5HIL=*H}HL*HEHD$HEHD$HEHD$HEH$D$ LLIظAAUHAWAVATSHHILuHb HEH}H5+H"L=;H5LL%$H mHLHAL= H5LH cHLHAL=H5LH YHLHAL=H5LH OHLHAL=H5LH EHLHAL=H5{LrL%hH 1HLAL=QH5ZLQH 'HLAL='H5@L7H HLAL=H5&LH HLAL=#H5 LL% HHLAL=H5LHHLAH[A\A^A_]UHH5H5H]UHAVSIH5_LVH5HljH5L[A^]UHH5H5Hy]UHAVSIH5LH5aHljVH5Lq[A^]UHH5H54H+]ÐUHAVSHIH5L{H5$HHH5L[A^]UHH5C=H56H-]UHAVSIH5L H55Hlj*H5L[A^]UHH5H5hH_]ÐUHAVSHIH5LH5HHH<H55L'[A^]UHH5gaH5H]ÐUHAVSHIH5:L1H5HHH5L[A^]UHH5H5H]ÐUHAVSHIH5LH5HHH5YLK[A^]UHAWAVATSHHH}HIHEH}H5HHIL=L%HHLH5LAL=}HHLH5`LAL=#HHL`H5LAL=yL%HHLH5XLHAL=HHLH5~LHAL=HwHLH5LHAL=HmHLH5LHAL= HcHLWH5LHAH5LwHu'H={H5H5wLHkH5TLKHu'H=?H5H5;LH/H58L/Hu'H=H5\VH5LHH5LHu'H=H50*H5LHH5LtHH5E1fL6LH[A\A^A_]UHHKY]ÐUHHQYH]ÐUHH/Y]UHHY]ÐUHHH:YE10E1]ÐUHHYH]ÐUHHHYAE10L]UHHX0-]ÐUHHXH]ÐUHHXH]ÐUHHX]ÐUHHXH]ÐUHAWAVSHHbXHH9tKHIH5HL=HLHAL=H5LH 4HLHAL=H5LH *HLHAH[A\A^A_]ÐUHH1sysHuR2sysHuD} t1H]Ã}%L%N%P%R%T%V%X%Z%\%^%`%b%d%f%h%j%l%n%p%r%t%v%x%z%|%~%%H=RtLQAS%AHZhL|hLrh*Lhh>L^hXLThvLJshL@ahL6OhL,=hL"+hLhLh)Lh?LhTLhjLh}LܭhLҭhLȭhLwhLehLShLAhL/hLh8L hQLxhjLnorderFrontColorPanel:bundleForClass:allocinitWithContentsOfFile:autoreleasesharedApplicationtoolTippaletteLabelitemIdentifierToolbarItemColors.tiffBWToolbarShowColorsItemColorsShow Color PanelorderFrontFontPanel:#A:16@0:8targetlabelToolbarItemFonts.tiffBWToolbarShowFontsItemFontsShow Font PaneltoggleActiveView:windowDidResize:selectInitialIteminitialSetupibDidAddToDesignableDocument:retainsetDocumentToolbar:setHelper:setEnabledByIdentifier:documentToolbarencodeObject:forKey:helper_defaultItemIdentifiersarrayWithObjects:isEqualToArray:initWithIdentifier:setEditableToolbar:performSelector:withObject:afterDelay:_windowsetShowsToolbarButton:setAllowsUserCustomization:toolbarIndexFromSelectableIndex:switchToItemAtIndex:animate:indexOfObject:parentOfObject:childrenOfObject:countByEnumeratingWithState:objects:count:editableToolbarsetInitialIBWindowSize:defaultCenteraddObserver:selector:name:object:itemssetObject:forKey:setItemSelectorsselectItemAtIndex:contentViewsetContentViewsByIdentifier:windowSizesByIdentifiervalueWithSize:setWindowSizesByIdentifier:objectAtIndex:setSelectedItemIdentifier:setSelectedIdentifier:dictionaryWithObject:forKey:postNotificationName:object:userInfo:setTarget:removeObserver:name:object:deallocnumberWithBool:objectForKey:boolValuenewselectableItemIdentifierssetIsPreferencesToolbar:titleselectedItemIdentifiersetTitle:oldWindowTitlearraymakeFirstResponder:initWithFrame:addObject:toParent:copymoveObject:toParent:addSubview:identifierAtIndex:bwResizeToSize:animate:sizeValueremoveObject:recalculateKeyViewLoopBWSelectableToolbar 5 v24@0:8i16c20setSelectedIndex:i16@0:8labelstoolbarSelectableItemIdentifiers:@24@0:8@16toolbar:itemForItemIdentifier:willBeInsertedIntoToolbar:@36@0:8@16@24c32toolbarAllowedItemIdentifiers:toolbarDefaultItemIdentifiers:validateToolbarItem:c24@0:8@16setEnabled:forIdentifier:v28@0:8c16@20setSelectedItemIdentifierWithoutAnimation:@20@0:8i16i20@0:8i16selectFirstItemawakeFromNib@"BWSelectableToolbarHelper"itemIdentifiers@"NSMutableArray"itemsByIdentifierinIBiT@"NSMutableArray",R,PenabledByIdentifierT@"NSMutableDictionary",C,VenabledByIdentifier,PTc,VisPreferencesToolbarT@"BWSelectableToolbarHelper",&,Vhelper,PBWSTDocumentToolbarBWSTHelperBWSTIsPreferencesToolbarBWSTEnabledByIdentifierNSToolbarFlexibleSpaceItemNSToolbarSpaceItemNSToolbarSeparatorItem7E6A9228-C9F3-4F21-8054-E4BF3F2F6BA80D5950D1-D4A8-44C6-9DBC-251CFEF852E2BWClickedItemBWSelectableToolbarItemClickedBWSelectableToolbarHelperIBEditableBWSelectableToolbaraddBottomBarsetContentBorderThickness:forEdge:contentBorderThicknessForEdge:isSheetBWAddRegularBottomBar{CGRect={CGPoint=dd}{CGSize=dd}}16@0:8BWRemoveBottomBarsetBackgroundStyle:BWInsetTextField!BWTransparentButton!classpathForImageResource:whiteColorisHighlightedisEqualToString:bwTintedImageWithColor:drawTitle:withFrame:inView:_textAttributesaddEntriesFromDictionary:NSActionTemplateBWTransparentButtonCell"{CGRect={CGPoint=dd}{CGSize=dd}}64@0:8@16{CGRect={CGPoint=dd}{CGSize=dd}}24@56v64@0:8@16{CGRect={CGPoint=dd}{CGSize=dd}}24@56drawBezelWithFrame:inView:TransparentButtonLeftN.tiffTransparentButtonFillN.tiffTransparentButtonRightN.tiffTransparentButtonLeftP.tiffTransparentButtonFillP.tiffTransparentButtonRightP.tiffBWTransparentCheckboxcolorWithCalibratedWhite:alpha:interiorColorisInTableViewboldSystemFontOfSize:isMemberOfClass:graphicsPortbackgroundStyledrawInteriorWithFrame:inView:BWTransparentCheckboxCelldrawImage:withFrame:inView:c16@0:8TransparentCheckboxOffN.tiffTransparentCheckboxOffP.tiffTransparentCheckboxOnN.tiffTransparentCheckboxOnP.tiffBWTransparentPopUpButton!pullsDownsizesetScalesWhenResized:transformtranslateXBy:yBy:scaleXBy:yBy:concatimageRectForBounds:drawInRect:fromRect:operation:fraction:invertimagePositionalignmentsystemFontOfSize:BWTransparentPopUpButtonCellQ16@0:8{CGRect={CGPoint=dd}{CGSize=dd}}48@0:8{CGRect={CGPoint=dd}{CGSize=dd}}16v56@0:8{CGRect={CGPoint=dd}{CGSize=dd}}16@48TransparentPopUpFillN.tiffTransparentPopUpFillP.tiffTransparentPopUpRightN.tiffTransparentPopUpRightP.tiffTransparentPopUpLeftN.tiffTransparentPopUpLeftP.tiffTransparentPopUpPullDownRightN.tifTransparentPopUpPullDownRightP.tifBWTransparentSlidersetTickMarkPosition:numberOfTickMarksrectOfTickMarkAtIndex:knobRectFlipped:startTrackingAt:inView:stopTracking:at:inView:mouseIsUp:BWTransparentSliderCellv60@0:8{CGPoint=dd}16{CGPoint=dd}32@48c56c40@0:8{CGPoint=dd}16@32{CGRect={CGPoint=dd}{CGSize=dd}}20@0:8c16v52@0:8{CGRect={CGPoint=dd}{CGSize=dd}}16c48isPressedTransparentSliderTrackLeft.tiffTransparentSliderTrackFill.tiffTransparentSliderTrackRight.tiffTransparentSliderThumbP.tiffTransparentSliderThumbN.tiffTransparentSliderTriangleThumbN.tiffTransparentSliderTriangleThumbP.tiffsplitView:resizeSubviewsWithOldSize:splitViewWillResizeSubviews:splitViewDidResizeSubviews:splitView:constrainSplitPosition:ofSubviewAt:splitView:canCollapseSubview:splitView:shouldHideDividerAtIndex:resizeAndAdjustSubviewsrestoreAutoresizesSubviews:animationEndedsetCollapsibleSubviewCollapsedHelper:setMinSizeForCollapsibleSubview:initWithStartingColor:endingColor:setFlipped:setColor:setColorIsEnabled:setMinValues:setMaxValues:setMinUnits:setMaxUnits:decodeIntForKey:setCollapsiblePopupSelection:setDividerCanCollapse:encodeWithCoder:colorcolorIsEnabledminValuesmaxValuesminUnitsmaxUnitscollapsiblePopupSelectiondividerCanCollapsemainScreenuserSpaceScaleFactordividerThicknessdrawSwatchInRect:drawDividerInRect:drawGradientDividerInRect:centerScanRect:isVerticaldrawDimpleInRect:convertRectToBase:convertRectFromBase:subviewscountsubviewIsCollapsible:isSubviewCollapsed:collapsibleSubviewsubviewIsCollapsed:collapsibleSubviewIndexinvalidateCursorRectsForView:setCollapsibleSubviewCollapsed:bwShiftKeyIsDownhasCollapsibleSubviewhasCollapsibleDividersetState:mutableCopynumberWithInt:removeObjectForKey:setAutoresizesSubviews:intValuesetToggleCollapseButton:cellsetHighlightsBy:setShowsStateBy:subviewIsResizable:autoresizesSubviewssetHidden:collapsibleSubviewCollapsedremoveMinSizeForCollapsibleSubviewbeginGroupingcurrentContextanimationDurationsetDuration:animatorsetFrameSize:endGroupingframemouseDown:isKindOfClass:collapsibleDividerIndexsetNeedsDisplay:subviewMaximumSize:subviewMinimumSize:clearPreferredProportionsAndSizescollapsibleSubviewIsCollapsedautoresizingMaskfloatValuearrayWithCapacity:dictionarynumberWithFloat:addObject:setResizableSubviewPreferredProportion:setNonresizableSubviewPreferredSize:setStateForLastPreferredCalculations:nonresizableSubviewPreferredSizeallKeysrecalculatePreferredProportionsAndSizesvalidatePreferredProportionsAndSizescorrectCollapsiblePreferredProportionOrSizevalidateAndCalculatePreferredProportionsAndSizesdictionaryWithCapacity:allValuesinitWithKey:ascending:arrayWithObject:sortUsingDescriptors:setFrame:setDividerStyle:blackColorBWSplitViewsetCheckboxIsEnabled:setSecondaryDelegate:secondaryDelegatecheckboxIsEnabledd20@0:8i16resizableSubviewsd40@0:8@16d24q32c40@0:8@16@24q32{CGRect={CGPoint=dd}{CGSize=dd}}32@0:8@16q24c32@0:8@16q24toggleCollapse:@"NSColor"@"NSArray"uncollapsedSizef@"NSButton"isAnimatingT@,VsecondaryDelegate,PtoggleCollapseButtonT@"NSButton",&,VtoggleCollapseButton,PstateForLastPreferredCalculationsT@"NSArray",&,VstateForLastPreferredCalculations,PT@"NSMutableDictionary",&,VnonresizableSubviewPreferredSize,PresizableSubviewPreferredProportionT@"NSMutableDictionary",&,VresizableSubviewPreferredProportion,PTc,VcollapsibleSubviewCollapsedTc,VdividerCanCollapseTi,VcollapsiblePopupSelectionT@"NSMutableDictionary",&,VmaxUnits,PT@"NSMutableDictionary",&,VminUnits,PT@"NSMutableDictionary",&,VmaxValues,PT@"NSMutableDictionary",&,VminValues,PTc,VcheckboxIsEnabledTc,VcolorIsEnabledT@"NSColor",C,Vcolor,PBWSVColorBWSVColorIsEnabledBWSVMinValuesBWSVMaxValuesBWSVMinUnitsBWSVMaxUnitsBWSVCollapsiblePopupSelectionBWSVDividerCanCollapseselfGradientSplitViewDimpleBitmap.tifGradientSplitViewDimpleVector.pdfsetSliderToMaximumsetSliderToMinimuminitWithCoder:decodeObjectForKey:setMinButton:setMaxButton:indicatorIndexencodeInt:forKey:minButtonmaxButtontrackHeightsetTrackHeight:minValuesetDoubleValue:actionsendAction:to:maxValuehitTest:convertPoint:fromView:setFrameOrigin:drawWithFrame:inView:boundsremoveFromSuperviewsetBordered:setImage:setAction:setEnabled:doubleValuedeltaYdeltaXsetFloatValue:setShowsFirstResponder:becomeFirstResponderresignFirstResponderBWTexturedSlider!bscrollWheel:v20@0:8c16setIndicatorIndex:v20@0:8i16@32@0:8{CGPoint=dd}16sliderCellRect{CGRect="origin"{CGPoint="x"d"y"d}"size"{CGSize="width"d"height"d}}T@"NSButton",&,VmaxButton,PT@"NSButton",&,VminButton,PTi,VindicatorIndexBWTSIndicatorIndexBWTSMinButtonBWTSMaxButtonTexturedSliderSpeakerQuiet.pngTexturedSliderSpeakerLoud.pngTexturedSliderPhotoSmall.tifTexturedSliderPhotoLarge.tifcompositeToPoint:operation:BWTexturedSliderCellv16@0:8_usesCustomTrackImagedrawKnob:v48@0:8{CGRect={CGPoint=dd}{CGSize=dd}}16drawBarInside:flipped:setNumberOfTickMarks:v24@0:8q16controlSizeTi,VtrackHeightBWTSTrackHeightTexturedSliderTrackLeft.tiffTexturedSliderTrackFill.tiffTexturedSliderTrackRight.tiffTexturedSliderThumbP.tiffTexturedSliderThumbN.tiffBWAddSmallBottomBarsplitView:shouldCollapseSubview:forDoubleClickOnDividerAtIndex:splitView:effectiveRect:forDrawnRect:ofDividerAtIndex:splitView:constrainMaxCoordinate:ofSubviewAt:splitView:constrainMinCoordinate:ofSubviewAt:splitView:additionalEffectiveRectOfDividerAtIndex:initWithColorsAndLocations:setIsResizable:setIsAtBottom:setHandleIsRightAligned:isResizablesplitViewdelegatesplitViewDelegatesetSplitViewDelegate:setDelegate:bwBringToFrontdrawInRect:angle:drawResizeHandleInRect:withColor:drawLastButtonInsetInRect:classNamesetIsAtLeftEdgeOfBar:setIsAtRightEdgeOfBar:isInLastSubviewlastObjectdividerIndexNearestToHandlerespondsToSelector:adjustSubviewsBWAnchoredButtonBarwasBorderedBar!{CGRect={CGPoint=dd}{CGSize=dd}}96@0:8@16{CGRect={CGPoint=dd}{CGSize=dd}}24{CGRect={CGPoint=dd}{CGSize=dd}}56q88c32@0:8@16@24v40@0:8@16{CGSize=dd}24q16@0:8viewDidMoveToSuperviewdrawRect:@48@0:8{CGRect={CGPoint=dd}{CGSize=dd}}16c@T@,VsplitViewDelegate,PhandleIsRightAlignedTc,VhandleIsRightAlignedTc,VisResizableisAtBottomTc,VisAtBottomselectedIndexTi,VselectedIndexBWABBIsResizableBWABBIsAtBottomBWABBHandleIsRightAlignedBWABBSelectedIndexBWAnchoredButtonBWAnchoredPopUpButton!0isAtRightEdgeOfBartopAndLeftInset{CGPoint="x"d"y"d}Tc,VisAtRightEdgeOfBarTc,VisAtLeftEdgeOfBarisAtLeftEdgeOfBarsetShadowColor:highlightRectForBounds:titleRectForBounds:namesetSize:showsStateByimageColorsetTemplate:BWAnchoredButtonCellbezierPathsetLineWidth:moveToPoint:lineToPoint:strokev72@0:8i16i20{CGRect={CGPoint=dd}{CGSize=dd}}24@56c64c68BWAdditionsbestRepresentationForDevice:pixelsWidepixelsHighinitWithSize:rotateByDegrees:drawInRect:bwRotateImage90DegreesClockwise:@20@0:8c16initunarchiveObjectWithData:setOldWindowTitle:decodeSizeForKey:contentViewsByIdentifierarchivedDataWithRootObject:selectedIdentifierinitialIBWindowSizeencodeSize:forKey:encodeBool:forKey:0v24@0:8@16v32@0:8{CGSize=dd}16{CGSize=dd}16@0:8@"NSMutableDictionary"{CGSize="width"d"height"d}isPreferencesToolbarT{CGSize="width"d"height"d},VinitialIBWindowSizeT@"NSString",C,VoldWindowTitle,PT@"NSString",C,VselectedIdentifier,PT@"NSMutableDictionary",C,VwindowSizesByIdentifier,PT@"NSMutableDictionary",C,VcontentViewsByIdentifier,PBWSTHContentViewsByIdentifierBWSTHWindowSizesByIdentifierBWSTHSelectedIdentifierBWSTHOldWindowTitleBWSTHInitialIBWindowSizeBWSTHIsPreferencesToolbarsetFrame:display:animate:styleMaskbwIsTexturedv36@0:8{CGSize=dd}16c32bwTurnOffLayersortSubviewsUsingFunction:context:durationsetWantsLayer:bwAnimatoraddTableColumn:dataCellsetDataCell:usesAlternatingRowBackgroundColorsdrawBackgroundInClipRect:rowsInRect:selectedRowIndexescontainsIndex:rectOfRow:setCompositingOperation:restoreGraphicsStateBWTransparentTableViewcellClass#16@0:8!uhighlightSelectionInClipRect:_highlightColorForCell:_alternatingRowBackgroundColorsbackgroundColorNSTextFieldCellattributedStringValueattributesAtIndex:effectiveRange:initWithString:attributes:setAttributedStringValue:drawingRectForBounds:cellSizeForBounds:selectWithFrame:inView:editor:delegate:start:length:editWithFrame:inView:editor:delegate:event:BWTransparentTableViewCellv80@0:8{CGRect={CGPoint=dd}{CGSize=dd}}16@48@56@64@72v88@0:8{CGRect={CGPoint=dd}{CGSize=dd}}16@48@56@64q72q80mIsEditingOrSelecting!0drawArrowInFrame:drawAtPoint:fromRect:operation:fraction:isEnabledtextColorimageisTemplateBWAnchoredPopUpButtonCell#drawImageWithFrame:inView:drawBorderAndBackgroundWithFrame:inView:setControlSize:v24@0:8Q16ButtonBarPullDownArrow.pdfcustomViewLightBorderColorcustomViewDarkTexturedBorderColorcustomViewDarkBorderColorbwIsOnLeopardcontainerCustomViewBackgroundColorchildlessCustomViewBackgroundColordrawTextInRect:stringWithFormat:boundingRectWithSize:options:drawAtPoint:%d x %d pt%d ptNSViewisOnItsOwnBWCustomViewBWUnanchoredButtonBWUnanchoredButtonCellBWUnanchoredButtonContainershouldCloseSheet:setMovable:orderOut:setAlphaValue:initWithWindow:beginSheet:modalForWindow:modalDelegate:didEndSelector:contextInfo:endSheet:performSelector:withObject:closeSheet:BWSCSheetBWSCParentWindowBWSheetControllersetParentWindow:parentWindowsetSheet:sheetmessageDelegateAndCloseSheet:openSheet:@"NSWindow"T@,&,N,Vdelegate,PT@"NSWindow",&,N,Vsheet,PT@"NSWindow",&,N,VparentWindow,PibTestersetDrawsBackground:BWTransparentScrollView_verticalScrollerClasssetBottomCornerRounded:BWAddMiniBottomBarBWAddSheetBottomBarBWTokenField!3stringValueinitTextCell:setRepresentedObject:attachmentsetAttachment:setTextColor:fontsetFont:setUpTokenAttachmentCell:forRepresentedObject:@32@0:8@16@24BWTokenFieldCellGcolorWithCalibratedRed:green:blue:alpha:filldrawInBezierPath:angle:bezierPathWithRoundedRect:xRadius:yRadius:tokenBackgroundColorgetRed:green:blue:alpha:interiorBackgroundStylearrowInHighlightedState:pullDownRectForBounds:BWTokenAttachmentCellpullDownImagedrawTokenWithFrame:inView:setArrowsPosition:drawKnobSlotknobProportiondrawKnobrectForPart:_drawingRectForPart:BWTransparentScrollerscrollerWidthForControlSize:d24@0:8Q16scrollerWidthd16@0:8initialize!Q0{CGRect={CGPoint=dd}{CGSize=dd}}24@0:8Q16TransparentScrollerKnobTop.tifTransparentScrollerKnobVerticalFill.tifTransparentScrollerKnobBottom.tifTransparentScrollerSlotTop.tifTransparentScrollerSlotVerticalFill.tifTransparentScrollerSlotBottom.tifTransparentScrollerKnobLeft.tifTransparentScrollerKnobHorizontalFill.tifTransparentScrollerKnobRight.tifTransparentScrollerSlotLeft.tifTransparentScrollerSlotHorizontalFill.tifTransparentScrollerSlotRight.tifBWTransparentTextFieldCellsetIdentifierString:bwRandomUUID_setItemIdentifier:BWToolbarItem#B@16@0:8@"NSString"identifierStringT@"NSString",C,VidentifierString,PBWTIIdentifierStringcurrentEventmodifierFlagsbwCapsLockKeyIsDownbwControlKeyIsDownbwOptionKeyIsDownbwCommandKeyIsDownopenURLInBrowser:setUrlString:urlStringsharedWorkspaceURLWithString:openURL:pointingHandCursoraddCursorRect:cursor:BWHyperlinkButtonresetCursorRectsT@"NSString",C,N,VurlString,PBWHBUrlStringblueColorBWHyperlinkButtonCellisBorderedsetFillStartingColor:setFillEndingColor:setFillColor:setTopBorderColor:setBottomBorderColor:decodeBoolForKey:setHasTopBorder:setHasBottomBorder:setHasGradient:setHasFillColor:decodeFloatForKey:setTopInsetAlpha:setBottomInsetAlpha:grayColorfillEndingColorfillColortopBorderColortopInsetAlphaencodeFloat:forKey:bottomInsetAlphareleasesetbwDrawPixelThickLineAtPosition:withInset:inRect:inView:horizontal:flip:colorWithAlphaComponent:BWGradientBox v20@0:8f16f16@0:8isFlippedhasFillColorTc,VhasFillColorhasBottomBorderTc,VhasBottomBorderhasTopBorderTc,VhasTopBorderTf,VbottomInsetAlphaTf,VtopInsetAlphabottomBorderColorT@"NSColor",&,N,VbottomBorderColor,PT@"NSColor",&,N,VtopBorderColor,PT@"NSColor",&,N,VfillColor,PT@"NSColor",&,N,VfillEndingColor,PfillStartingColorT@"NSColor",&,N,VfillStartingColor,PBWGBFillStartingColorBWGBFillEndingColorBWGBFillColorBWGBTopBorderColorBWGBBottomBorderColorBWGBHasTopBorderBWGBHasBottomBorderBWGBHasGradientBWGBHasFillColorBWGBTopInsetAlphaBWGBBottomInsetAlphasetHasShadow:setShadowIsBelow:shadowColorstartingColorsolidColorBWStyledTextFieldapplyGradientsetPreviousAttributes:setStartingColor:setEndingColor:setSolidColor:greenColorhasShadowcopyWithZone:shadowisEqualTo:setShadowOffset:setShadow:controlViewwindowascenderdescenderlockFocusunlockFocuscolorWithPatternImage:saveGraphicsStatesuperviewconvertRect:toView:setPatternPhase:changeShadowBWStyledTextFieldCell@24@0:8^{_NSZone=}16@"NSShadow"T@"NSColor",&,N,VsolidColor,PhasGradientTc,VhasGradientendingColorT@"NSColor",&,N,VendingColor,PT@"NSColor",&,N,VstartingColor,PpreviousAttributesT@"NSMutableDictionary",&,VpreviousAttributes,PT@"NSShadow",&,N,Vshadow,PTc,VhasShadowT@"NSColor",&,N,VshadowColor,PshadowIsBelowTc,VshadowIsBelowBWSTFCShadowIsBelowBWSTFCHasShadowBWSTFCHasGradientBWSTFCShadowColorBWSTFCPreviousAttributesBWSTFCStartingColorBWSTFCEndingColorBWSTFCSolidColorNSFontA@$@333333??&@.@??333333?@@@?@???)\(?_GY@?@>Gz?V@?I@9I9@2@"@8@`YY?`UU?`^^???eS.?A`"??7@p@&?ffffff? ? ???VV@?p= ף?\(\?{Gz??UUUUUU??0@(@???~~???{Gz?HzG?333333?6@D@@ @;;;;;;???xxxxxx??______???????\\\\\\?]]]]]]??????PPPPPP???????======??111111????????yyyyyy?????????S?1Zd????@88!Xa PPpP <$|t,--778:>>?AApBMMNOPP>QVRRnSS(TW&X.YZ[^^pa@bccergjjlo@rrss6u(<4|n"dd|XfDBxb\ HB$N  D!."'( *T++*-n..0(00011245r5h9x::<;;;6<JBtBHJxKKpL>O(P,bcdcffnikkpl.mmmno|oo p4p"qqrHr6sswx}~.nLN@`zƗ^bD6\ƪV|ĭ2XĮ2|&DB@zRx ,&  $L  $t~  $d $V  $<  $"  zRx ,  $Lb  $tH  $. $  $  $  zRx $* $DW ,l  $  $ $ $# ,<  ,l. D ,B  , : ,N ,,[ $\  $! $ $ ,  ,,g ,\ ,`  , ,N ,  ,L ,|u ,0 ,  , @ ,<  ,l~(  $(9 $( ,x)  ,L*  ,L*  $|+^ $+F zRx $+s $D&,* $l(, $,0 zRx $,* zRx $,` zRx ,,  ,L-  $|J0 $(0  $ 0* ,0  $$0k $L*1 zRx ,1b  ,L3  $|5 $x5  ,\5, ,X7 ,,7  ,\P8Z  ,z9J zRx ,|9  ,LR; ,|F  ,"F|  ,nG zRx ,,I  ,LK4  $|M $L $L  $L  $L  $DL  $lL $L $L $|L $ fL $4PL  $\HL $:L  $2L $$L  $L $$L  $LL $tK $K ,K ,Lg ,$Lg ,TMg ,@Mg ,xMw ,Mx  $N" $<N\ $d6NC ,RN  ,N $Jg7 $ZgG ,<zg ,l kN ,*m  ,s  ,t  ,, ,<  ,V  , @ ,<   ,l   , 6  , R  , Ƒ  ,,   $\ ZU $  $ a $ . $  ,$ 6 $T V $| >J $ `P $ Z , 9 ,$ Ĕ}  ,T  $ - $ ; ,   $ j $, @6 ,T N@  zRx ,F  ,L  $|N $6  $. $  $ ,D f $t@X $p[ ,  ,r  ,$P ,T   $ī ,|  ,h|  , H $<̭# ,dȭ  zRx ,N ,L  $| $ $r9 $< $  ,D|  ,tj  $ $ $z $X ,D8o  zRx $`s $D* $l $t0 zRx $d $D  ,lγ $| $d $N $6 $<  $d $ $ ,еi  ,  k ,<F  ,ls  ,Fi  ,~ ,ηs  ,,s  ,\V ,:q ,| , ,|  ,L ,|@t $K ,u ,  ,4 ,dr  ,  ,  zRx $L $D $l $v $^ $Hi , M zRx $  $Dt $lR0 ,Z  $ * ,   ,  ,LZ  $|* $ ,$ zRx , zRx ,  ,L zRx ,tm  $L# $t $# $ $# $ $<|# $dx $j $Z $J $2 ,, ,\zH  ,C zRx $ ,Dw  zRx $' $D= $lh $ zRx ,  $L ,t ,2  $ $- $$  $Lm zRx ,M  ,L  ,|  ,` zRx $( $D $lh $R $: $$i , fM zRx $l  $DP $l.0 ,6  $* ,   ,   ,L  ,| $`* $b ,  ,, zRx ,H  ,Lh  zRx $  $D, i ,ln M zRx ,t !  $LfJ ,t zRx , zRx $( ,D  $t@n $O , $  $ $D ,l  $b $X $N zRx $,h $Dl zRx $Fs $D* $l ,Z zRx $s $D* $l , zRx ,)  zRx ,  $LE ,tm  , v $&"8 ,6"  ,,"] zRx ,'  $L(* $t(* ,(  ,-2 ,2a  $,2 $T3 $|:4 ,5 zRx ,6T  $L$7Y zRx ,>7r $L7 $tr7K ,7  ,J8o  zRx ,r8C zRx $n83 $Dz83 $l83 $83 $83 zRx $8= ,D8r $t8  $8 $8K ,8  ,@9  ,L9o  zRx ,9  $L:  $t: $h: zRx ,.:Z  $LX= $tB= $,= $= $= $< $<< $d< $< $< $z< $d< $,L< $T6< $|< $< $; ,; ,$LG $&G $G $G $<F  $dF $F $F $F $F ,,Fs  $\F ,FV ,F~  ,0Gs  ,tGs  ,DG ,ttIU  ,K  ,L ,L  ,4N ,dN%  ,O  zRx $P> "4FXj| 0BTfx__s@`w} 4 @`$$5 Pp`` @`""` $@$  3 A O \ p!!  Tp!@`0Pi@ S ^d @`'!'!@`) )  H  Pp 0Pp0PpX`ض hPȽXP@@0HЄP (p(H` hP(@0 hPЉx (ppPH`@8P`X@PH08Ў @P #<Lao'CdP&HdXwD8)D[x7(@,]gv| )X8~d.+HXptp@%/AOVjVj$ :!2J+>LZgt 0CNct >Th{ T:\m#?b0$T%9d[y$Fiq3G^opcdr%BRho(8csq 2Tt;T 5RM  "n ;vj!.QkwyD [v(F]gNZh~0 49Q|5R_nwSm% 2        V         + < O a     b       R ,A6dv}2Fpd$0Tl#  8hH؆8؆؆h؆؆ȌxȌ؁(ȂhH8؆(xȇh8xȌhX((;Q,d((``(;Q,d((@T@h &taN#dcq,--f/037 77<778[pf9{::)^<>>w?AACpB2EMMMNoOPP@|>Q$Q< a &6H@@a`h`qa((hVR$RnS@QhS((FF`((l}l@S((((8Uxx$4W0WdWH&X+.Y.(T8dY(((( [xx $4^0^.^d`dpa+@btNcHZ((((rg$4j0jdjHjjlVedc8dm((((lol $4@r0Fr4RrJXr2r!rNss6u@o  J`((pNyMN{f{>{L{Z{g|$|4|fD|0NT|#Nf|x|$||F|| }&}TF}`}|}} ~~P +f*N2 pҁT9*bNlq?ħ%?p\UҫBd^\hHh(hp$y@0޻ƽld?fN "X NhH[N{p>pZ(db`@dNnr(N(NYfvq$<#4|@ hh ""5`((``8 "2JB2|N  dj$4r0x@n J`hD((  8hd$|@((';NXfU'hX(DNTcffNvfN0$yBd^hpxhhjqdsfbN\T2d$  @6 ```h dh((@f Nf&N6H@ ( `0`8 ((nxx . j HN$8dBMRdD!$4 0 )."b%'b`((p9pX *P.*H*l*D**(*g*+(+f2+NB+T++@(*- P@@gc` (8g3PqNn..b@0f0 (0b((p112!494Y4Q50((pTUpD78h9dr5 `T((@pf: N;f;N*;<;;@x: X ```h ((CH dHVJxKjKHtBJB pLd6<M<Rd>O$4<0; pk`^$(P((vvx((Hbc@,b pfMf8ddc((xxxni((`(( H nmnmnm .ml(plk@mk 33 dJc((|o0@o((h p$4p"q@o((''hr$Hr6s@q((;H;s((((xDD0} ~H.wdt((Lv XwnNR,$ @6n `((1TT18H@((h`zSƗ@ mb@ N.T Ng Nƙy NN^b((  @8  2D  @b 0  * ((` xx` v Nf*8d0H((t  t h(   ơb ءO    a      f2 NB fT Nd fvN+ f N \ ԣ L Ĥ < N$ƪ@6    b      ` ``  `       -  P b t       &,|2 Į fXN25ĭf|NVfRN((}((STiSX X N̲f޲RNv06Pj|N5f& fD, dBFH@dw@  ` R` `( 0 8 @ H vP 6@TUVX`hpx 6IvRNb 8؁(xȂhXH8؆(xȇhXH8؋(xȌhX0x ?!P`B~p(RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCppSBp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RC`%Apphp pp0pp(p@pppRCpp@p8p@pRJp` Cp8SE`Cp8SE`Cp8SApp`rASASASASASASASIXCp8SE\ASCp8SGp8SESCp8RHRESBSE`Cp8RHRESBSE`Cp8RHRESBSE`Cp8RHRESBSAp`ASERESBSApp`ASASASASASASASASASASASASASASASASAS0`CRESBSApp`9ASASASASASGVCRESBSApp`'ASASDRCp8SE\CREVBSApp`]ASASASASASGZCp8SApp`ASASASETCRESBSE`ATAp WAp0p8SApp`0ASASASASASASH\AWAp ZAp0REVBSE`Cp8SAp\ASEp8SApp`ASASASETCRESBSE`$BSBVCp8SAp(p8SApYASCSAVCRFSESCp8SJp@RApp`$ASASASBVCRESBSESCp8SE\Cp8SE\Cp8RFSCp8SGRESBSE`CREYBSAp`ASERESBSESCp8SApp`ASCRATBp`Bp(p8SApp`ASCRCp8SE\Cp8SApp`QASASASASASASASASASASASM`A`*Cp8SGp8SApp`QASASASASASASASASASK`ATBp`4@dyld_stub_binderQq@__objc_empty_cache"Y @__objc_empty_vtableq"Y @_objc_msgSendSuper2_fixupXx@_objc_msgSendSuper2_stret_fixupqLx@_objc_msgSend_fixupq> )      4@_objc_msgSend_stret_fixupqC @_OBJC_CLASS_$_NSArray@_OBJC_CLASS_$_NSDictionaryq}@_OBJC_CLASS_$_NSMutableArray@_OBJC_CLASS_$_NSMutableDictionaryq}x@_OBJC_CLASS_$_NSObjectq/@_OBJC_METACLASS_$_NSObjectq"HH H@___CFConstantStringClassReferenceq}@_NSZeroRectq0@_OBJC_CLASS_$_NSAffineTransform~@_OBJC_CLASS_$_NSArchiverq@_OBJC_CLASS_$_NSBundleq}@_OBJC_CLASS_$_NSMutableAttributedStringq@_OBJC_CLASS_$_NSNotificationCenterq}@_OBJC_CLASS_$_NSNumber@_OBJC_CLASS_$_NSSortDescriptorq@_OBJC_CLASS_$_NSString@_OBJC_CLASS_$_NSURLq@_OBJC_CLASS_$_NSUnarchiverq@_OBJC_CLASS_$_NSValueq}@_NSAppq8@_NSFontAttributeNameq@_NSForegroundColorAttributeName@_NSShadowAttributeName@_NSUnderlineStyleAttributeName@_NSWindowDidResizeNotificationq@_OBJC_CLASS_$_NSAnimationContext@_OBJC_CLASS_$_NSApplicationq}@_OBJC_CLASS_$_NSBezierPathq@_OBJC_CLASS_$_NSButtonq&D@_OBJC_CLASS_$_NSButtonCellq& @_OBJC_CLASS_$_NSColorB  ^@_OBJC_CLASS_$_NSCursorq@_OBJC_CLASS_$_NSCustomViewq2@_OBJC_CLASS_$_NSEventL@_OBJC_CLASS_$_NSFontq~@_OBJC_CLASS_$_NSGradientqx@_OBJC_CLASS_$_NSGraphicsContextq~@_OBJC_CLASS_$_NSImageq}xx^@_OBJC_CLASS_$_NSPopUpButtonq(@_OBJC_CLASS_$_NSPopUpButtonCellq)@_OBJC_CLASS_$_NSScreenM@_OBJC_CLASS_$_NSScrollViewq5@_OBJC_CLASS_$_NSScroller@_OBJC_CLASS_$_NSShadowEx@_OBJC_CLASS_$_NSSliderq*@_OBJC_CLASS_$_NSSliderCellq*@_OBJC_CLASS_$_NSSplitViewq+U@_OBJC_CLASS_$_NSTableViewq0@_OBJC_CLASS_$_NSTextFieldq%@_OBJC_CLASS_$_NSTextFieldCellq0 @_OBJC_CLASS_$_NSTokenAttachmentCellq9@_OBJC_CLASS_$_NSTokenFieldq7@_OBJC_CLASS_$_NSTokenFieldCellH@_OBJC_CLASS_$_NSToolbarq#@_OBJC_CLASS_$_NSToolbarItemq"@_OBJC_CLASS_$_NSViewq$Ak@_OBJC_CLASS_$_NSWindowqj@_OBJC_CLASS_$_NSWindowControllerq@_OBJC_CLASS_$_NSWorkspace@_OBJC_IVAR_$_NSTokenAttachmentCell._tacFlagsq@@_OBJC_METACLASS_$_NSButton%@_OBJC_METACLASS_$_NSButtonCellq& @_OBJC_METACLASS_$_NSCustomViewq2@_OBJC_METACLASS_$_NSPopUpButtonq(@_OBJC_METACLASS_$_NSPopUpButtonCellq)@_OBJC_METACLASS_$_NSScrollView@_OBJC_METACLASS_$_NSScroller@_OBJC_METACLASS_$_NSSliderq)@_OBJC_METACLASS_$_NSSliderCellq*@_OBJC_METACLASS_$_NSSplitViewq*@_OBJC_METACLASS_$_NSTableView@_OBJC_METACLASS_$_NSTextFieldq%@_OBJC_METACLASS_$_NSTextFieldCellq0 @_OBJC_METACLASS_$_NSTokenAttachmentCellq8@_OBJC_METACLASS_$_NSTokenFieldq7@_OBJC_METACLASS_$_NSTokenFieldCellH@_OBJC_METACLASS_$_NSToolbarq#@_OBJC_METACLASS_$_NSToolbarItemq"@_OBJC_METACLASS_$_NSViewq$qP@_CFMakeCollectableqX@_CFReleaseq`@_CFUUIDCreateqh@_CFUUIDCreateStringqp@_CGContextRestoreGStateqx@_CGContextSaveGStateq@_CGContextSetShouldSmoothFontsq@_Gestaltq@_NSClassFromStringq@_NSDrawThreePartImageq@_NSInsetRectq@_NSIntegralRectq@_NSIsEmptyRectq@_NSOffsetRectq@_NSPointInRectq@_NSRectFillq@_NSRectFillUsingOperationq@_ceilfq@_floorq@_fmaxfq@_fminfq@_modfq@_objc_assign_globalq@_objc_assign_ivarq@_objc_enumerationMutationq@_objc_getPropertyq@_objc_setPropertyq@_roundf_compareViewsHBWSelectableToolbarItemClickedNotificationNOBJC_T METACLASS_$_BWCLASS_$_BWIVAR_$_BW TSARemoveBottomBarInsetTextFieldCustomView UnanchoredButton HyperlinkButtonGradientBoxoransparentexturedSlider olbarken ShowItemColorsItemFontsItem TSARemoveBottomBarInsetTextFieldCustomView UnanchoredButton HyperlinkButtonGradientBoxoransparentexturedSlider olbarken ShowItemColorsItemFontsItem   electableToolbarplitView heetController tyledTextField Helper electableToolbarplitView heetController tyledTextField؃ Helper ddnchored RegularBottomBarS MiniBottomBar  ddnchored RegularBottomBarS MiniBottomBar  Є   ȅ ButtonCheckboxPopUpButtonST  CellButtonCheckboxPopUpButtonST  Cell   Cell Cell   Cell؈ Cell  lidercroll Љ Celllidercroll  Cell Ȋ    Cell  Cell   mallBottomBar heetBottomBar  mallBottomBar heetBottomBar  Button PopUpButton Bar  Button PopUpButton Bar ؍  Cell  Cell Ў   ȏ ableView extFieldCell Cell ableView extFieldCell Cell    Cell  Cell    ؒ  C  C ell ontainer Г ell ontainer   Ȕ   View er View er     Field AttachmentCell CellField AttachmentCellؗ Cell  И   ș      Cell Cell   ؜  Cell CellН  STAnchoredCustomView.isOnItsOwnUnanchoredButton.topAndLeftInsetHyperlinkButton.urlStringGradientBox.electableToolbarplitView.heetController.tyledTextFieldCell..Helper.helperienabledByIdentifierselectedIndex temnIBsPreferencesToolbarIdentifierssByIdentifier      ransparentexturedSlideroolbarItem.identifierStringSTableViewCell.mIsEditingOrSelectingliderCell.isPressedcroller.isVertical cdividerCanCollapsesmresizableSubviewPreferredProportionnonresizableSubviewPreferredSizeuncollapsedSizetoggleCollapseButtonisAnimatingolheckboxIsEnabledorlapsible IsEnabledȢ Т آ SubviewCollapsedPopupSelection econdaryDelegatetateForLastPreferredCalculations inaxValuesUnits ValuesUnits          .Cell.trackHeightindicatorIndexsliderCellRectm   inButtonaxButton  isPressedtrackHeight  ButtonPopUpButton.Bar..ishandleIsRightAlignedsResizableAtBottom   electedIndexplitViewDelegate  isAttopAndLeftInsetLeftEdgeOfBarRightEdgeOfBar   contentViewsByIdentifierwindowSizesByIdentifierselectedIdentifieroldWindowTitlei    nitialIBWindowSizesPreferencesToolbar   isAttopAndLeftInsetLeftEdgeOfBarRightEdgeOfBar     sheetparentWindowdelegate      filltopbottomhasStartingColorEndingColorColorЉ ؉  BorderColorInsetAlpha BorderColorInsetAlpha   TopBorderBottomBorderGradientFillColor    shasendingColor previousAttributes hadowtartingColor olidColor IsBelowColor  ShadowGradient      Ș И PX`hpx (@ ` @` @` @` @` @` @` @`  @ `       @ `       @ `       @ `       @ `      @` @` @`08 X   ( Hpx   8`h   (PX x  @H h  08 X   ( Hpx   8`h   (PX x    @H h  08 X   ( Hpx   8`h   (PX x  (8HXhx  ( 8 H X h x         !!(!8!H!X!h!x!!!!!!!!!""("8"H"X"h"x"""""""""##(#8#H#X#h#x#########$$($8$H$X$h$x$$$$$$$$$%%(%8%H%X%h%x%%%%%%%%%&&(&8&H&X&h&x&&&&&&&&&''('8'H'X'h'x'''''''''((((8(H(X(h(x((((((((())()8)H)X)h)x)))))))))**(*8*H*X*h*x*********++(+8+H+X+h+x+++++++++,,(,8,H,X,h,x,,,,,,,,,--(-8-H-X-h-x---------..(.8.H.X.h.x.........//(/8/H/X/h/x/////////00(080H0X0h0x00000000011(181H1X1h1x11111111122(282H2X2h2x22222222233(383H3X3h3x33333333344(484H4X4h4x44444444455(585H5X5h5x55555555566(686H6X6h6x66666666677(787H7X7h7x77777777788(888H8X8h8x88888888899(989H9X9h9x999999999::(:8:H:X:h:x:::::::::;;(;8;H;X;h;x;;;;;;;;;<<(<8<H<X<h<x<<<<<<<<<==(=8=H=X=`=h=p=x=================>>>> >(>0>8>@>H>P>X>`>h>p>x>> > ? @? `? ? ? ? 0@ P@ `@ @ @ @ 8A A A B (B 0B B XC `C hC pC xC C C C C C C C C C C C C C C C C D D D D  D (D 0D 8D @D HD PD pDDDDDDEEEE E(E0E8E@EHEPEXE`EhEpExEEEEEEEF0F8F@FHFPFXF`FhFpFxFFFFFFFFFFFFF0G8G@GPG`GpGxGGGGGGGGGGGGGGGGGHHHH H(H0H8H@HHHPHXH`HhHpHxHHHHHHHHHHHHHHHHHIIII I(I0I8I@IHIPIXI`IhIpIxIIIIIIIIIIIIIIIIIJJJJ J(J0J8J@JHJPJXJ`JhJpJxJJJJJJJJJJJJJJJJJKKK(K0K8KHKPKXKhKpKxKKKKKKKKKK(L0L8L@LHLPLXL`LLLLLMMMM M(M0M8M@MHMPMXMhMpMxMMMMM(NhNpNxNNNNNO OhOpOOOOOOOPPP P(P0P8P@PHPPPXP`PhPpPxPPPPPPPPQQXQ`QQQQQQQQRRRR R(R0R8R@RHRPRXR`RhRpRxRRRRRRRRRSS`ShSSSSSSSTTTT T(T0T8T@THTPTXT`ThTpTxTTTTTTTTTTU UhUpUUUUUUUUVVV V(V0V8V@VHVPVXV`VhVpVxVVVVVVVVVVVVVVVVWWW@WHWxWWWWWWWWWWWWXXXX X(X0X8X@XHXPXXX`XhXpXxXXXXXXXXXXXXXXXXXYYYY Y(Y0Y8Y@YHYPYXY`YhYpYxYYYYYYYYYYYYYYYYYZZZZ Z(Z0Z8Z@ZHZPZXZ`ZhZpZxZZZZZZZZZZZZZZZZZ[[[[ [([0[8[@[H[P[X[`[h[p[x[[[[[[[[[[[[[[[[[\\\\ \(\0\8\@\H\P\X\`\h\p\x\\\\\\\\\\\\\\\\\]]]] ](]0]8]@]H]P]X]`]h]p]x]]]]]]]]]]]]]]]]]^^^^ ^(^0^8^@^H^P^X^`^h^p^x^^^^^^^^^^^^^^^^^___ _(_0_@_H_P_`_h_p_____________``` `(`0`@`H`P```h`p`````````````aaa a(a0aaaaaaabbbb b(b0b8b@bHbPbXb`bhbpbxbbbbbbbbbbbcc c8c@cHcXchcxcccccccccccccccccdddd d(d0d8d@dHdPdXd`dhdpdxdddddddddddddddddeeee e(e0e8eHePeXehepexeeeeeeeeeef f(f0f8f@f`fhfffffffffgggg g(g0g8g@gHgPgXg`ghgpgxggggggggggggggggghhhh h(h0h@hHhPh`hhhphhhhiii@iHiPiXi`ihipixiiiiiiiiijjjj0j8j@jPj`jpjxjjjjjjjjjjjjjjjjjkkkk k(k0k8k@kHkPkXk`khkpkxkkkkkkkkkkkkkkkkkllll l(l0l8l@lHlPlXl`lhlplxlllllllllllllllllmmmm m(m0m8m@mHmPm`mhmpmmmmmmmmmmmmm0n8n@nHnPnXn`nhnpnxnnnnnnoo o(o0o8o@oHoPoXo`ohopoxooooooooooooooopppHpPpXp`ppppppppp q(q0q8q@qHqPqXq`qhqpqxqqqqqqqqqqqqqqqqqrrr r(r0r@rhrprxrrrrrrr s(s0s@sPs`shspsxssssssssssssssssstttt t(t0t8t@tHtPtXt`thtptxttttttttttttttttuuu(u0u8uHuPuXuhupuxuuuuuuuuvvvv v(v0v8vHvPvXv`vhvpvxvvvvvvvvvvvvw@wHwxwwwwwwwwwwxxxx x(x0x8x@xHxPxXx`xhxpxxxxxxxxy y(y0y8y@yHyPyXy`yhypyxyyyyyzzz(z8zHzPzXz`zhzpzxzzzzzzzzzzzzzzzz{{{ {({8{@{H{x{{{{{{{{{|| |P|X|`|h|p|x|||||||||||||||||}}}} }(}0}8}@}H}P}X}`}h}}}}}}}}}}}0~8~@~P~~~~~~ (08@PX`(08hpx؀@ȁЁ؁ (08@HPX`hpxȂЂ؂(08PX`hpxЃ؃8@Hh (08@` (08X؆HPXЇ؇8@HPX`hpx (08@HPXpxȉЉ؉ (08@HP`hp؊@HPpЋ (08@HPX`pxȌЌ (08@HPX`hpxȍ(8HPX`hpxȎЎ؎ @Hh (08@`А (08@HPX`hpxȑБؑ (08@HPX`hpxȒВؒ (08@HPX`pxГؓ 08@PX`px08@HPX`hpxȕЕؕ (08@HPX`hpxȖЖؖ (0P (0@P`hpxȘИؘ (08@HPX`hpxșЙؙ (08@HPX`hpxȚКؚ 08@PX`pxЛ؛`hpxȜМ؜(@ H P X ` h p x          ȝ Н ؝          ( 0 8 @ H P X ` h p x      ȞО؞(ydGydayfnYK.y$y$N.7z$$N.Zz$$N.|z$$N.z$$N.z$$N.z$$ N { ;{ d(yda{dz{fnYK.{$|$N.M|$$N.o|$$N.|$$N.|$$N.|$$N.|$$ N !} J} d(ydo}d}fnYK.}$$*N*.$%~$$L~$XNX.|~$|$N.t~$t$ N .~$$N.~$$N.$$$N$.A$$ N .,u$,$DND.-$-$N.-$-$:N:./$/$NNN.03$03$\N\.7B$7$N.7{$7$"N".7ˀ$7$N.7$7$N.77$7$N.8_$8$hNh.f9$f9$N.:$:$N.:$:$N.^<)$^<$N.>[$>$N.>z$>$N.?$?$vNv.Â$A$N.A$A$N.pB$pB$N.2EW$2E$N.M{$M$N.M$M$:N:.M˃$M$N.N$N$N.O$O$N.PPI$PP$N.>Qq$>Q$^N^.Q$Q$FNFDŽ  ; c  Dž  " Q &&d(yddfnYK.Q<$Qd$tNt.VR$VR$*N*.R$R$N.nS"$nS$0N0H p d(yddfnYK.S$S$*N*; _ d(yddfnYK.S$S+$`N`\  d(yddfnYK.(T5$(Tl$N.8U$8U$N.Wʋ$W$N.W$W$ N .W$W$*N*.&XE$&X$N..Yp$.Y$lNl.Y$Y$N݌  -&;&J&W&e& r&(&0&8d(yddfnYK.Z5$Zb$bNb.[$[$N.^Ď$^$N.^$^$ N .^$^$,N,.`S$`$N.pa$pa$N.@b$@b$ZNZ.c$c$JNJ I q&@&H&P&X&`&hŐ&pd(ydӐdfnYK.ct$c$N.e$e$N.rg $rg$PNP.jK$j$N.j{$j$ N .j$j$*N*.jՒ$j$N.l$l$N.m9$m$;N;t Γ&xܓ&&&&&&,&<&H&d(ydUdofnYK.o$o$N.oN$o$N.@rt$@r$N.Fr$Fr$ N .Rrƕ$Rr$N.Xr$Xr$:N:.r3$r$<N<.rf$r$N.s$s$ N .sÖ$s$|N|.6u$6u$N D j &&&ȗ&ݗ&&&d(yddfnYK.N>.$$<N<.ޠ$$VNV.@ $@$N.޻M$޻$N.$$N.ƽ$ƽ$ N .d$d$RNR.$$N.$$N.F$$VNV.u$$N.$$bNb.$$.N..$$N."$"$6N6.X5$X$VNV.S$$JNJ.x$$PNP.H$H$ZNZ.$$:N:.$$~N~.Z$Z$N.6$$.N..(R$($<N<.ds$d$N.b$b$N.`$`$6N6.ۤ$$@N@  3 R z  ѥ  1 T w    2 m  ɧ  &)&3&@&S&f& z&(d(yddfnYK.$8$N.i$$N.>$>$N.N$N$ N .nͩ$n$N.$$ N . $$N.+$$fNf.(G$($XNX.p$$\N\.$$N.v$v$rNr.ڪ$$N.$$N.$$N.<<$<$|N|.c$$|N|.4$4$HNH.|$|$$N$.Ϋ$$N  5 _     &0&8+&@>&Hd(ydPdgfnYK.n$n$N.=$$ N ."`$"$N.2$2$N.B$B$:N:.|$|$<N<.$$ N .D$$N.f$$N.d$d$N.jï$j$N.r$r$N.x$x$N.9$$oNob ذ &P&X &`0&hA&pd(ydQdgfnYK.$$tNt.d:$d$*N*.X$$N.|y$|$0N0 ò d(yddfnYK.t$$N.Xγ$X$N.f$f$N.D$D$N.T;$T$N.f]$f$N.v$v$N.$$N.״$$N.$$N.0$$N.Y$$jNj.B$B$lNl.$$N.9$$tNt.~$$jNj.x$x$~N~.$$tNt.j4$j$tNt.y$$N.÷$$rNr.d$d$N. $$N.1$$N.bR$b$N.$$tNt.\$\$LNL.ڸ$$vNv. $$N. E$ $N. f$ $rNr.$$N.$$Nع M y  ޺ &x!&+&9&O&b&t&&&&&»&d(ydϻdfnYK.X${$N.$$N.ּ$$N.&$&$N.6'$6$N.HN$H$jNj.h$$MNM ɽ  * d(ydXdofnYK.$$ N .  $ 5$N.j$$0N0.B$B$N.$Ϳ$$$*N*.N$N$ N .n$n$N.:$$N. n$ $*N*. $ $N.D!$D!$N  5&C&V&f&~&&&&&& &(&0&8!&@,&H7&PB&Xd(ydMdcfnYK.."$."<$Nd(ydpdfnYK.%$%8$N.'l$'$Nd(yddfnYK.(7$(c$nNn. *$ *$$N$..*$.*$N.H* $H*$$N$.l*F$l*$N.*{$*$$N$.*$*$N.*$*$$N$.*$*$N.+;$+$N.+p$+$N.2+$2+$N.B+$B+$N.T+ $T+$N.+.$+$HNH.*-\$*-$CNC~  Q    d(yd8dOfnYK.n.$n.$N..$$.$wNwd(ydUdjfnYK.0$0$(N(.(0#$(0$>N>.f0I$f0$hNh.0k$0$Nd(yddfnYK.0&$0P$N.1$1$N.1$1$N.2$2$N.4$4$N.4:$4$.N..4t$4$N.5$5$mNm &`*&h7&pd(ydGddfnYK.r5$r5 $NNN.7[$7$N.8$8$N.h9$h9$N, Y d(yddfnYK.x:S$x:{$N.:$:$N.;$;$N.; $;$N.*;;$*;$N.<;g$<;$jNj.;$;$MNM + a d(yddfnYK.;/$;$ N .<X$<$N.<$<$0N0.6<$6<$N.JB:$JB$*N*.tBa$tB$ N .C$C$N.H$H$N.J$J$N.xK$xK$*N*.KG$K$N.pLx$pL$N.>O$>O$N  .&x<&O&_&w&&&&&&&& &&)&4&?&J&d(ydUddfnYK.(P$(P$N.^$^$hNh= \ w d(yddfnYK.,b)$,bN$N.b$b$jNj.c$c$MNM  d(yd4dMfnYK.dc$dc$"N".f5$f$JNJ.fg$f$N &&&& &(&&01&8<&@G&HR&Pd(yd`d~fnYK.ni$ni+$Ng d(yddfnYK.kJ$kl$N.k$k$N.pl$pl$nNn.l$l$PNP..m$.m$N.m8$m$N.mV$m$N.mq$m$N.m$m$N.n$n$N.n$n$N.n$n$N B b   d(yddfnYK.or$o$hNh.|o$|o$N 0 d(ydVdkfnYK.o$o$tNt. p;$ p$*N*.4pX$4p$N."qx$"q$N d(yddfnYK.qp$q$tNt.r$r$*N*.Hr$Hr$N.6s $6s$N- S d(ydudfnYK.s$sA$)N)r d(yddfnYK.tG$ty$N.w$w$FNF.x$x$nNn.}$}$vNv.~4$~$8N8..[$.$N.$$]N] &X&`*&h6&pJ&x]&k&&&d(yddfnYK.nT$n|$N.L$L$*N*.v$v$*N*.$$N.3$$2N2.Y$$bNb.N$N$N.,$,$N. $ $N.$$N B f &&&&&&&&&&&0&9&D&X&d(ydbdfnYK.@$@-$TNT.h$$YNY &d(yddfnYK.v$$rNr.`$`$N.z$z$LNL.Ɨ$Ɨ$N.%$$oNoG g d(yddfnYK.@$f$CNCd(yddfnYK.^*$^S$4N4.$$4N4.ƙ$ƙ$4N4.$$4N4..$.$3N3d(yd3dGfnYK.b$b$>N>.$$rNr.6$$ N .2Y$2$N.Dx$D$LNL.$$N.$$N.$$oNo , L d(ydudfnYK.$1$N.g$$ N .*$*$N.0$0$N d(yd1dAfnYK.6$6$ZNZ.$$N.%$$N.F$$N.ơa$ơ$N.ء$ء$N.$$N.$$N.$$N.  $ $N.2.$2$N.BP$B$N.Tn$T$N.d$d$N.v$v$N.$$N.$$N.$$N.2$$N.\K$\$xNx.ԣr$ԣ$xNx.L$L$xNx.Ĥ$Ĥ$xNx.<$<$xNx.$$ N .$$N.ƪ7$ƪ$"N"Y y    < i     8 d(yd`dtfnYK.$ $&N&.<$$HNH.V_$V$&N&.|$|$HNH.ĭ$ĭ$$N$.$$JNJ.2$2$&N&.X$X$HNH.5$$$N$.ĮX$Į$JNJ.$$$N$.2$2$JNJ.|$|$$N$.$$JNJ  - d(ydMdefnYK.$$N.>$$N.̲e$̲$N.޲$޲$N.$$N.$$N.$$N.0$0$ N .PH$P$N.jt$j$N.|$|$N.$$N.$$N. $$tNt.&2$&$N.D]$D$VNV.$$~N~.$$tNt.$$tNt.$$N.9$$VNV.B`$B$N.$$N.$$N.@$@$N.$$&N&.$$NG o      O      d(yd= dY fnYK. $ $>N>d-@a;[}/V$}|t>r,--/03?7x77747\8f9::&^<X>w>?AApBT2ExMMMNOFPPn>QQQVR R/ nSU Sq S (T 8U W WC Wl &X .Y Y Z1 [Y ^ ^ ^ `# paN @b c c e! rgL j| j j jl:muoo@rFrRrGXrrrss96ukN4nRt(!vAh<4|5Zn"2B* |Z    d!j1!rY!x}!!!d! "|/"U"X{"f"D"T"f #v.#^####$Br$$%:%xv%%j&J&i&d&&&b '3'\a''' ' (9(_((((&(6$)H>)])) ))B *$.*NV*ny** * *D!*+."+%+'+(, *Y,.*,H*,l*,*1-*a-*-*-+-+#.2+Y.B+.T+.+.*-/n.&/.W/(0}/f0/0/0/101802p04040415:1r5v17182h9G2x:o2:2;2;2*;%3<;D3;h3;3<3<36<94JB`4tB4C4H4J5xKF5Kw5pL5>O5(P5^6,b86bT6cu6dc6f6f7ni-7kO7ku7pl7l7.m7m8m"8mD8mh8n8n8n8o8|o+9oP9 pm94p9"q9q9r9Hr:6s9:s|:t:w:x;}3;~Z;.;;n;L<v<<`<<<N<,< =G=@u===`=z=Ɨ>A>g>^>>ƙ>?.A_AzAơAءAAA%B GB2iBBBTBdBvB C-CKCdC\CԣCLCĤC<D5DPDƪrDDDVD|DĭEDE2eEXEEĮEE2F|:F^FFF̲F޲FG@G`G0GPGjG|H-HQHzH&HDHHIJIIIBIIJ@>JeJJJJJJJKK"K0K =K(JK0XK8eK@tKHKPKXK`KhKpKxKKKL LL%L5LALNL[LhL}LLLLLLLLM M(&M07M8HM@[MHmMPzMXM`MhMpMxMMMM NN,NQ@IQHTQPbQXyQ`QhQpQxQQQRR1RBRQR_RkRtRRRRRRRRRRR @q%S 8FS (jS S S (S ؆S xT 6T ^T XyT XT T T ȂT xU ؁:U ȇbU U U U U U 8"V xFV ؋aV (V hV 8V V  W h/W SW {W XW W W ȌX 9X H_X X hX X X Y HFY(vY0Y8Y Z7ZdZZ ZXZ`1[hd[p[[[\2\_\\ \\]+]T]0}]]]^6^g^^^ _D____/` W```P`a`;a@ZaHaXaaaxb:bp]bbbhb:chcc8 c c dP RdH |d( d d@  e0 ;eheeeef;fifff f0gp`g g g `g `g h Bh Pih h h 0h 0h  i Hi ki Pi i i pj p#j Gj Ўoj j j Pj k #k @Ck mk `k k @k l :l 0el l l l Є m 6m _m @m m m Љn 5n0CnVnanonnnnnn nn o o =oJoZoiowoo o o o o p p-p Np jppp pp p p q *q Eq`q vq q q q qqrArdr{rr r r r s s 0s Gs bss ss s s t (t Ct bt zt tttt t u (u Bu ou u u uu v 'v Fv cv ~v v v v v w Aw `w w w w ww x!x(x/x6x=xCxWxixxxxxxxyyx?c @c Ac @d (Ad >e >e Ae Be PCe e Af >g @g @Ag @h PBh >i >i ?i X?i ?i ?i (@i H@i h@i Ai Bi  j j 0j j j @@j pk k k k (?l H?l ?l ?l ?l @l @l @l PAl `Al Al Al Bl 8Bl XBl Bl Bl Cl Cl  Cl 8rl Bm `n >o ?p Bp p ?q 8?q ?q @q pAq Aq Aq Bq  @r @r @r XAr Ar Br pBr Cr HCr P?s HAs hBs 8Cs >t >t  ?t h?t ?t ?t 8@t X@t p@t @t At HBt Bt @Ct rt >u @u xAv Bv >w ?w 0?w ?w ?w @w Aw hAw Aw Aw `Bw Bw Bw (Cw >x >y ?y Cy z z `{ { | | ?} x@} @} @B} ~  p? @ A A xB B 0C   P @ @  @ A A B B ،     p      0  @  p B A > 0    P @  ` > 0A w  A v  B B      H  X  8  `   P   @   0     p   `   P    @   0     p x   `   P   @   0   8        (  x    H   X     h H  X h  (  h 8 P p      0 P p      0 P p      0 P p      0 P p      0 P p      0 P p      0 P p      0 P p      0 P p      0 P p      0 P p      0 P p      0 P p      0 P p      0 P p       H p     8 `     ( P x     @ h     0 X       H p     8 `     ( P x     @ h     0 X       H p     8 `     ( P x     @ h     ( P x     @ h     0 X       H p     8 `     ( P x     @ h     0 X       H p     8 `     ( P x     @ h     0 X       H p         # # 0& P& ' 0( ( ( P) `) @* *  + , `/ p/ `0 0 P1 `1 1 @3 4 @5 5 p6 6 8 < @& ' ( ( 3 @6 8 P9   0 @ P ` p          0 @ P ` p       ! !  ! 0! @! P! `! p! ! ! ! ! ! ! ! " "  " 0" @" P" `" p" " " " " " " " " #  # 0# @# P# `# p# # # # # # # # $ $  $ 0$ @$ P$ `$ p$ $ $ $ $ $ $ $ $ % %  % 0% @% P% `% p% % % % % % % % % & &  & `& p& & & & & & & & & '  ' 0' @' P' `' p' ' ' ' ' ' ' (  ( @( `( p( ( ( ( ( ( ) )  ) 0) @) p) ) ) ) ) ) ) ) ) * *  * 0* P* p* * * * * * + + 0+ @+ P+ `+ p+ + + + + + + + + , ,  , 0, @, P, `, p, , , , , , , - -  - 0- @- P- `- p- - - - - - - - . .  . 0. @. P. `. p. . . . . . . . . / /  / 0/ @/ P/ / / / / / / / / 0 0  0 00 @0 P0 p0 0 0 0 0 0 0 1 1  1 01 @1 p1 1 1 1 1 1 1 1 2 2  2 02 @2 P2 `2 p2 2 2 2 2 2 2 2 2 3  3 03 `3 p3 3 3 3 3 3 3 3 3 4 4  4 04 @4 P4 `4 p4 4 4 4 4 4 4 4 5 5  5 05 P5 `5 p5 5 5 5 5 5 5 6 6  6 06 P6 6 6 6 6 6 6 6 7 7  7 @7 P7 `7 p7 7 7 7 7 7 7 7 7 8 8  8 08 @8 P8 `8 p8 8 8 8 8 8 8 9 9  9 09 `9 p9 9 9 9 9 9 9 9 9 : :  : 0: @: P: `: p: : : : : : : : : ; ;  ; 0; @; P; `; p; ; ; ; ; ; ; ; ; < <  < 0< @< P< `< p< < < < < < < < = =  = @= P= ! ' P( `* * * , - 0 P3 5 `6 07 @9 0= K L M N O P Q R T U X Y Z [ \ ] ^ @@a V W _ b S ` K L M N O P Q R T U X Y Z [ \ ] ^ __mh_dylib_headerdyld_stub_binding_helper__dyld_func_lookup-[BWToolbarShowColorsItem image]-[BWToolbarShowColorsItem toolTip]-[BWToolbarShowColorsItem action]-[BWToolbarShowColorsItem target]-[BWToolbarShowColorsItem paletteLabel]-[BWToolbarShowColorsItem label]-[BWToolbarShowColorsItem itemIdentifier]-[BWToolbarShowFontsItem image]-[BWToolbarShowFontsItem toolTip]-[BWToolbarShowFontsItem action]-[BWToolbarShowFontsItem target]-[BWToolbarShowFontsItem paletteLabel]-[BWToolbarShowFontsItem label]-[BWToolbarShowFontsItem itemIdentifier]-[BWSelectableToolbar documentToolbar]-[BWSelectableToolbar editableToolbar]-[BWSelectableToolbar initWithCoder:]-[BWSelectableToolbar setHelper:]-[BWSelectableToolbar helper]-[BWSelectableToolbar isPreferencesToolbar]-[BWSelectableToolbar setEnabledByIdentifier:]-[BWSelectableToolbar switchToItemAtIndex:animate:]-[BWSelectableToolbar setSelectedIndex:]-[BWSelectableToolbar selectedIndex]-[BWSelectableToolbar labels]-[BWSelectableToolbar setIsPreferencesToolbar:]-[BWSelectableToolbar selectableItemIdentifiers]-[BWSelectableToolbar toolbarSelectableItemIdentifiers:]-[BWSelectableToolbar toolbar:itemForItemIdentifier:willBeInsertedIntoToolbar:]-[BWSelectableToolbar toolbarAllowedItemIdentifiers:]-[BWSelectableToolbar toolbarDefaultItemIdentifiers:]-[BWSelectableToolbar windowDidResize:]-[BWSelectableToolbar enabledByIdentifier]-[BWSelectableToolbar validateToolbarItem:]-[BWSelectableToolbar setEnabled:forIdentifier:]-[BWSelectableToolbar setSelectedItemIdentifierWithoutAnimation:]-[BWSelectableToolbar setSelectedItemIdentifier:]-[BWSelectableToolbar dealloc]-[BWSelectableToolbar identifierAtIndex:]-[BWSelectableToolbar setItemSelectors]-[BWSelectableToolbar toggleActiveView:]-[BWSelectableToolbar selectItemAtIndex:]-[BWSelectableToolbar toolbarIndexFromSelectableIndex:]-[BWSelectableToolbar initialSetup]-[BWSelectableToolbar selectInitialItem]-[BWSelectableToolbar selectFirstItem]-[BWSelectableToolbar awakeFromNib]-[BWSelectableToolbar initWithIdentifier:]-[BWSelectableToolbar _defaultItemIdentifiers]-[BWSelectableToolbar encodeWithCoder:]-[BWSelectableToolbar setEditableToolbar:]-[BWSelectableToolbar setDocumentToolbar:]-[BWAddRegularBottomBar initWithCoder:]-[BWAddRegularBottomBar bounds]-[BWAddRegularBottomBar drawRect:]-[BWAddRegularBottomBar awakeFromNib]-[BWRemoveBottomBar bounds]-[BWInsetTextField initWithCoder:]-[BWTransparentButtonCell drawImage:withFrame:inView:]+[BWTransparentButtonCell initialize]-[BWTransparentButtonCell setControlSize:]-[BWTransparentButtonCell controlSize]-[BWTransparentButtonCell interiorColor]-[BWTransparentButtonCell _textAttributes]-[BWTransparentButtonCell drawTitle:withFrame:inView:]-[BWTransparentButtonCell drawBezelWithFrame:inView:]-[BWTransparentCheckboxCell _textAttributes]+[BWTransparentCheckboxCell initialize]-[BWTransparentCheckboxCell setControlSize:]-[BWTransparentCheckboxCell controlSize]-[BWTransparentCheckboxCell drawImage:withFrame:inView:]-[BWTransparentCheckboxCell drawInteriorWithFrame:inView:]-[BWTransparentCheckboxCell interiorColor]-[BWTransparentCheckboxCell drawTitle:withFrame:inView:]-[BWTransparentCheckboxCell isInTableView]-[BWTransparentPopUpButtonCell drawImageWithFrame:inView:]-[BWTransparentPopUpButtonCell imageRectForBounds:]+[BWTransparentPopUpButtonCell initialize]-[BWTransparentPopUpButtonCell setControlSize:]-[BWTransparentPopUpButtonCell controlSize]-[BWTransparentPopUpButtonCell interiorColor]-[BWTransparentPopUpButtonCell _textAttributes]-[BWTransparentPopUpButtonCell titleRectForBounds:]-[BWTransparentPopUpButtonCell drawBezelWithFrame:inView:]-[BWTransparentSliderCell initWithCoder:]+[BWTransparentSliderCell initialize]-[BWTransparentSliderCell setControlSize:]-[BWTransparentSliderCell controlSize]-[BWTransparentSliderCell setTickMarkPosition:]-[BWTransparentSliderCell stopTracking:at:inView:mouseIsUp:]-[BWTransparentSliderCell startTrackingAt:inView:]-[BWTransparentSliderCell knobRectFlipped:]-[BWTransparentSliderCell _usesCustomTrackImage]-[BWTransparentSliderCell drawKnob:]-[BWTransparentSliderCell drawBarInside:flipped:]-[BWSplitView initWithCoder:]+[BWSplitView initialize]-[BWSplitView colorIsEnabled]-[BWSplitView setCheckboxIsEnabled:]-[BWSplitView setMinValues:]-[BWSplitView setMaxValues:]-[BWSplitView setMinUnits:]-[BWSplitView setMaxUnits:]-[BWSplitView setCollapsiblePopupSelection:]-[BWSplitView collapsiblePopupSelection]-[BWSplitView setDividerCanCollapse:]-[BWSplitView dividerCanCollapse]-[BWSplitView collapsibleSubviewCollapsed]-[BWSplitView setResizableSubviewPreferredProportion:]-[BWSplitView resizableSubviewPreferredProportion]-[BWSplitView setNonresizableSubviewPreferredSize:]-[BWSplitView nonresizableSubviewPreferredSize]-[BWSplitView setStateForLastPreferredCalculations:]-[BWSplitView stateForLastPreferredCalculations]-[BWSplitView setToggleCollapseButton:]-[BWSplitView toggleCollapseButton]-[BWSplitView setSecondaryDelegate:]-[BWSplitView secondaryDelegate]-[BWSplitView dealloc]-[BWSplitView maxUnits]-[BWSplitView minUnits]-[BWSplitView maxValues]-[BWSplitView minValues]-[BWSplitView color]-[BWSplitView setColor:]-[BWSplitView setColorIsEnabled:]-[BWSplitView checkboxIsEnabled]-[BWSplitView setDividerStyle:]-[BWSplitView splitView:resizeSubviewsWithOldSize:]-[BWSplitView resizeAndAdjustSubviews]-[BWSplitView clearPreferredProportionsAndSizes]-[BWSplitView validateAndCalculatePreferredProportionsAndSizes]-[BWSplitView correctCollapsiblePreferredProportionOrSize]-[BWSplitView validatePreferredProportionsAndSizes]-[BWSplitView recalculatePreferredProportionsAndSizes]-[BWSplitView subviewMaximumSize:]-[BWSplitView subviewMinimumSize:]-[BWSplitView subviewIsResizable:]-[BWSplitView resizableSubviews]-[BWSplitView splitViewWillResizeSubviews:]-[BWSplitView splitViewDidResizeSubviews:]-[BWSplitView splitView:effectiveRect:forDrawnRect:ofDividerAtIndex:]-[BWSplitView splitView:constrainSplitPosition:ofSubviewAt:]-[BWSplitView splitView:constrainMinCoordinate:ofSubviewAt:]-[BWSplitView splitView:constrainMaxCoordinate:ofSubviewAt:]-[BWSplitView splitView:shouldCollapseSubview:forDoubleClickOnDividerAtIndex:]-[BWSplitView splitView:canCollapseSubview:]-[BWSplitView splitView:additionalEffectiveRectOfDividerAtIndex:]-[BWSplitView splitView:shouldHideDividerAtIndex:]-[BWSplitView mouseDown:]-[BWSplitView toggleCollapse:]-[BWSplitView restoreAutoresizesSubviews:]-[BWSplitView removeMinSizeForCollapsibleSubview]-[BWSplitView setMinSizeForCollapsibleSubview:]-[BWSplitView setCollapsibleSubviewCollapsed:]-[BWSplitView collapsibleDividerIndex]-[BWSplitView hasCollapsibleDivider]-[BWSplitView animationDuration]-[BWSplitView animationEnded]-[BWSplitView setCollapsibleSubviewCollapsedHelper:]-[BWSplitView adjustSubviews]-[BWSplitView hasCollapsibleSubview]-[BWSplitView collapsibleSubview]-[BWSplitView collapsibleSubviewIndex]-[BWSplitView collapsibleSubviewIsCollapsed]-[BWSplitView subviewIsCollapsed:]-[BWSplitView subviewIsCollapsible:]-[BWSplitView setDelegate:]-[BWSplitView drawDimpleInRect:]-[BWSplitView drawGradientDividerInRect:]-[BWSplitView drawDividerInRect:]-[BWSplitView awakeFromNib]-[BWSplitView encodeWithCoder:]-[BWTexturedSlider initWithCoder:]+[BWTexturedSlider initialize]-[BWTexturedSlider indicatorIndex]-[BWTexturedSlider setMinButton:]-[BWTexturedSlider minButton]-[BWTexturedSlider setMaxButton:]-[BWTexturedSlider maxButton]-[BWTexturedSlider dealloc]-[BWTexturedSlider resignFirstResponder]-[BWTexturedSlider becomeFirstResponder]-[BWTexturedSlider scrollWheel:]-[BWTexturedSlider setEnabled:]-[BWTexturedSlider setIndicatorIndex:]-[BWTexturedSlider drawRect:]-[BWTexturedSlider hitTest:]-[BWTexturedSlider setSliderToMaximum]-[BWTexturedSlider setSliderToMinimum]-[BWTexturedSlider setTrackHeight:]-[BWTexturedSlider trackHeight]-[BWTexturedSlider encodeWithCoder:]-[BWTexturedSliderCell initWithCoder:]+[BWTexturedSliderCell initialize]-[BWTexturedSliderCell setTrackHeight:]-[BWTexturedSliderCell trackHeight]-[BWTexturedSliderCell stopTracking:at:inView:mouseIsUp:]-[BWTexturedSliderCell startTrackingAt:inView:]-[BWTexturedSliderCell _usesCustomTrackImage]-[BWTexturedSliderCell drawKnob:]-[BWTexturedSliderCell drawBarInside:flipped:]-[BWTexturedSliderCell setNumberOfTickMarks:]-[BWTexturedSliderCell numberOfTickMarks]-[BWTexturedSliderCell setControlSize:]-[BWTexturedSliderCell controlSize]-[BWTexturedSliderCell encodeWithCoder:]-[BWAddSmallBottomBar initWithCoder:]-[BWAddSmallBottomBar bounds]-[BWAddSmallBottomBar drawRect:]-[BWAddSmallBottomBar awakeFromNib]-[BWAnchoredButtonBar initWithFrame:]+[BWAnchoredButtonBar wasBorderedBar]+[BWAnchoredButtonBar initialize]-[BWAnchoredButtonBar selectedIndex]-[BWAnchoredButtonBar isAtBottom]-[BWAnchoredButtonBar setIsResizable:]-[BWAnchoredButtonBar isResizable]-[BWAnchoredButtonBar setHandleIsRightAligned:]-[BWAnchoredButtonBar handleIsRightAligned]-[BWAnchoredButtonBar setSplitViewDelegate:]-[BWAnchoredButtonBar splitViewDelegate]-[BWAnchoredButtonBar splitView:shouldHideDividerAtIndex:]-[BWAnchoredButtonBar splitView:shouldCollapseSubview:forDoubleClickOnDividerAtIndex:]-[BWAnchoredButtonBar splitView:effectiveRect:forDrawnRect:ofDividerAtIndex:]-[BWAnchoredButtonBar splitView:constrainSplitPosition:ofSubviewAt:]-[BWAnchoredButtonBar splitView:canCollapseSubview:]-[BWAnchoredButtonBar splitView:resizeSubviewsWithOldSize:]-[BWAnchoredButtonBar splitView:constrainMaxCoordinate:ofSubviewAt:]-[BWAnchoredButtonBar splitView:constrainMinCoordinate:ofSubviewAt:]-[BWAnchoredButtonBar splitView:additionalEffectiveRectOfDividerAtIndex:]-[BWAnchoredButtonBar dealloc]-[BWAnchoredButtonBar setSelectedIndex:]-[BWAnchoredButtonBar setIsAtBottom:]-[BWAnchoredButtonBar splitView]-[BWAnchoredButtonBar dividerIndexNearestToHandle]-[BWAnchoredButtonBar isInLastSubview]-[BWAnchoredButtonBar viewDidMoveToSuperview]-[BWAnchoredButtonBar drawLastButtonInsetInRect:]-[BWAnchoredButtonBar drawResizeHandleInRect:withColor:]-[BWAnchoredButtonBar drawRect:]-[BWAnchoredButtonBar awakeFromNib]-[BWAnchoredButtonBar encodeWithCoder:]-[BWAnchoredButtonBar initWithCoder:]-[BWAnchoredButton initWithCoder:]-[BWAnchoredButton setIsAtLeftEdgeOfBar:]-[BWAnchoredButton isAtLeftEdgeOfBar]-[BWAnchoredButton setIsAtRightEdgeOfBar:]-[BWAnchoredButton isAtRightEdgeOfBar]-[BWAnchoredButton frame]-[BWAnchoredButton mouseDown:]-[BWAnchoredButtonCell controlSize]-[BWAnchoredButtonCell setControlSize:]-[BWAnchoredButtonCell highlightRectForBounds:]-[BWAnchoredButtonCell drawBezelWithFrame:inView:]-[BWAnchoredButtonCell textColor]-[BWAnchoredButtonCell _textAttributes]+[BWAnchoredButtonCell initialize]-[BWAnchoredButtonCell drawImage:withFrame:inView:]-[BWAnchoredButtonCell imageColor]-[BWAnchoredButtonCell titleRectForBounds:]-[BWAnchoredButtonCell drawWithFrame:inView:]-[NSColor(BWAdditions) bwDrawPixelThickLineAtPosition:withInset:inRect:inView:horizontal:flip:]-[NSImage(BWAdditions) bwRotateImage90DegreesClockwise:]-[NSImage(BWAdditions) bwTintedImageWithColor:]-[BWSelectableToolbarHelper initWithCoder:]-[BWSelectableToolbarHelper setContentViewsByIdentifier:]-[BWSelectableToolbarHelper contentViewsByIdentifier]-[BWSelectableToolbarHelper setWindowSizesByIdentifier:]-[BWSelectableToolbarHelper windowSizesByIdentifier]-[BWSelectableToolbarHelper setSelectedIdentifier:]-[BWSelectableToolbarHelper selectedIdentifier]-[BWSelectableToolbarHelper setOldWindowTitle:]-[BWSelectableToolbarHelper oldWindowTitle]-[BWSelectableToolbarHelper setInitialIBWindowSize:]-[BWSelectableToolbarHelper initialIBWindowSize]-[BWSelectableToolbarHelper setIsPreferencesToolbar:]-[BWSelectableToolbarHelper isPreferencesToolbar]-[BWSelectableToolbarHelper dealloc]-[BWSelectableToolbarHelper encodeWithCoder:]-[BWSelectableToolbarHelper init]-[NSWindow(BWAdditions) bwIsTextured]-[NSWindow(BWAdditions) bwResizeToSize:animate:]-[NSView(BWAdditions) bwBringToFront]-[NSView(BWAdditions) bwAnimator]-[NSView(BWAdditions) bwTurnOffLayer]-[BWTransparentTableView addTableColumn:]+[BWTransparentTableView cellClass]+[BWTransparentTableView initialize]-[BWTransparentTableView highlightSelectionInClipRect:]-[BWTransparentTableView _highlightColorForCell:]-[BWTransparentTableView _alternatingRowBackgroundColors]-[BWTransparentTableView backgroundColor]-[BWTransparentTableView drawBackgroundInClipRect:]-[BWTransparentTableViewCell drawInteriorWithFrame:inView:]-[BWTransparentTableViewCell editWithFrame:inView:editor:delegate:event:]-[BWTransparentTableViewCell selectWithFrame:inView:editor:delegate:start:length:]-[BWTransparentTableViewCell drawingRectForBounds:]-[BWAnchoredPopUpButton initWithCoder:]-[BWAnchoredPopUpButton setIsAtLeftEdgeOfBar:]-[BWAnchoredPopUpButton isAtLeftEdgeOfBar]-[BWAnchoredPopUpButton setIsAtRightEdgeOfBar:]-[BWAnchoredPopUpButton isAtRightEdgeOfBar]-[BWAnchoredPopUpButton frame]-[BWAnchoredPopUpButton mouseDown:]-[BWAnchoredPopUpButtonCell controlSize]-[BWAnchoredPopUpButtonCell setControlSize:]-[BWAnchoredPopUpButtonCell highlightRectForBounds:]-[BWAnchoredPopUpButtonCell drawBorderAndBackgroundWithFrame:inView:]-[BWAnchoredPopUpButtonCell textColor]-[BWAnchoredPopUpButtonCell _textAttributes]+[BWAnchoredPopUpButtonCell initialize]-[BWAnchoredPopUpButtonCell drawImageWithFrame:inView:]-[BWAnchoredPopUpButtonCell imageRectForBounds:]-[BWAnchoredPopUpButtonCell imageColor]-[BWAnchoredPopUpButtonCell titleRectForBounds:]-[BWAnchoredPopUpButtonCell drawArrowInFrame:]-[BWAnchoredPopUpButtonCell drawWithFrame:inView:]-[BWCustomView drawRect:]-[BWCustomView drawTextInRect:]-[BWUnanchoredButton initWithCoder:]-[BWUnanchoredButton frame]-[BWUnanchoredButton mouseDown:]-[BWUnanchoredButtonCell drawBezelWithFrame:inView:]-[BWUnanchoredButtonCell highlightRectForBounds:]+[BWUnanchoredButtonCell initialize]-[BWUnanchoredButtonContainer awakeFromNib]-[BWSheetController awakeFromNib]-[BWSheetController encodeWithCoder:]-[BWSheetController openSheet:]-[BWSheetController closeSheet:]-[BWSheetController messageDelegateAndCloseSheet:]-[BWSheetController delegate]-[BWSheetController sheet]-[BWSheetController parentWindow]-[BWSheetController initWithCoder:]-[BWSheetController setParentWindow:]-[BWSheetController setSheet:]-[BWSheetController setDelegate:]-[BWTransparentScrollView initWithCoder:]+[BWTransparentScrollView _verticalScrollerClass]-[BWAddMiniBottomBar initWithCoder:]-[BWAddMiniBottomBar bounds]-[BWAddMiniBottomBar drawRect:]-[BWAddMiniBottomBar awakeFromNib]-[BWAddSheetBottomBar initWithCoder:]-[BWAddSheetBottomBar bounds]-[BWAddSheetBottomBar drawRect:]-[BWAddSheetBottomBar awakeFromNib]-[BWTokenFieldCell setUpTokenAttachmentCell:forRepresentedObject:]-[BWTokenAttachmentCell arrowInHighlightedState:]-[BWTokenAttachmentCell interiorBackgroundStyle]+[BWTokenAttachmentCell initialize]-[BWTokenAttachmentCell pullDownRectForBounds:]-[BWTokenAttachmentCell pullDownImage]-[BWTokenAttachmentCell _textAttributes]-[BWTokenAttachmentCell drawTokenWithFrame:inView:]-[BWTransparentScroller initWithFrame:]+[BWTransparentScroller scrollerWidthForControlSize:]+[BWTransparentScroller scrollerWidth]+[BWTransparentScroller initialize]-[BWTransparentScroller rectForPart:]-[BWTransparentScroller _drawingRectForPart:]-[BWTransparentScroller drawKnob]-[BWTransparentScroller drawKnobSlot]-[BWTransparentScroller drawRect:]-[BWTransparentScroller initWithCoder:]-[BWTransparentTextFieldCell _textAttributes]+[BWTransparentTextFieldCell initialize]-[BWToolbarItem initWithCoder:]-[BWToolbarItem identifierString]-[BWToolbarItem dealloc]-[BWToolbarItem setIdentifierString:]-[BWToolbarItem encodeWithCoder:]+[NSString(BWAdditions) bwRandomUUID]+[NSEvent(BWAdditions) bwShiftKeyIsDown]+[NSEvent(BWAdditions) bwCommandKeyIsDown]+[NSEvent(BWAdditions) bwOptionKeyIsDown]+[NSEvent(BWAdditions) bwControlKeyIsDown]+[NSEvent(BWAdditions) bwCapsLockKeyIsDown]-[BWHyperlinkButton awakeFromNib]-[BWHyperlinkButton initWithCoder:]-[BWHyperlinkButton setUrlString:]-[BWHyperlinkButton urlString]-[BWHyperlinkButton dealloc]-[BWHyperlinkButton resetCursorRects]-[BWHyperlinkButton openURLInBrowser:]-[BWHyperlinkButton encodeWithCoder:]-[BWHyperlinkButtonCell _textAttributes]-[BWHyperlinkButtonCell isBordered]-[BWHyperlinkButtonCell setBordered:]-[BWHyperlinkButtonCell drawBezelWithFrame:inView:]-[BWGradientBox initWithCoder:]-[BWGradientBox fillStartingColor]-[BWGradientBox fillEndingColor]-[BWGradientBox fillColor]-[BWGradientBox topBorderColor]-[BWGradientBox bottomBorderColor]-[BWGradientBox setTopInsetAlpha:]-[BWGradientBox topInsetAlpha]-[BWGradientBox setBottomInsetAlpha:]-[BWGradientBox bottomInsetAlpha]-[BWGradientBox setHasTopBorder:]-[BWGradientBox hasTopBorder]-[BWGradientBox setHasBottomBorder:]-[BWGradientBox hasBottomBorder]-[BWGradientBox setHasGradient:]-[BWGradientBox hasGradient]-[BWGradientBox setHasFillColor:]-[BWGradientBox hasFillColor]-[BWGradientBox dealloc]-[BWGradientBox setBottomBorderColor:]-[BWGradientBox setTopBorderColor:]-[BWGradientBox setFillEndingColor:]-[BWGradientBox setFillStartingColor:]-[BWGradientBox setFillColor:]-[BWGradientBox isFlipped]-[BWGradientBox drawRect:]-[BWGradientBox encodeWithCoder:]-[BWStyledTextField hasShadow]-[BWStyledTextField setHasShadow:]-[BWStyledTextField shadowIsBelow]-[BWStyledTextField setShadowIsBelow:]-[BWStyledTextField shadowColor]-[BWStyledTextField setShadowColor:]-[BWStyledTextField hasGradient]-[BWStyledTextField setHasGradient:]-[BWStyledTextField startingColor]-[BWStyledTextField setStartingColor:]-[BWStyledTextField endingColor]-[BWStyledTextField setEndingColor:]-[BWStyledTextField solidColor]-[BWStyledTextField setSolidColor:]-[BWStyledTextFieldCell initWithCoder:]-[BWStyledTextFieldCell shadowIsBelow]-[BWStyledTextFieldCell shadowColor]-[BWStyledTextFieldCell setHasShadow:]-[BWStyledTextFieldCell hasShadow]-[BWStyledTextFieldCell setShadow:]-[BWStyledTextFieldCell shadow]-[BWStyledTextFieldCell setPreviousAttributes:]-[BWStyledTextFieldCell previousAttributes]-[BWStyledTextFieldCell startingColor]-[BWStyledTextFieldCell endingColor]-[BWStyledTextFieldCell hasGradient]-[BWStyledTextFieldCell solidColor]-[BWStyledTextFieldCell setShadowColor:]-[BWStyledTextFieldCell setShadowIsBelow:]-[BWStyledTextFieldCell setHasGradient:]-[BWStyledTextFieldCell setSolidColor:]-[BWStyledTextFieldCell setEndingColor:]-[BWStyledTextFieldCell setStartingColor:]-[BWStyledTextFieldCell drawInteriorWithFrame:inView:]-[BWStyledTextFieldCell applyGradient]-[BWStyledTextFieldCell awakeFromNib]-[BWStyledTextFieldCell changeShadow]-[BWStyledTextFieldCell _textAttributes]-[BWStyledTextFieldCell dealloc]-[BWStyledTextFieldCell copyWithZone:]-[BWStyledTextFieldCell encodeWithCoder:]+[NSApplication(BWAdditions) bwIsOnLeopard] stub helpers_scaleFactor_documentToolbar_editableToolbar_enabledColor_disabledColor_buttonFillN_buttonRightP_buttonFillP_buttonLeftP_buttonRightN_buttonLeftN_contentShadow_enabledColor_disabledColor_checkboxOffN_checkboxOnP_checkboxOnN_checkboxOffP_enabledColor_disabledColor_popUpFillN_pullDownRightP_popUpFillP_popUpLeftP_popUpRightP_pullDownRightN_popUpLeftN_popUpRightN_thumbPImage_thumbNImage_triangleThumbPImage_triangleThumbNImage_trackFillImage_trackRightImage_trackLeftImage_gradient_borderColor_dimpleImageBitmap_dimpleImageVector_gradientStartColor_gradientEndColor_smallPhotoImage_largePhotoImage_quietSpeakerImage_loudSpeakerImage_thumbPImage_thumbNImage_trackFillImage_trackRightImage_trackLeftImage_wasBorderedBar_gradient_topLineColor_borderedTopLineColor_resizeHandleColor_resizeInsetColor_bottomLineColor_sideInsetColor_topColor_middleTopColor_middleBottomColor_bottomColor_fillGradient_bottomBorderColor_sideInsetColor_borderedTopBorderColor_borderedSideBorderColor_topBorderColor_sideBorderColor_enabledTextColor_disabledTextColor_contentShadow_enabledImageColor_disabledImageColor_pressedColor_fillStop1_fillStop2_fillStop3_fillStop4_rowColor_altRowColor_highlightColor_fillGradient_bottomBorderColor_sideInsetColor_borderedTopBorderColor_borderedSideBorderColor_topBorderColor_sideBorderColor_enabledTextColor_disabledTextColor_contentShadow_enabledImageColor_disabledImageColor_pressedColor_pullDownArrow_fillStop1_fillStop2_fillStop3_fillStop4_fillGradient_topInsetColor_topBorderColor_borderColor_bottomInsetColor_fillStop1_fillStop2_fillStop3_fillStop4_pressedColor_highlightedArrowColor_arrowGradient_textShadow_blueStrokeGradient_blueInsetGradient_blueGradient_highlightedBlueStrokeGradient_highlightedBlueInsetGradient_highlightedBlueGradient_slotVerticalFill_backgroundColor_minKnobHeight_minKnobWidth_slotBottom_slotTop_slotRight_slotHorizontalFill_slotLeft_knobBottom_knobVerticalFill_knobTop_knobRight_knobHorizontalFill_knobLeft_textShadow_BWSelectableToolbarItemClickedNotification_OBJC_CLASS_$_BWAddMiniBottomBar_OBJC_CLASS_$_BWAddRegularBottomBar_OBJC_CLASS_$_BWAddSheetBottomBar_OBJC_CLASS_$_BWAddSmallBottomBar_OBJC_CLASS_$_BWAnchoredButton_OBJC_CLASS_$_BWAnchoredButtonBar_OBJC_CLASS_$_BWAnchoredButtonCell_OBJC_CLASS_$_BWAnchoredPopUpButton_OBJC_CLASS_$_BWAnchoredPopUpButtonCell_OBJC_CLASS_$_BWCustomView_OBJC_CLASS_$_BWGradientBox_OBJC_CLASS_$_BWHyperlinkButton_OBJC_CLASS_$_BWHyperlinkButtonCell_OBJC_CLASS_$_BWInsetTextField_OBJC_CLASS_$_BWRemoveBottomBar_OBJC_CLASS_$_BWSelectableToolbar_OBJC_CLASS_$_BWSelectableToolbarHelper_OBJC_CLASS_$_BWSheetController_OBJC_CLASS_$_BWSplitView_OBJC_CLASS_$_BWStyledTextField_OBJC_CLASS_$_BWStyledTextFieldCell_OBJC_CLASS_$_BWTexturedSlider_OBJC_CLASS_$_BWTexturedSliderCell_OBJC_CLASS_$_BWTokenAttachmentCell_OBJC_CLASS_$_BWTokenField_OBJC_CLASS_$_BWTokenFieldCell_OBJC_CLASS_$_BWToolbarItem_OBJC_CLASS_$_BWToolbarShowColorsItem_OBJC_CLASS_$_BWToolbarShowFontsItem_OBJC_CLASS_$_BWTransparentButton_OBJC_CLASS_$_BWTransparentButtonCell_OBJC_CLASS_$_BWTransparentCheckbox_OBJC_CLASS_$_BWTransparentCheckboxCell_OBJC_CLASS_$_BWTransparentPopUpButton_OBJC_CLASS_$_BWTransparentPopUpButtonCell_OBJC_CLASS_$_BWTransparentScrollView_OBJC_CLASS_$_BWTransparentScroller_OBJC_CLASS_$_BWTransparentSlider_OBJC_CLASS_$_BWTransparentSliderCell_OBJC_CLASS_$_BWTransparentTableView_OBJC_CLASS_$_BWTransparentTableViewCell_OBJC_CLASS_$_BWTransparentTextFieldCell_OBJC_CLASS_$_BWUnanchoredButton_OBJC_CLASS_$_BWUnanchoredButtonCell_OBJC_CLASS_$_BWUnanchoredButtonContainer_OBJC_IVAR_$_BWAnchoredButton.isAtLeftEdgeOfBar_OBJC_IVAR_$_BWAnchoredButton.isAtRightEdgeOfBar_OBJC_IVAR_$_BWAnchoredButton.topAndLeftInset_OBJC_IVAR_$_BWAnchoredButtonBar.handleIsRightAligned_OBJC_IVAR_$_BWAnchoredButtonBar.isAtBottom_OBJC_IVAR_$_BWAnchoredButtonBar.isResizable_OBJC_IVAR_$_BWAnchoredButtonBar.selectedIndex_OBJC_IVAR_$_BWAnchoredButtonBar.splitViewDelegate_OBJC_IVAR_$_BWAnchoredPopUpButton.isAtLeftEdgeOfBar_OBJC_IVAR_$_BWAnchoredPopUpButton.isAtRightEdgeOfBar_OBJC_IVAR_$_BWAnchoredPopUpButton.topAndLeftInset_OBJC_IVAR_$_BWCustomView.isOnItsOwn_OBJC_IVAR_$_BWGradientBox.bottomBorderColor_OBJC_IVAR_$_BWGradientBox.bottomInsetAlpha_OBJC_IVAR_$_BWGradientBox.fillColor_OBJC_IVAR_$_BWGradientBox.fillEndingColor_OBJC_IVAR_$_BWGradientBox.fillStartingColor_OBJC_IVAR_$_BWGradientBox.hasBottomBorder_OBJC_IVAR_$_BWGradientBox.hasFillColor_OBJC_IVAR_$_BWGradientBox.hasGradient_OBJC_IVAR_$_BWGradientBox.hasTopBorder_OBJC_IVAR_$_BWGradientBox.topBorderColor_OBJC_IVAR_$_BWGradientBox.topInsetAlpha_OBJC_IVAR_$_BWHyperlinkButton.urlString_OBJC_IVAR_$_BWSelectableToolbar.enabledByIdentifier_OBJC_IVAR_$_BWSelectableToolbar.helper_OBJC_IVAR_$_BWSelectableToolbar.inIB_OBJC_IVAR_$_BWSelectableToolbar.isPreferencesToolbar_OBJC_IVAR_$_BWSelectableToolbar.itemIdentifiers_OBJC_IVAR_$_BWSelectableToolbar.itemsByIdentifier_OBJC_IVAR_$_BWSelectableToolbar.selectedIndex_OBJC_IVAR_$_BWSelectableToolbarHelper.contentViewsByIdentifier_OBJC_IVAR_$_BWSelectableToolbarHelper.initialIBWindowSize_OBJC_IVAR_$_BWSelectableToolbarHelper.isPreferencesToolbar_OBJC_IVAR_$_BWSelectableToolbarHelper.oldWindowTitle_OBJC_IVAR_$_BWSelectableToolbarHelper.selectedIdentifier_OBJC_IVAR_$_BWSelectableToolbarHelper.windowSizesByIdentifier_OBJC_IVAR_$_BWSheetController.delegate_OBJC_IVAR_$_BWSheetController.parentWindow_OBJC_IVAR_$_BWSheetController.sheet_OBJC_IVAR_$_BWSplitView.checkboxIsEnabled_OBJC_IVAR_$_BWSplitView.collapsiblePopupSelection_OBJC_IVAR_$_BWSplitView.collapsibleSubviewCollapsed_OBJC_IVAR_$_BWSplitView.color_OBJC_IVAR_$_BWSplitView.colorIsEnabled_OBJC_IVAR_$_BWSplitView.dividerCanCollapse_OBJC_IVAR_$_BWSplitView.isAnimating_OBJC_IVAR_$_BWSplitView.maxUnits_OBJC_IVAR_$_BWSplitView.maxValues_OBJC_IVAR_$_BWSplitView.minUnits_OBJC_IVAR_$_BWSplitView.minValues_OBJC_IVAR_$_BWSplitView.nonresizableSubviewPreferredSize_OBJC_IVAR_$_BWSplitView.resizableSubviewPreferredProportion_OBJC_IVAR_$_BWSplitView.secondaryDelegate_OBJC_IVAR_$_BWSplitView.stateForLastPreferredCalculations_OBJC_IVAR_$_BWSplitView.toggleCollapseButton_OBJC_IVAR_$_BWSplitView.uncollapsedSize_OBJC_IVAR_$_BWStyledTextFieldCell.endingColor_OBJC_IVAR_$_BWStyledTextFieldCell.hasGradient_OBJC_IVAR_$_BWStyledTextFieldCell.hasShadow_OBJC_IVAR_$_BWStyledTextFieldCell.previousAttributes_OBJC_IVAR_$_BWStyledTextFieldCell.shadow_OBJC_IVAR_$_BWStyledTextFieldCell.shadowColor_OBJC_IVAR_$_BWStyledTextFieldCell.shadowIsBelow_OBJC_IVAR_$_BWStyledTextFieldCell.solidColor_OBJC_IVAR_$_BWStyledTextFieldCell.startingColor_OBJC_IVAR_$_BWTexturedSlider.indicatorIndex_OBJC_IVAR_$_BWTexturedSlider.maxButton_OBJC_IVAR_$_BWTexturedSlider.minButton_OBJC_IVAR_$_BWTexturedSlider.sliderCellRect_OBJC_IVAR_$_BWTexturedSlider.trackHeight_OBJC_IVAR_$_BWTexturedSliderCell.isPressed_OBJC_IVAR_$_BWTexturedSliderCell.trackHeight_OBJC_IVAR_$_BWToolbarItem.identifierString_OBJC_IVAR_$_BWTransparentScroller.isVertical_OBJC_IVAR_$_BWTransparentSliderCell.isPressed_OBJC_IVAR_$_BWTransparentTableViewCell.mIsEditingOrSelecting_OBJC_IVAR_$_BWUnanchoredButton.topAndLeftInset_OBJC_METACLASS_$_BWAddMiniBottomBar_OBJC_METACLASS_$_BWAddRegularBottomBar_OBJC_METACLASS_$_BWAddSheetBottomBar_OBJC_METACLASS_$_BWAddSmallBottomBar_OBJC_METACLASS_$_BWAnchoredButton_OBJC_METACLASS_$_BWAnchoredButtonBar_OBJC_METACLASS_$_BWAnchoredButtonCell_OBJC_METACLASS_$_BWAnchoredPopUpButton_OBJC_METACLASS_$_BWAnchoredPopUpButtonCell_OBJC_METACLASS_$_BWCustomView_OBJC_METACLASS_$_BWGradientBox_OBJC_METACLASS_$_BWHyperlinkButton_OBJC_METACLASS_$_BWHyperlinkButtonCell_OBJC_METACLASS_$_BWInsetTextField_OBJC_METACLASS_$_BWRemoveBottomBar_OBJC_METACLASS_$_BWSelectableToolbar_OBJC_METACLASS_$_BWSelectableToolbarHelper_OBJC_METACLASS_$_BWSheetController_OBJC_METACLASS_$_BWSplitView_OBJC_METACLASS_$_BWStyledTextField_OBJC_METACLASS_$_BWStyledTextFieldCell_OBJC_METACLASS_$_BWTexturedSlider_OBJC_METACLASS_$_BWTexturedSliderCell_OBJC_METACLASS_$_BWTokenAttachmentCell_OBJC_METACLASS_$_BWTokenField_OBJC_METACLASS_$_BWTokenFieldCell_OBJC_METACLASS_$_BWToolbarItem_OBJC_METACLASS_$_BWToolbarShowColorsItem_OBJC_METACLASS_$_BWToolbarShowFontsItem_OBJC_METACLASS_$_BWTransparentButton_OBJC_METACLASS_$_BWTransparentButtonCell_OBJC_METACLASS_$_BWTransparentCheckbox_OBJC_METACLASS_$_BWTransparentCheckboxCell_OBJC_METACLASS_$_BWTransparentPopUpButton_OBJC_METACLASS_$_BWTransparentPopUpButtonCell_OBJC_METACLASS_$_BWTransparentScrollView_OBJC_METACLASS_$_BWTransparentScroller_OBJC_METACLASS_$_BWTransparentSlider_OBJC_METACLASS_$_BWTransparentSliderCell_OBJC_METACLASS_$_BWTransparentTableView_OBJC_METACLASS_$_BWTransparentTableViewCell_OBJC_METACLASS_$_BWTransparentTextFieldCell_OBJC_METACLASS_$_BWUnanchoredButton_OBJC_METACLASS_$_BWUnanchoredButtonCell_OBJC_METACLASS_$_BWUnanchoredButtonContainer_compareViews_CFMakeCollectable_CFRelease_CFUUIDCreate_CFUUIDCreateString_CGContextRestoreGState_CGContextSaveGState_CGContextSetShouldSmoothFonts_Gestalt_NSApp_NSClassFromString_NSDrawThreePartImage_NSFontAttributeName_NSForegroundColorAttributeName_NSInsetRect_NSIntegralRect_NSIsEmptyRect_NSOffsetRect_NSPointInRect_NSRectFill_NSRectFillUsingOperation_NSShadowAttributeName_NSUnderlineStyleAttributeName_NSWindowDidResizeNotification_NSZeroRect_OBJC_CLASS_$_NSAffineTransform_OBJC_CLASS_$_NSAnimationContext_OBJC_CLASS_$_NSApplication_OBJC_CLASS_$_NSArchiver_OBJC_CLASS_$_NSArray_OBJC_CLASS_$_NSBezierPath_OBJC_CLASS_$_NSBundle_OBJC_CLASS_$_NSButton_OBJC_CLASS_$_NSButtonCell_OBJC_CLASS_$_NSColor_OBJC_CLASS_$_NSCursor_OBJC_CLASS_$_NSCustomView_OBJC_CLASS_$_NSDictionary_OBJC_CLASS_$_NSEvent_OBJC_CLASS_$_NSFont_OBJC_CLASS_$_NSGradient_OBJC_CLASS_$_NSGraphicsContext_OBJC_CLASS_$_NSImage_OBJC_CLASS_$_NSMutableArray_OBJC_CLASS_$_NSMutableAttributedString_OBJC_CLASS_$_NSMutableDictionary_OBJC_CLASS_$_NSNotificationCenter_OBJC_CLASS_$_NSNumber_OBJC_CLASS_$_NSObject_OBJC_CLASS_$_NSPopUpButton_OBJC_CLASS_$_NSPopUpButtonCell_OBJC_CLASS_$_NSScreen_OBJC_CLASS_$_NSScrollView_OBJC_CLASS_$_NSScroller_OBJC_CLASS_$_NSShadow_OBJC_CLASS_$_NSSlider_OBJC_CLASS_$_NSSliderCell_OBJC_CLASS_$_NSSortDescriptor_OBJC_CLASS_$_NSSplitView_OBJC_CLASS_$_NSString_OBJC_CLASS_$_NSTableView_OBJC_CLASS_$_NSTextField_OBJC_CLASS_$_NSTextFieldCell_OBJC_CLASS_$_NSTokenAttachmentCell_OBJC_CLASS_$_NSTokenField_OBJC_CLASS_$_NSTokenFieldCell_OBJC_CLASS_$_NSToolbar_OBJC_CLASS_$_NSToolbarItem_OBJC_CLASS_$_NSURL_OBJC_CLASS_$_NSUnarchiver_OBJC_CLASS_$_NSValue_OBJC_CLASS_$_NSView_OBJC_CLASS_$_NSWindow_OBJC_CLASS_$_NSWindowController_OBJC_CLASS_$_NSWorkspace_OBJC_IVAR_$_NSTokenAttachmentCell._tacFlags_OBJC_METACLASS_$_NSButton_OBJC_METACLASS_$_NSButtonCell_OBJC_METACLASS_$_NSCustomView_OBJC_METACLASS_$_NSObject_OBJC_METACLASS_$_NSPopUpButton_OBJC_METACLASS_$_NSPopUpButtonCell_OBJC_METACLASS_$_NSScrollView_OBJC_METACLASS_$_NSScroller_OBJC_METACLASS_$_NSSlider_OBJC_METACLASS_$_NSSliderCell_OBJC_METACLASS_$_NSSplitView_OBJC_METACLASS_$_NSTableView_OBJC_METACLASS_$_NSTextField_OBJC_METACLASS_$_NSTextFieldCell_OBJC_METACLASS_$_NSTokenAttachmentCell_OBJC_METACLASS_$_NSTokenField_OBJC_METACLASS_$_NSTokenFieldCell_OBJC_METACLASS_$_NSToolbar_OBJC_METACLASS_$_NSToolbarItem_OBJC_METACLASS_$_NSView___CFConstantStringClassReference__objc_empty_cache__objc_empty_vtable_ceilf_floor_fmaxf_fminf_modf_objc_assign_global_objc_assign_ivar_objc_enumerationMutation_objc_getProperty_objc_msgSendSuper2_fixup_objc_msgSendSuper2_stret_fixup_objc_msgSend_fixup_objc_msgSend_stret_fixup_objc_setProperty_roundfdyld_stub_binder/Users/brandon/Temp/bwtoolkit/BWToolbarShowColorsItem.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWToolbarShowColorsItem.o-[BWToolbarShowColorsItem image]/Users/brandon/Temp/bwtoolkit/BWToolbarShowColorsItem.m-[BWToolbarShowColorsItem toolTip]-[BWToolbarShowColorsItem action]-[BWToolbarShowColorsItem target]-[BWToolbarShowColorsItem paletteLabel]-[BWToolbarShowColorsItem label]-[BWToolbarShowColorsItem itemIdentifier]_OBJC_METACLASS_$_BWToolbarShowColorsItem_OBJC_CLASS_$_BWToolbarShowColorsItemBWToolbarShowFontsItem.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWToolbarShowFontsItem.o-[BWToolbarShowFontsItem image]/Users/brandon/Temp/bwtoolkit/BWToolbarShowFontsItem.m-[BWToolbarShowFontsItem toolTip]-[BWToolbarShowFontsItem action]-[BWToolbarShowFontsItem target]-[BWToolbarShowFontsItem paletteLabel]-[BWToolbarShowFontsItem label]-[BWToolbarShowFontsItem itemIdentifier]_OBJC_METACLASS_$_BWToolbarShowFontsItem_OBJC_CLASS_$_BWToolbarShowFontsItemBWSelectableToolbar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWSelectableToolbar.o-[BWSelectableToolbar documentToolbar]-[BWSelectableToolbar editableToolbar]/Users/brandon/Temp/bwtoolkit/BWSelectableToolbar.m-[BWSelectableToolbar initWithCoder:]-[BWSelectableToolbar setHelper:]-[BWSelectableToolbar helper]-[BWSelectableToolbar isPreferencesToolbar]-[BWSelectableToolbar setEnabledByIdentifier:]-[BWSelectableToolbar switchToItemAtIndex:animate:]-[BWSelectableToolbar setSelectedIndex:]-[BWSelectableToolbar selectedIndex]-[BWSelectableToolbar labels]-[BWSelectableToolbar setIsPreferencesToolbar:]-[BWSelectableToolbar selectableItemIdentifiers]-[BWSelectableToolbar toolbarSelectableItemIdentifiers:]-[BWSelectableToolbar toolbar:itemForItemIdentifier:willBeInsertedIntoToolbar:]-[BWSelectableToolbar toolbarAllowedItemIdentifiers:]-[BWSelectableToolbar toolbarDefaultItemIdentifiers:]-[BWSelectableToolbar windowDidResize:]-[BWSelectableToolbar enabledByIdentifier]-[BWSelectableToolbar validateToolbarItem:]-[BWSelectableToolbar setEnabled:forIdentifier:]-[BWSelectableToolbar setSelectedItemIdentifierWithoutAnimation:]-[BWSelectableToolbar setSelectedItemIdentifier:]-[BWSelectableToolbar dealloc]-[BWSelectableToolbar identifierAtIndex:]-[BWSelectableToolbar setItemSelectors]-[BWSelectableToolbar toggleActiveView:]-[BWSelectableToolbar selectItemAtIndex:]-[BWSelectableToolbar toolbarIndexFromSelectableIndex:]-[BWSelectableToolbar initialSetup]-[BWSelectableToolbar selectInitialItem]-[BWSelectableToolbar selectFirstItem]-[BWSelectableToolbar awakeFromNib]-[BWSelectableToolbar initWithIdentifier:]-[BWSelectableToolbar _defaultItemIdentifiers]-[BWSelectableToolbar encodeWithCoder:]-[BWSelectableToolbar setEditableToolbar:]-[BWSelectableToolbar setDocumentToolbar:]_BWSelectableToolbarItemClickedNotification_OBJC_METACLASS_$_BWSelectableToolbar_OBJC_CLASS_$_BWSelectableToolbar_OBJC_IVAR_$_BWSelectableToolbar.helper_OBJC_IVAR_$_BWSelectableToolbar.itemIdentifiers_OBJC_IVAR_$_BWSelectableToolbar.itemsByIdentifier_OBJC_IVAR_$_BWSelectableToolbar.enabledByIdentifier_OBJC_IVAR_$_BWSelectableToolbar.inIB_OBJC_IVAR_$_BWSelectableToolbar.selectedIndex_OBJC_IVAR_$_BWSelectableToolbar.isPreferencesToolbar_documentToolbar_editableToolbarBWAddRegularBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWAddRegularBottomBar.o-[BWAddRegularBottomBar initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWAddRegularBottomBar.m-[BWAddRegularBottomBar bounds]/System/Library/Frameworks/Foundation.framework/Headers/NSGeometry.h-[BWAddRegularBottomBar drawRect:]-[BWAddRegularBottomBar awakeFromNib]_OBJC_METACLASS_$_BWAddRegularBottomBar_OBJC_CLASS_$_BWAddRegularBottomBarBWRemoveBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWRemoveBottomBar.o-[BWRemoveBottomBar bounds]_OBJC_METACLASS_$_BWRemoveBottomBar_OBJC_CLASS_$_BWRemoveBottomBarBWInsetTextField.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWInsetTextField.o-[BWInsetTextField initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWInsetTextField.m_OBJC_METACLASS_$_BWInsetTextField_OBJC_CLASS_$_BWInsetTextFieldBWTransparentButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWTransparentButtonCell.o-[BWTransparentButtonCell drawImage:withFrame:inView:]/Users/brandon/Temp/bwtoolkit/BWTransparentButtonCell.m+[BWTransparentButtonCell initialize]-[BWTransparentButtonCell setControlSize:]-[BWTransparentButtonCell controlSize]-[BWTransparentButtonCell interiorColor]-[BWTransparentButtonCell _textAttributes]-[BWTransparentButtonCell drawTitle:withFrame:inView:]-[BWTransparentButtonCell drawBezelWithFrame:inView:]_OBJC_METACLASS_$_BWTransparentButtonCell_OBJC_CLASS_$_BWTransparentButtonCell_enabledColor_disabledColor_buttonFillN_buttonRightP_buttonFillP_buttonLeftP_buttonRightN_buttonLeftNBWTransparentCheckboxCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWTransparentCheckboxCell.o-[BWTransparentCheckboxCell _textAttributes]/Users/brandon/Temp/bwtoolkit/BWTransparentCheckboxCell.m+[BWTransparentCheckboxCell initialize]-[BWTransparentCheckboxCell setControlSize:]-[BWTransparentCheckboxCell controlSize]-[BWTransparentCheckboxCell drawImage:withFrame:inView:]-[BWTransparentCheckboxCell drawInteriorWithFrame:inView:]-[BWTransparentCheckboxCell interiorColor]-[BWTransparentCheckboxCell drawTitle:withFrame:inView:]-[BWTransparentCheckboxCell isInTableView]_OBJC_METACLASS_$_BWTransparentCheckboxCell_OBJC_CLASS_$_BWTransparentCheckboxCell_contentShadow_enabledColor_disabledColor_checkboxOffN_checkboxOnP_checkboxOnN_checkboxOffPBWTransparentPopUpButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWTransparentPopUpButtonCell.o-[BWTransparentPopUpButtonCell drawImageWithFrame:inView:]/Users/brandon/Temp/bwtoolkit/BWTransparentPopUpButtonCell.m-[BWTransparentPopUpButtonCell imageRectForBounds:]+[BWTransparentPopUpButtonCell initialize]-[BWTransparentPopUpButtonCell setControlSize:]-[BWTransparentPopUpButtonCell controlSize]-[BWTransparentPopUpButtonCell interiorColor]-[BWTransparentPopUpButtonCell _textAttributes]-[BWTransparentPopUpButtonCell titleRectForBounds:]-[BWTransparentPopUpButtonCell drawBezelWithFrame:inView:]_OBJC_METACLASS_$_BWTransparentPopUpButtonCell_OBJC_CLASS_$_BWTransparentPopUpButtonCell_enabledColor_disabledColor_popUpFillN_pullDownRightP_popUpFillP_popUpLeftP_popUpRightP_pullDownRightN_popUpLeftN_popUpRightNBWTransparentSliderCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWTransparentSliderCell.o-[BWTransparentSliderCell initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWTransparentSliderCell.m+[BWTransparentSliderCell initialize]-[BWTransparentSliderCell setControlSize:]-[BWTransparentSliderCell controlSize]-[BWTransparentSliderCell setTickMarkPosition:]-[BWTransparentSliderCell stopTracking:at:inView:mouseIsUp:]-[BWTransparentSliderCell startTrackingAt:inView:]-[BWTransparentSliderCell knobRectFlipped:]-[BWTransparentSliderCell _usesCustomTrackImage]-[BWTransparentSliderCell drawKnob:]-[BWTransparentSliderCell drawBarInside:flipped:]_OBJC_METACLASS_$_BWTransparentSliderCell_OBJC_CLASS_$_BWTransparentSliderCell_OBJC_IVAR_$_BWTransparentSliderCell.isPressed_thumbPImage_thumbNImage_triangleThumbPImage_triangleThumbNImage_trackFillImage_trackRightImage_trackLeftImageBWSplitView.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWSplitView.o-[BWSplitView initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWSplitView.m+[BWSplitView initialize]-[BWSplitView colorIsEnabled]-[BWSplitView setCheckboxIsEnabled:]-[BWSplitView setMinValues:]-[BWSplitView setMaxValues:]-[BWSplitView setMinUnits:]-[BWSplitView setMaxUnits:]-[BWSplitView setCollapsiblePopupSelection:]-[BWSplitView collapsiblePopupSelection]-[BWSplitView setDividerCanCollapse:]-[BWSplitView dividerCanCollapse]-[BWSplitView collapsibleSubviewCollapsed]-[BWSplitView setResizableSubviewPreferredProportion:]-[BWSplitView resizableSubviewPreferredProportion]-[BWSplitView setNonresizableSubviewPreferredSize:]-[BWSplitView nonresizableSubviewPreferredSize]-[BWSplitView setStateForLastPreferredCalculations:]-[BWSplitView stateForLastPreferredCalculations]-[BWSplitView setToggleCollapseButton:]-[BWSplitView toggleCollapseButton]-[BWSplitView setSecondaryDelegate:]-[BWSplitView secondaryDelegate]-[BWSplitView dealloc]-[BWSplitView maxUnits]-[BWSplitView minUnits]-[BWSplitView maxValues]-[BWSplitView minValues]-[BWSplitView color]-[BWSplitView setColor:]-[BWSplitView setColorIsEnabled:]-[BWSplitView checkboxIsEnabled]-[BWSplitView setDividerStyle:]-[BWSplitView splitView:resizeSubviewsWithOldSize:]-[BWSplitView resizeAndAdjustSubviews]-[BWSplitView clearPreferredProportionsAndSizes]-[BWSplitView validateAndCalculatePreferredProportionsAndSizes]-[BWSplitView correctCollapsiblePreferredProportionOrSize]-[BWSplitView validatePreferredProportionsAndSizes]-[BWSplitView recalculatePreferredProportionsAndSizes]-[BWSplitView subviewMaximumSize:]-[BWSplitView subviewMinimumSize:]-[BWSplitView subviewIsResizable:]-[BWSplitView resizableSubviews]-[BWSplitView splitViewWillResizeSubviews:]-[BWSplitView splitViewDidResizeSubviews:]-[BWSplitView splitView:effectiveRect:forDrawnRect:ofDividerAtIndex:]-[BWSplitView splitView:constrainSplitPosition:ofSubviewAt:]-[BWSplitView splitView:constrainMinCoordinate:ofSubviewAt:]-[BWSplitView splitView:constrainMaxCoordinate:ofSubviewAt:]-[BWSplitView splitView:shouldCollapseSubview:forDoubleClickOnDividerAtIndex:]-[BWSplitView splitView:canCollapseSubview:]-[BWSplitView splitView:additionalEffectiveRectOfDividerAtIndex:]-[BWSplitView splitView:shouldHideDividerAtIndex:]-[BWSplitView mouseDown:]-[BWSplitView toggleCollapse:]-[BWSplitView restoreAutoresizesSubviews:]-[BWSplitView removeMinSizeForCollapsibleSubview]-[BWSplitView setMinSizeForCollapsibleSubview:]-[BWSplitView setCollapsibleSubviewCollapsed:]-[BWSplitView collapsibleDividerIndex]-[BWSplitView hasCollapsibleDivider]-[BWSplitView animationDuration]-[BWSplitView animationEnded]-[BWSplitView setCollapsibleSubviewCollapsedHelper:]-[BWSplitView adjustSubviews]-[BWSplitView hasCollapsibleSubview]-[BWSplitView collapsibleSubview]-[BWSplitView collapsibleSubviewIndex]-[BWSplitView collapsibleSubviewIsCollapsed]-[BWSplitView subviewIsCollapsed:]-[BWSplitView subviewIsCollapsible:]-[BWSplitView setDelegate:]-[BWSplitView drawDimpleInRect:]-[BWSplitView drawGradientDividerInRect:]-[BWSplitView drawDividerInRect:]-[BWSplitView awakeFromNib]-[BWSplitView encodeWithCoder:]_OBJC_METACLASS_$_BWSplitView_OBJC_CLASS_$_BWSplitView_OBJC_IVAR_$_BWSplitView.color_OBJC_IVAR_$_BWSplitView.colorIsEnabled_OBJC_IVAR_$_BWSplitView.checkboxIsEnabled_OBJC_IVAR_$_BWSplitView.dividerCanCollapse_OBJC_IVAR_$_BWSplitView.collapsibleSubviewCollapsed_OBJC_IVAR_$_BWSplitView.secondaryDelegate_OBJC_IVAR_$_BWSplitView.minValues_OBJC_IVAR_$_BWSplitView.maxValues_OBJC_IVAR_$_BWSplitView.minUnits_OBJC_IVAR_$_BWSplitView.maxUnits_OBJC_IVAR_$_BWSplitView.resizableSubviewPreferredProportion_OBJC_IVAR_$_BWSplitView.nonresizableSubviewPreferredSize_OBJC_IVAR_$_BWSplitView.stateForLastPreferredCalculations_OBJC_IVAR_$_BWSplitView.collapsiblePopupSelection_OBJC_IVAR_$_BWSplitView.uncollapsedSize_OBJC_IVAR_$_BWSplitView.toggleCollapseButton_OBJC_IVAR_$_BWSplitView.isAnimating_scaleFactor_gradient_borderColor_dimpleImageBitmap_dimpleImageVector_gradientStartColor_gradientEndColorBWTexturedSlider.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWTexturedSlider.o-[BWTexturedSlider initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWTexturedSlider.m+[BWTexturedSlider initialize]-[BWTexturedSlider indicatorIndex]-[BWTexturedSlider setMinButton:]-[BWTexturedSlider minButton]-[BWTexturedSlider setMaxButton:]-[BWTexturedSlider maxButton]-[BWTexturedSlider dealloc]-[BWTexturedSlider resignFirstResponder]-[BWTexturedSlider becomeFirstResponder]-[BWTexturedSlider scrollWheel:]-[BWTexturedSlider setEnabled:]-[BWTexturedSlider setIndicatorIndex:]-[BWTexturedSlider drawRect:]-[BWTexturedSlider hitTest:]-[BWTexturedSlider setSliderToMaximum]-[BWTexturedSlider setSliderToMinimum]-[BWTexturedSlider setTrackHeight:]-[BWTexturedSlider trackHeight]-[BWTexturedSlider encodeWithCoder:]_OBJC_METACLASS_$_BWTexturedSlider_OBJC_CLASS_$_BWTexturedSlider_OBJC_IVAR_$_BWTexturedSlider.trackHeight_OBJC_IVAR_$_BWTexturedSlider.indicatorIndex_OBJC_IVAR_$_BWTexturedSlider.sliderCellRect_OBJC_IVAR_$_BWTexturedSlider.minButton_OBJC_IVAR_$_BWTexturedSlider.maxButton_smallPhotoImage_largePhotoImage_quietSpeakerImage_loudSpeakerImageBWTexturedSliderCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWTexturedSliderCell.o-[BWTexturedSliderCell initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWTexturedSliderCell.m+[BWTexturedSliderCell initialize]-[BWTexturedSliderCell setTrackHeight:]-[BWTexturedSliderCell trackHeight]-[BWTexturedSliderCell stopTracking:at:inView:mouseIsUp:]-[BWTexturedSliderCell startTrackingAt:inView:]-[BWTexturedSliderCell _usesCustomTrackImage]-[BWTexturedSliderCell drawKnob:]-[BWTexturedSliderCell drawBarInside:flipped:]-[BWTexturedSliderCell setNumberOfTickMarks:]-[BWTexturedSliderCell numberOfTickMarks]-[BWTexturedSliderCell setControlSize:]-[BWTexturedSliderCell controlSize]-[BWTexturedSliderCell encodeWithCoder:]_OBJC_METACLASS_$_BWTexturedSliderCell_OBJC_CLASS_$_BWTexturedSliderCell_OBJC_IVAR_$_BWTexturedSliderCell.isPressed_OBJC_IVAR_$_BWTexturedSliderCell.trackHeight_thumbPImage_thumbNImage_trackFillImage_trackRightImage_trackLeftImageBWAddSmallBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWAddSmallBottomBar.o-[BWAddSmallBottomBar initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWAddSmallBottomBar.m-[BWAddSmallBottomBar bounds]-[BWAddSmallBottomBar drawRect:]-[BWAddSmallBottomBar awakeFromNib]_OBJC_METACLASS_$_BWAddSmallBottomBar_OBJC_CLASS_$_BWAddSmallBottomBarBWAnchoredButtonBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWAnchoredButtonBar.o-[BWAnchoredButtonBar initWithFrame:]/Users/brandon/Temp/bwtoolkit/BWAnchoredButtonBar.m+[BWAnchoredButtonBar wasBorderedBar]+[BWAnchoredButtonBar initialize]-[BWAnchoredButtonBar selectedIndex]-[BWAnchoredButtonBar isAtBottom]-[BWAnchoredButtonBar setIsResizable:]-[BWAnchoredButtonBar isResizable]-[BWAnchoredButtonBar setHandleIsRightAligned:]-[BWAnchoredButtonBar handleIsRightAligned]-[BWAnchoredButtonBar setSplitViewDelegate:]-[BWAnchoredButtonBar splitViewDelegate]-[BWAnchoredButtonBar splitView:shouldHideDividerAtIndex:]-[BWAnchoredButtonBar splitView:shouldCollapseSubview:forDoubleClickOnDividerAtIndex:]-[BWAnchoredButtonBar splitView:effectiveRect:forDrawnRect:ofDividerAtIndex:]-[BWAnchoredButtonBar splitView:constrainSplitPosition:ofSubviewAt:]-[BWAnchoredButtonBar splitView:canCollapseSubview:]-[BWAnchoredButtonBar splitView:resizeSubviewsWithOldSize:]-[BWAnchoredButtonBar splitView:constrainMaxCoordinate:ofSubviewAt:]-[BWAnchoredButtonBar splitView:constrainMinCoordinate:ofSubviewAt:]-[BWAnchoredButtonBar splitView:additionalEffectiveRectOfDividerAtIndex:]-[BWAnchoredButtonBar dealloc]-[BWAnchoredButtonBar setSelectedIndex:]-[BWAnchoredButtonBar setIsAtBottom:]-[BWAnchoredButtonBar splitView]-[BWAnchoredButtonBar dividerIndexNearestToHandle]-[BWAnchoredButtonBar isInLastSubview]-[BWAnchoredButtonBar viewDidMoveToSuperview]-[BWAnchoredButtonBar drawLastButtonInsetInRect:]-[BWAnchoredButtonBar drawResizeHandleInRect:withColor:]-[BWAnchoredButtonBar drawRect:]-[BWAnchoredButtonBar awakeFromNib]-[BWAnchoredButtonBar encodeWithCoder:]-[BWAnchoredButtonBar initWithCoder:]_OBJC_METACLASS_$_BWAnchoredButtonBar_OBJC_CLASS_$_BWAnchoredButtonBar_OBJC_IVAR_$_BWAnchoredButtonBar.isResizable_OBJC_IVAR_$_BWAnchoredButtonBar.isAtBottom_OBJC_IVAR_$_BWAnchoredButtonBar.handleIsRightAligned_OBJC_IVAR_$_BWAnchoredButtonBar.selectedIndex_OBJC_IVAR_$_BWAnchoredButtonBar.splitViewDelegate_wasBorderedBar_gradient_topLineColor_borderedTopLineColor_resizeHandleColor_resizeInsetColor_bottomLineColor_sideInsetColor_topColor_middleTopColor_middleBottomColor_bottomColorBWAnchoredButton.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWAnchoredButton.o-[BWAnchoredButton initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWAnchoredButton.m-[BWAnchoredButton setIsAtLeftEdgeOfBar:]-[BWAnchoredButton isAtLeftEdgeOfBar]-[BWAnchoredButton setIsAtRightEdgeOfBar:]-[BWAnchoredButton isAtRightEdgeOfBar]-[BWAnchoredButton frame]-[BWAnchoredButton mouseDown:]_OBJC_METACLASS_$_BWAnchoredButton_OBJC_CLASS_$_BWAnchoredButton_OBJC_IVAR_$_BWAnchoredButton.isAtLeftEdgeOfBar_OBJC_IVAR_$_BWAnchoredButton.isAtRightEdgeOfBar_OBJC_IVAR_$_BWAnchoredButton.topAndLeftInsetBWAnchoredButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWAnchoredButtonCell.o-[BWAnchoredButtonCell controlSize]-[BWAnchoredButtonCell setControlSize:]/Users/brandon/Temp/bwtoolkit/BWAnchoredButtonCell.m-[BWAnchoredButtonCell highlightRectForBounds:]-[BWAnchoredButtonCell drawBezelWithFrame:inView:]-[BWAnchoredButtonCell textColor]-[BWAnchoredButtonCell _textAttributes]+[BWAnchoredButtonCell initialize]-[BWAnchoredButtonCell drawImage:withFrame:inView:]-[BWAnchoredButtonCell imageColor]-[BWAnchoredButtonCell titleRectForBounds:]-[BWAnchoredButtonCell drawWithFrame:inView:]_OBJC_METACLASS_$_BWAnchoredButtonCell_OBJC_CLASS_$_BWAnchoredButtonCell_fillGradient_bottomBorderColor_sideInsetColor_borderedTopBorderColor_borderedSideBorderColor_topBorderColor_sideBorderColor_enabledTextColor_disabledTextColor_contentShadow_enabledImageColor_disabledImageColor_pressedColor_fillStop1_fillStop2_fillStop3_fillStop4NSColor+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/NSColor+BWAdditions.o-[NSColor(BWAdditions) bwDrawPixelThickLineAtPosition:withInset:inRect:inView:horizontal:flip:]/Users/brandon/Temp/bwtoolkit/NSColor+BWAdditions.mNSImage+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/NSImage+BWAdditions.o-[NSImage(BWAdditions) bwRotateImage90DegreesClockwise:]/Users/brandon/Temp/bwtoolkit/NSImage+BWAdditions.m-[NSImage(BWAdditions) bwTintedImageWithColor:]BWSelectableToolbarHelper.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWSelectableToolbarHelper.o-[BWSelectableToolbarHelper initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWSelectableToolbarHelper.m-[BWSelectableToolbarHelper setContentViewsByIdentifier:]-[BWSelectableToolbarHelper contentViewsByIdentifier]-[BWSelectableToolbarHelper setWindowSizesByIdentifier:]-[BWSelectableToolbarHelper windowSizesByIdentifier]-[BWSelectableToolbarHelper setSelectedIdentifier:]-[BWSelectableToolbarHelper selectedIdentifier]-[BWSelectableToolbarHelper setOldWindowTitle:]-[BWSelectableToolbarHelper oldWindowTitle]-[BWSelectableToolbarHelper setInitialIBWindowSize:]-[BWSelectableToolbarHelper initialIBWindowSize]-[BWSelectableToolbarHelper setIsPreferencesToolbar:]-[BWSelectableToolbarHelper isPreferencesToolbar]-[BWSelectableToolbarHelper dealloc]-[BWSelectableToolbarHelper encodeWithCoder:]-[BWSelectableToolbarHelper init]_OBJC_METACLASS_$_BWSelectableToolbarHelper_OBJC_CLASS_$_BWSelectableToolbarHelper_OBJC_IVAR_$_BWSelectableToolbarHelper.contentViewsByIdentifier_OBJC_IVAR_$_BWSelectableToolbarHelper.windowSizesByIdentifier_OBJC_IVAR_$_BWSelectableToolbarHelper.selectedIdentifier_OBJC_IVAR_$_BWSelectableToolbarHelper.oldWindowTitle_OBJC_IVAR_$_BWSelectableToolbarHelper.initialIBWindowSize_OBJC_IVAR_$_BWSelectableToolbarHelper.isPreferencesToolbarNSWindow+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/NSWindow+BWAdditions.o-[NSWindow(BWAdditions) bwIsTextured]/Users/brandon/Temp/bwtoolkit/NSWindow+BWAdditions.m-[NSWindow(BWAdditions) bwResizeToSize:animate:]NSView+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/NSView+BWAdditions.o_compareViews/Users/brandon/Temp/bwtoolkit/NSView+BWAdditions.m-[NSView(BWAdditions) bwBringToFront]-[NSView(BWAdditions) bwAnimator]-[NSView(BWAdditions) bwTurnOffLayer]BWTransparentTableView.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWTransparentTableView.o-[BWTransparentTableView addTableColumn:]/Users/brandon/Temp/bwtoolkit/BWTransparentTableView.m+[BWTransparentTableView cellClass]+[BWTransparentTableView initialize]-[BWTransparentTableView highlightSelectionInClipRect:]-[BWTransparentTableView _highlightColorForCell:]-[BWTransparentTableView _alternatingRowBackgroundColors]-[BWTransparentTableView backgroundColor]-[BWTransparentTableView drawBackgroundInClipRect:]_OBJC_METACLASS_$_BWTransparentTableView_OBJC_CLASS_$_BWTransparentTableView_rowColor_altRowColor_highlightColorBWTransparentTableViewCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWTransparentTableViewCell.o-[BWTransparentTableViewCell drawInteriorWithFrame:inView:]/Users/brandon/Temp/bwtoolkit/BWTransparentTableViewCell.m-[BWTransparentTableViewCell editWithFrame:inView:editor:delegate:event:]-[BWTransparentTableViewCell selectWithFrame:inView:editor:delegate:start:length:]-[BWTransparentTableViewCell drawingRectForBounds:]_OBJC_METACLASS_$_BWTransparentTableViewCell_OBJC_CLASS_$_BWTransparentTableViewCell_OBJC_IVAR_$_BWTransparentTableViewCell.mIsEditingOrSelectingBWAnchoredPopUpButton.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWAnchoredPopUpButton.o-[BWAnchoredPopUpButton initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWAnchoredPopUpButton.m-[BWAnchoredPopUpButton setIsAtLeftEdgeOfBar:]-[BWAnchoredPopUpButton isAtLeftEdgeOfBar]-[BWAnchoredPopUpButton setIsAtRightEdgeOfBar:]-[BWAnchoredPopUpButton isAtRightEdgeOfBar]-[BWAnchoredPopUpButton frame]-[BWAnchoredPopUpButton mouseDown:]_OBJC_METACLASS_$_BWAnchoredPopUpButton_OBJC_CLASS_$_BWAnchoredPopUpButton_OBJC_IVAR_$_BWAnchoredPopUpButton.isAtLeftEdgeOfBar_OBJC_IVAR_$_BWAnchoredPopUpButton.isAtRightEdgeOfBar_OBJC_IVAR_$_BWAnchoredPopUpButton.topAndLeftInsetBWAnchoredPopUpButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWAnchoredPopUpButtonCell.o-[BWAnchoredPopUpButtonCell controlSize]-[BWAnchoredPopUpButtonCell setControlSize:]/Users/brandon/Temp/bwtoolkit/BWAnchoredPopUpButtonCell.m-[BWAnchoredPopUpButtonCell highlightRectForBounds:]-[BWAnchoredPopUpButtonCell drawBorderAndBackgroundWithFrame:inView:]-[BWAnchoredPopUpButtonCell textColor]-[BWAnchoredPopUpButtonCell _textAttributes]+[BWAnchoredPopUpButtonCell initialize]-[BWAnchoredPopUpButtonCell drawImageWithFrame:inView:]-[BWAnchoredPopUpButtonCell imageRectForBounds:]-[BWAnchoredPopUpButtonCell imageColor]-[BWAnchoredPopUpButtonCell titleRectForBounds:]-[BWAnchoredPopUpButtonCell drawArrowInFrame:]-[BWAnchoredPopUpButtonCell drawWithFrame:inView:]_OBJC_METACLASS_$_BWAnchoredPopUpButtonCell_OBJC_CLASS_$_BWAnchoredPopUpButtonCell_fillGradient_bottomBorderColor_sideInsetColor_borderedTopBorderColor_borderedSideBorderColor_topBorderColor_sideBorderColor_enabledTextColor_disabledTextColor_contentShadow_enabledImageColor_disabledImageColor_pressedColor_pullDownArrow_fillStop1_fillStop2_fillStop3_fillStop4BWCustomView.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWCustomView.o-[BWCustomView drawRect:]/Users/brandon/Temp/bwtoolkit/BWCustomView.m-[BWCustomView drawTextInRect:]_OBJC_METACLASS_$_BWCustomView_OBJC_CLASS_$_BWCustomView_OBJC_IVAR_$_BWCustomView.isOnItsOwnBWUnanchoredButton.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWUnanchoredButton.o-[BWUnanchoredButton initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWUnanchoredButton.m-[BWUnanchoredButton frame]-[BWUnanchoredButton mouseDown:]_OBJC_METACLASS_$_BWUnanchoredButton_OBJC_CLASS_$_BWUnanchoredButton_OBJC_IVAR_$_BWUnanchoredButton.topAndLeftInsetBWUnanchoredButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWUnanchoredButtonCell.o-[BWUnanchoredButtonCell drawBezelWithFrame:inView:]/Users/brandon/Temp/bwtoolkit/BWUnanchoredButtonCell.m-[BWUnanchoredButtonCell highlightRectForBounds:]+[BWUnanchoredButtonCell initialize]_OBJC_METACLASS_$_BWUnanchoredButtonCell_OBJC_CLASS_$_BWUnanchoredButtonCell_fillGradient_topInsetColor_topBorderColor_borderColor_bottomInsetColor_fillStop1_fillStop2_fillStop3_fillStop4_pressedColorBWUnanchoredButtonContainer.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWUnanchoredButtonContainer.o-[BWUnanchoredButtonContainer awakeFromNib]/Users/brandon/Temp/bwtoolkit/BWUnanchoredButtonContainer.m_OBJC_METACLASS_$_BWUnanchoredButtonContainer_OBJC_CLASS_$_BWUnanchoredButtonContainerBWSheetController.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWSheetController.o-[BWSheetController awakeFromNib]/Users/brandon/Temp/bwtoolkit/BWSheetController.m-[BWSheetController encodeWithCoder:]-[BWSheetController openSheet:]-[BWSheetController closeSheet:]-[BWSheetController messageDelegateAndCloseSheet:]-[BWSheetController delegate]-[BWSheetController sheet]-[BWSheetController parentWindow]-[BWSheetController initWithCoder:]-[BWSheetController setParentWindow:]-[BWSheetController setSheet:]-[BWSheetController setDelegate:]_OBJC_METACLASS_$_BWSheetController_OBJC_CLASS_$_BWSheetController_OBJC_IVAR_$_BWSheetController.sheet_OBJC_IVAR_$_BWSheetController.parentWindow_OBJC_IVAR_$_BWSheetController.delegateBWTransparentScrollView.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWTransparentScrollView.o-[BWTransparentScrollView initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWTransparentScrollView.m+[BWTransparentScrollView _verticalScrollerClass]_OBJC_METACLASS_$_BWTransparentScrollView_OBJC_CLASS_$_BWTransparentScrollViewBWAddMiniBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWAddMiniBottomBar.o-[BWAddMiniBottomBar initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWAddMiniBottomBar.m-[BWAddMiniBottomBar bounds]-[BWAddMiniBottomBar drawRect:]-[BWAddMiniBottomBar awakeFromNib]_OBJC_METACLASS_$_BWAddMiniBottomBar_OBJC_CLASS_$_BWAddMiniBottomBarBWAddSheetBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWAddSheetBottomBar.o-[BWAddSheetBottomBar initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWAddSheetBottomBar.m-[BWAddSheetBottomBar bounds]-[BWAddSheetBottomBar drawRect:]-[BWAddSheetBottomBar awakeFromNib]_OBJC_METACLASS_$_BWAddSheetBottomBar_OBJC_CLASS_$_BWAddSheetBottomBarBWTokenFieldCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWTokenFieldCell.o-[BWTokenFieldCell setUpTokenAttachmentCell:forRepresentedObject:]/Users/brandon/Temp/bwtoolkit/BWTokenFieldCell.m_OBJC_METACLASS_$_BWTokenFieldCell_OBJC_CLASS_$_BWTokenFieldCellBWTokenAttachmentCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWTokenAttachmentCell.o-[BWTokenAttachmentCell arrowInHighlightedState:]/Users/brandon/Temp/bwtoolkit/BWTokenAttachmentCell.m-[BWTokenAttachmentCell interiorBackgroundStyle]+[BWTokenAttachmentCell initialize]-[BWTokenAttachmentCell pullDownRectForBounds:]-[BWTokenAttachmentCell pullDownImage]-[BWTokenAttachmentCell _textAttributes]-[BWTokenAttachmentCell drawTokenWithFrame:inView:]_OBJC_METACLASS_$_BWTokenAttachmentCell_OBJC_CLASS_$_BWTokenAttachmentCell_highlightedArrowColor_arrowGradient_textShadow_blueStrokeGradient_blueInsetGradient_blueGradient_highlightedBlueStrokeGradient_highlightedBlueInsetGradient_highlightedBlueGradientBWTransparentScroller.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWTransparentScroller.o-[BWTransparentScroller initWithFrame:]/Users/brandon/Temp/bwtoolkit/BWTransparentScroller.m+[BWTransparentScroller scrollerWidthForControlSize:]+[BWTransparentScroller scrollerWidth]+[BWTransparentScroller initialize]-[BWTransparentScroller rectForPart:]-[BWTransparentScroller _drawingRectForPart:]-[BWTransparentScroller drawKnob]-[BWTransparentScroller drawKnobSlot]-[BWTransparentScroller drawRect:]-[BWTransparentScroller initWithCoder:]_OBJC_METACLASS_$_BWTransparentScroller_OBJC_CLASS_$_BWTransparentScroller_OBJC_IVAR_$_BWTransparentScroller.isVertical_slotVerticalFill_backgroundColor_minKnobHeight_minKnobWidth_slotBottom_slotTop_slotRight_slotHorizontalFill_slotLeft_knobBottom_knobVerticalFill_knobTop_knobRight_knobHorizontalFill_knobLeftBWTransparentTextFieldCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWTransparentTextFieldCell.o-[BWTransparentTextFieldCell _textAttributes]/Users/brandon/Temp/bwtoolkit/BWTransparentTextFieldCell.m+[BWTransparentTextFieldCell initialize]_OBJC_METACLASS_$_BWTransparentTextFieldCell_OBJC_CLASS_$_BWTransparentTextFieldCell_textShadowBWToolbarItem.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWToolbarItem.o-[BWToolbarItem initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWToolbarItem.m-[BWToolbarItem identifierString]-[BWToolbarItem dealloc]-[BWToolbarItem setIdentifierString:]-[BWToolbarItem encodeWithCoder:]_OBJC_METACLASS_$_BWToolbarItem_OBJC_CLASS_$_BWToolbarItem_OBJC_IVAR_$_BWToolbarItem.identifierStringNSString+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/NSString+BWAdditions.o+[NSString(BWAdditions) bwRandomUUID]/Users/brandon/Temp/bwtoolkit/NSString+BWAdditions.mNSEvent+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/NSEvent+BWAdditions.o+[NSEvent(BWAdditions) bwShiftKeyIsDown]/Users/brandon/Temp/bwtoolkit/NSEvent+BWAdditions.m+[NSEvent(BWAdditions) bwCommandKeyIsDown]+[NSEvent(BWAdditions) bwOptionKeyIsDown]+[NSEvent(BWAdditions) bwControlKeyIsDown]+[NSEvent(BWAdditions) bwCapsLockKeyIsDown]BWHyperlinkButton.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWHyperlinkButton.o-[BWHyperlinkButton awakeFromNib]/Users/brandon/Temp/bwtoolkit/BWHyperlinkButton.m-[BWHyperlinkButton initWithCoder:]-[BWHyperlinkButton setUrlString:]-[BWHyperlinkButton urlString]-[BWHyperlinkButton dealloc]-[BWHyperlinkButton resetCursorRects]-[BWHyperlinkButton openURLInBrowser:]-[BWHyperlinkButton encodeWithCoder:]_OBJC_METACLASS_$_BWHyperlinkButton_OBJC_CLASS_$_BWHyperlinkButton_OBJC_IVAR_$_BWHyperlinkButton.urlStringBWHyperlinkButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWHyperlinkButtonCell.o-[BWHyperlinkButtonCell _textAttributes]/Users/brandon/Temp/bwtoolkit/BWHyperlinkButtonCell.m-[BWHyperlinkButtonCell isBordered]-[BWHyperlinkButtonCell setBordered:]-[BWHyperlinkButtonCell drawBezelWithFrame:inView:]_OBJC_METACLASS_$_BWHyperlinkButtonCell_OBJC_CLASS_$_BWHyperlinkButtonCellBWGradientBox.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWGradientBox.o-[BWGradientBox initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWGradientBox.m-[BWGradientBox fillStartingColor]-[BWGradientBox fillEndingColor]-[BWGradientBox fillColor]-[BWGradientBox topBorderColor]-[BWGradientBox bottomBorderColor]-[BWGradientBox setTopInsetAlpha:]-[BWGradientBox topInsetAlpha]-[BWGradientBox setBottomInsetAlpha:]-[BWGradientBox bottomInsetAlpha]-[BWGradientBox setHasTopBorder:]-[BWGradientBox hasTopBorder]-[BWGradientBox setHasBottomBorder:]-[BWGradientBox hasBottomBorder]-[BWGradientBox setHasGradient:]-[BWGradientBox hasGradient]-[BWGradientBox setHasFillColor:]-[BWGradientBox hasFillColor]-[BWGradientBox dealloc]-[BWGradientBox setBottomBorderColor:]-[BWGradientBox setTopBorderColor:]-[BWGradientBox setFillEndingColor:]-[BWGradientBox setFillStartingColor:]-[BWGradientBox setFillColor:]-[BWGradientBox isFlipped]-[BWGradientBox drawRect:]-[BWGradientBox encodeWithCoder:]_OBJC_METACLASS_$_BWGradientBox_OBJC_CLASS_$_BWGradientBox_OBJC_IVAR_$_BWGradientBox.fillStartingColor_OBJC_IVAR_$_BWGradientBox.fillEndingColor_OBJC_IVAR_$_BWGradientBox.fillColor_OBJC_IVAR_$_BWGradientBox.topBorderColor_OBJC_IVAR_$_BWGradientBox.bottomBorderColor_OBJC_IVAR_$_BWGradientBox.topInsetAlpha_OBJC_IVAR_$_BWGradientBox.bottomInsetAlpha_OBJC_IVAR_$_BWGradientBox.hasTopBorder_OBJC_IVAR_$_BWGradientBox.hasBottomBorder_OBJC_IVAR_$_BWGradientBox.hasGradient_OBJC_IVAR_$_BWGradientBox.hasFillColorBWStyledTextField.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWStyledTextField.o-[BWStyledTextField hasShadow]/Users/brandon/Temp/bwtoolkit/BWStyledTextField.m-[BWStyledTextField setHasShadow:]-[BWStyledTextField shadowIsBelow]-[BWStyledTextField setShadowIsBelow:]-[BWStyledTextField shadowColor]-[BWStyledTextField setShadowColor:]-[BWStyledTextField hasGradient]-[BWStyledTextField setHasGradient:]-[BWStyledTextField startingColor]-[BWStyledTextField setStartingColor:]-[BWStyledTextField endingColor]-[BWStyledTextField setEndingColor:]-[BWStyledTextField solidColor]-[BWStyledTextField setSolidColor:]_OBJC_METACLASS_$_BWStyledTextField_OBJC_CLASS_$_BWStyledTextFieldBWStyledTextFieldCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWStyledTextFieldCell.o-[BWStyledTextFieldCell initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWStyledTextFieldCell.m-[BWStyledTextFieldCell shadowIsBelow]-[BWStyledTextFieldCell shadowColor]-[BWStyledTextFieldCell setHasShadow:]-[BWStyledTextFieldCell hasShadow]-[BWStyledTextFieldCell setShadow:]-[BWStyledTextFieldCell shadow]-[BWStyledTextFieldCell setPreviousAttributes:]-[BWStyledTextFieldCell previousAttributes]-[BWStyledTextFieldCell startingColor]-[BWStyledTextFieldCell endingColor]-[BWStyledTextFieldCell hasGradient]-[BWStyledTextFieldCell solidColor]-[BWStyledTextFieldCell setShadowColor:]-[BWStyledTextFieldCell setShadowIsBelow:]-[BWStyledTextFieldCell setHasGradient:]-[BWStyledTextFieldCell setSolidColor:]-[BWStyledTextFieldCell setEndingColor:]-[BWStyledTextFieldCell setStartingColor:]-[BWStyledTextFieldCell drawInteriorWithFrame:inView:]-[BWStyledTextFieldCell applyGradient]-[BWStyledTextFieldCell awakeFromNib]-[BWStyledTextFieldCell changeShadow]-[BWStyledTextFieldCell _textAttributes]-[BWStyledTextFieldCell dealloc]-[BWStyledTextFieldCell copyWithZone:]-[BWStyledTextFieldCell encodeWithCoder:]_OBJC_METACLASS_$_BWStyledTextFieldCell_OBJC_CLASS_$_BWStyledTextFieldCell_OBJC_IVAR_$_BWStyledTextFieldCell.shadowIsBelow_OBJC_IVAR_$_BWStyledTextFieldCell.hasShadow_OBJC_IVAR_$_BWStyledTextFieldCell.hasGradient_OBJC_IVAR_$_BWStyledTextFieldCell.shadowColor_OBJC_IVAR_$_BWStyledTextFieldCell.startingColor_OBJC_IVAR_$_BWStyledTextFieldCell.endingColor_OBJC_IVAR_$_BWStyledTextFieldCell.solidColor_OBJC_IVAR_$_BWStyledTextFieldCell.shadow_OBJC_IVAR_$_BWStyledTextFieldCell.previousAttributesNSApplication+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/NSApplication+BWAdditions.o+[NSApplication(BWAdditions) bwIsOnLeopard]/Users/brandon/Temp/bwtoolkit/NSApplication+BWAdditions.mT __TEXT@@__text__TEXT__symbol_stub__TEXT__stub_helper__TEXTZ4Z__cstring__TEXTAT__const__TEXT>>__unwind_info__TEXT?H?__DATA@@__dyld__DATA@@__la_symbol_ptr__DATA@@!__nl_symbol_ptr__DATA@$@B__const__DATA@ @__cfstring__DATA@@__data__DATAHH__bss__DATAH4__OBJCP@P@__message_refs__OBJCPP__cls_refs__OBJCWW__class__OBJChXphX__meta_class__OBJC`p`__inst_meth__OBJCHi8Hi__symbols__OBJC~@~__module_info__OBJC@__instance_vars__OBJC__property__OBJC`__class_ext__OBJCPP__cls_meth__OBJCp__category__OBJC\\__cat_inst_meth__OBJC  __cat_cls_meth__OBJCl__image_info__OBJC  8__LINKEDIT p@loader_path/../Frameworks/BWToolkitFramework.framework/Versions/A/BWToolkitFramework}";⿯͓ɂ"0\\\D ̎ P  6: [6TxK~  T/System/Library/Frameworks/Cocoa.framework/Versions/A/Cocoa 4/usr/lib/libgcc_s.1.dylib 4}/usr/lib/libSystem.B.dylib 4/usr/lib/libobjc.A.dylib d,/System/Library/Frameworks/CoreServices.framework/Versions/A/CoreServices h &/System/Library/Frameworks/CoreFoundation.framework/Versions/A/CoreFoundation p&/System/Library/Frameworks/ApplicationServices.framework/Versions/A/ApplicationServices `,/System/Library/Frameworks/Foundation.framework/Versions/C/Foundation X-/System/Library/Frameworks/AppKit.framework/Versions/C/AppKitPQX0L$ (L$YXfX'UX(]ÐUX(]ÐUX(]ÐUX7]ÐUX~(]ÐUSWV ^"?&?7L$$7D$L$<$qNj*?7L$$WË7v(L$D$<$97D$L$$#~7L$$ ^_[]ÐUX>6D$ $]ÐUX']ÐUX']ÐUX']ÐUX6]ÐUX']ÐUSWV ^=>b6L$$W^6D$L$<$ANj=Z6L$$'ËV6'L$D$<$ R6D$L$$N6L$$ ^_[]ÐUXU=5D$ $]ÐUE@D]ÐUE@D]ÐUE@X]UV^.6L$$eV5L$$S^]ÐUWV^66L$D$}<$u ^_]Ë-6L$$5L$$UWV ^96=6L$D$}<$GPG@5L$$tF5D$<$5L$$D$h5D$<$D$N55L$D$<$D$D$D$  ^_]ÐUWV^4D$}<$D$4D$L$<$D$ ^_]USWV^}G@4L$$u@4D$<$D$}4D$L$<$D$ _^_[]Ë_DG@4L$$?4D$L$$)몐USWV^3D$E$MQD4D$|$$MAT:3T$$Nj:38$\$ ]\$T$$3D$ED$ H$\$L$<$vEHT 4L$T$$D$ R^_[]USWV ^3D$}<$&2L$$2L$$s 1 ^_[]Ë]3D$<$2L$$2\$L$$2L$$USWV^2D$E$~42L$$ll1L$$ZNj<91]\$T$ $8D2UT$ D$L$<$2|$D$E$^_[]USWV ^L2P2L$D$}<$uCE1L$$Ë2D$<$@1\$L$$u  ^_[]Ë2D$<$f@1\$L$$P<1L$$>UXMIH}0UT$D$ $ ]UXA0D$E$]USWV ^}G@0L$$T0!T$L$$uM0D$<$ËG@0L$$n0D$L$$XGTGT ^_[]GTUWV^E}GT+0D$L$<$'0D$L$<$D$ ^_]UV^j'J0L$$N0D$E$j'L$$^]UWV^//L$D$E$ot?}'/L$$P/D$<$>'L$$^_]ÐUSWV^EE苆6E싆r/}|$D$E$n/fL$D$<$j/D$L$$n/vL$D$<$f/D$L$$|b/L$D$<$`CXn/L$D$<$A^/D$L$$+؃^_[]ÐUED$ E D$E$D$D$D$@]UE D$E$D$ D$@]ÐUED$ E D$E$D$D$D$L]USWV^}G@Y-L$$J=-D$<$2 -]\$L$$=-D$<$q-L$$,L$$D$4M,L$$Ë=-D$<$q-L$$-L$$9-L$D$$,L$L$L$ L$D$$2A,L$$ Pt6Q-|$D$<$,D$ D$L$<$=-D$E$q-L$$-L$$,L$$},L$${A,L$$iDžDžDžDžDžDžDžDžE-T$ T$L$$D$ E1;t $ExPt)y,T$ \$D$E$ju,\$D$$HG9uE-L$ L$D$$D$ 2EH@A-T$ $ -L$$A,L$$Nj-\$ D$L$<$EH@-|$T$ ${=-D$E$fq-L$$T9-L$D$ $PEH@,T$ $ -L$$A,L$$ٿNj 4,L$ D$T$ $裿-\$ D$L$<$艿EH@,|$T$ $mq,}|$L$E$QljE@@A-L$$1,|$L$$.=-D$E$q-L$$EH@m,T$ $ξi,ut$T$ D$L$ $覾ExPlEH@A-T$ ${ -L$$iA,L$$WNj=-L$E$@q-L$$.-L$$-\$ D$L$<$EH@-|$T$ $EH@,T$ $Ƚ -L$$趽A,L$$褽 4=-L$E$能q-L$$q9-L$D$ $m,L$ D$L$<$$-\$ D$L$ $E@@,L$T$EH@,T$ $Ǽ,|$L$$諼e,L$$虼=-L$E$xq-L$$fi,UT$T$ T$L$$8E@@A-L$$ ,|$L$$ ,L$$},L$$A,L$$Ի,L$$輻Dž0Dž4Dž8Dž<Dž@DžDDžHDžLE-PL$ 0L$D$$D$!U8 EȉDž8;t $Ǻ44ExPtKQ-]\$D$$蜺-L$$芺y,D$ t$L$$p=-D$E$Uq-L$$C-L$$1u,t$L$$@;E-PL$ 0L$D$$D$̹ExPtOƋF@A-L$$螹,\$L$$肹a,D$L$4$l=-D$E$Qq-L$$?],L$$-E@@u-L$$GEEEEEEEE=-D$E$贸%-L$$蜸E-UT$ UT$L$$D$nM EȉDžE;t&%-D$$$E!-L$$,t$L$$ȷ=-D$}<$襷q-L$$蓷Ë,D$$y,D$L$$cPtHQ-T$D$$ENj,D$$+,D$L$<$@;E-ML$ ML$D$$D$ȶeČ^_[]UWV^6&L$$艶EEEEEEEEEvD$E$9E^L$$$E~ML$ ML$D$E$D$TM MEȉMEEM;t^D$E$賵$蟵EMu]ZD$<$(&2T$L$$ u+D$<$VD$L$E$ݴE@E;E~ML$ ML$D$E$D$袴EĐ^_]ÐUSWVXEuN@}|$D$ $WFXpu~@]ct$D$4$+L$$D$L$<$EEEEEEEEOD$4$蹳x7L$$衳pWUT$ UT$L$$D$sM tEEȉ|EEt;t#E7D$x$$EuE}3L$$ËOD$E$ڲL$$ȲD$L$$貲EEEEFu;|TWML$ ML$D$p$D$fuc}|$D$<$BËD$E$+D$L$$c|$D$<$L$$D$Ĝ^_[]Ëuc}|$D$<$辱ËG@L$$觱D$L$$葱c|$D$<${L$$D$awEUWV^ $L$$'\L$$L$$0D$E$HDž8Dž<Dž@DžDDžHDžLDžPDžTD$E${(L$$c XL$ 8L$D$ $D$)~@ $Eȉ,Dž4@$;t D$($ѯ$软<4<D$<$訯 T$L$$茯D$<$r T$L$$Vu`D$<$@ T$L$$$u.D$<$D$L$0$4@4;,XL$ 8L$D$ $D$襮EEEEEEEED$E$K$UT$ UT$L$$D$rM (Eȉ,Dž4E(;tD$E$έ$躭E4<D$<$設 T$L$$茭D$<$r T$L$$Vu`D$<$@ T$L$$$u.D$<$D$L$0$4@4;,ML$ ML$D$$$D$諬0^_]ÐUSWV,^XD$}<$nL$$\TL$D$E$[$EML$ D$L$$E܋G@tL$$E؋G@tL$$tw}G@L$$ƫ$L$$贫\L$$被Ë4U؉T$ U܉T$D$$耫G@\$L$$g,^_[]ÐUWV^}Lu,L$$/|$$D$L GLL$$)L$$^_]ÐUSWVXEEEEEEEEEMIDMUT$ UT$D$ $D$nM M0ۅEȉM1EM;tE@D$)EM_}|$L$$ffDF;uuEML$ ML$D$E$D$Щlt@uFD}]\$L$$袩D$L$4$D$ 脩Č^_[]ÐUSWVXEEEEEEEEEMIDMCUT$ UT$D$ $D$M M0ۅEȉM1EM;tE@D$赨EM}|$L$$蜨ffDF;uuECML$ ML$D$E$D$\lt@uFD}S]\$L$$.[D$L$4$D$ Č^_[]ÐUWV ^L$$ާNjD$E$ǧL$$赧S WD$L$ ED$T$<$茧EHD_T$ $tEHH_T$ $\EHL_T$ $DEH@_T$ $,EEESD$E$ ^_]ÐUSWV^EEEEEEEED$E$衦EUT$ UT$L$$D$vM MEȉM1EM;tD$E$8$$E[UT$D$$SWL$D$$G;}uML$ ML$D$E$D$ĥVČ^_[]USWV^\D$}<$芥Ë(D$$vrkE D$L$$XXL$$FÉ}苆<E싆\$D$E$%G@\$L$$^_[]UWV^ L$$դ L$$ä L$$豤EEEEEEEEE D$E$aE L$$LE ML$ ML$D$E$D$>M MEȉMEEM;t D$E$ۣ$ǣEM< D$<$踣r T$L$$蜣u} D$<$膣r T$L$$juK D$<$Tr ~T$L$$8u |$D$E$E@E;E ML$ ML$D$E$D$v D$E$âu 1Đ^_]Ën UT$D$E$藢Nj D$E$耢 L$$n |$L$$XUSWVX Ex@xP - L$D$}<$) D$L$<$Dž0Dž4Dž8Dž<Dž@DžDDžHDžL! PT$ 0T$L$$D$h8 Eȉ18;t $4< %$虠% D$L$<$tML$<$D$@ F;u ! PL$ 0L$D$$D$葠7 5$ % D$L$E$\A] }|$D$<$;G@ L$$& L$$u|p@  L$$M L$$ L$D$$ݟ L$ D$D$4$蔟  L$$v D$}<$[M L$$I   D$L$t$ |$T$$EEEEEEEE  D$E$! UT$ UT$L$$D$蒞M EȉDžE;t#  D$E$=$)E4ExD T$4$  D$T$<$ExH D$4$ݝ D$ t$L$<$Ý;F؋! ML$ ML$D$$D${ }|$D$<$T D$<$BG@5 L$$-t1@@ L$$ L$$X = D$}<$D$՜ D$L$<$远 5$?% D$L$E$蒜EH@  T$ $l L$$Z L$$HNjEH@5 T$ $.Ë L$E$M L$$ L$$ \$ D$L$<$ٛEH@ |$T$ $轛EH@ T$ $襛 L$$蓛 L$$聛NjEH@5 T$ $g L$E$FM L$$4 L$D$ $0 (,L$ D$L$$ \$ D$L$<$ǚE@@ |$L$$諚^_[]Ëu~DF@ 5 L$$1 D$L$<$i D$L$4$SUWV ^EE EaML$D$E$ %L$$]L$$|$$D$D軙 %L$$赙]L$$裙|$$D$H}GTGPY|$D$<$nQUL$D$<$D$D$D$ : ^_]ÐUSWV,^EE苆 E싆ND$E$E䋆JT$T$ T$L$$D$輘NjJT$T$T$ T$L$$D$rËF|$D$E$WDE,^_[]ÐUSWV^}}苆E싆|UT$D$E$xD$<$t\$ D$L$E$חpL$<$ŗtT$ D$L$E$袗OXl\$ L$T$M ${hD$<$itt$ D$T$M $F^_[]UE@@@@@ ]UWV ^EEEgML$D$E$tTkoL$D$<$轖t4L$D$<$D$D$D$ 腖 ^_]UWV ^L$D$}<$OtsD$<$9L$$D$1]fM.u6z4L$D$<$D$D$D$ ؕD$<$ƕL$$贕t^D$<$螕T$L$$肕t,D$<$lL$$D$R ^_]ÐUV^D$E$(L$$D$ D$B^]UE@@@@@ ]UWV ^EEE)ML$D$E$觔t,YD$<$艔UL$$D$o ^_]U]U]ÐUV^D$E$4Dȋ^]ÐUWV0^L$$UD$E$ܓEtdx |$ x|$x|$$t$T$L$D$(D$$?D$ D$0^_]Ëx |$ x|$x|$$t$T$L$D$(D$$?D$ D$讒USWV,^EXED$}<$ܒT$L$$]t"D$<$D$ AD$ A藒D$<$腒t-D$E$lD$L$<$VNjEE苆E싆K L$KL$KL$ L$ M$L$|$D$E$,^_[]USWV^pL$$ՑD$L$<$近NjxL$$襑ËL$D$<$臑D$L$$qL$$GxL$$GËL$D$<$)D$L$$L$$xL$$Ë$L$D$<$ːD$L$$赐L$$苐xL$$苐Ë4L$D$<$mD$L$$WL$$-xL$$-ËDL$D$<$D$L$$L$$ϏxL$$ϏËTL$D$<$豏D$L$$蛏L$$qL$$q`L$$_L$$5L$$D$ ?D$?%`L$$L$$^_[]ÐUSWV^L$$юL$$迎L$$譎NjEE苎vM싎L$M $荎D$L$<$qJ~T$ $D$0AI\$ D$L$<$/ND$E$\$ D$L$<$^_[]U8XEXEM MoMM$L$M L$ML$ML$M(L$ ML$ D$ED$E$臍8]U]U]ÐUWV^7D$E$=Nj?L$$#3D$L$<$ ^_]ÐUSWV^D$}<$ތËL$$ČD$L$$讌t7D$<$蘌uAt$<${^_[]ËD$<$aDȋыt$<$D$ ?D$F?*USWV^L$$6L$$L$$݋NjEE苎M싎L$M $轋D$L$<$衋~L$E$脋\$ D$L$<$jL$E$UzufL$$D$0A)\$ D$L$<$D$ T$L$<$^_[]ËL$$D$0AÊ\$ D$t$USWV^\L$$聊D$L$<$kNj$L$$QËL$D$<$3|D$L$$\L$$$L$$Ë L$D$<$Չ|D$L$$迉hL$$蕉$L$$蕉Ë0L$D$<$w|D$L$$adL$$7$L$$7Ë@L$D$<$|D$L$$`L$$و\L$$D$шhL$$D$豈dL$$D$葈`L$$D$qThL$$Y L$$GPL$$TdL$$D$ ?D$?  L$$TL$$ч`L$$чL$$过XL$$蕇XL$$D$ D$腇^_[]ÐUSWVL^E E(XMM**L$$>fnE\EZYZMXX&ZMM$}D$}<$߆.L$<$m]†MX6M.EEEt}>D$<$tg.:N L$NL$NL$6t$ED$$ED$ ED$D$<$D$ .D$<$u>D$<$.D$<$҅u>D$<$輅.D$<$袅tx>D$<$茅ub6:r t$rt$rt$T$ED$$ED$ ED$L$$D$ &L^_[]Ë2*UWV0^D$}<$E MtX}Uq t$qt$qt$ L$D$T$E$葄0^_]USWVL^bD$E $`}t^E E苆bE싶G D$GD$GD$?|$}(|$ }|$ t$ut$u4$H^_[]>VL$$RL$$уÉ$I$D$?E EbE䋆O L$OL$OL$L$M(L$ ML$ D$ED$EЉ$o$ԂEЋEE@E@E@ L$U]U]ÐUV^D$E$Dȋ^]ÐUSWV,^L$$賂UD$}<$蛂ËD$<$臂ۍMt}tey |$ y|$y|$ $t$T$D$D$(D$$?D$ D$蹁,^_[]Ë뙄t끋y |$ y|$y|$ $t$T$D$D$(D$$?D$ D$(jUSWVL^D$E$dlj}܋D$<$D$=2D$<$+zT$L$$t$.D$$D$ AD$ A*D$E܉$Ҁt1&D$E$蹀"D$L$E܉$蠀E܋JL$$腀Ǎ]C D$ D$<$D$[D$<$D$ D$?9D$<$'K L$KL$KL$ L$ D$ED$E$Q T$$QT$ QT$ L$ML$ML$ML$ ML$D$E܉$D$,?D$(~D$<$yD$<$gL^_[]ÐUSWV<^} }苆E싆\M L$ML$ML$ML$ D$ED$E؉$EX E܋PD$<$~]PD$<$~PD$<$~PD$<$~PD$<$r~PD$<$W~tPD$<$@~uEX$EEECECEC <^_[]EXEEX E말USWV^>L$$}D$L$<$}NjFL$$s}ËrL$D$<$U}D$L$$?}L$$}FL$$}ËL$D$<$|D$L$$|L$$|FL$$|ËL$D$<$|D$L$$|L$$Y|FL$$Y|ËL$D$<$;|D$L$$%|L$${FL$${ËL$D$<${D$L$${L$${FL$${ËL$D$<${D$L$$i{L$$?{FL$$?{ËL$D$<$!{D$L$$ {L$$zFL$$zËL$D$<$zD$L$$zL$$zvL$$z.L$$qzL$$GzvL$$D$ ?D$?7z.L$$%zL$$y^_[]ÐUSWV^L$$yL$$yL$$yNjEE苎HM싎L$M $yD$L$<$y\T$ $D$0A[y\$ D$L$<$Ay`D$E$$y\$ D$L$<$ y^_[]USWV<^} }苆>E싆M L$ML$ML$ML$ D$ED$E؉$xEXEEXEEXED$<$_x]D$<$BxD$<$'xD$<$ xD$<$wD$<$wu+D$<$wuSEXE?D$<$wtD$<$}wuEXEEECECEC <^_[]U]U]ÐU]U]ÐU(XMAhMM;ML$ED$ ED$D$E$v(]ÐUSWV ^L$$vNjD$E$~v9*L$$XvD$L$<$BvNj2L$$(vËL$D$<$ vD$L$$uL$$u2L$$uËL$D$<$uD$L$$uL$$lu2L$$luËL$D$<$NuD$L$$8uL$$u2L$$uËL$D$<$tD$L$$tL$$t2L$$tËL$D$<$tD$L$$|tL$$Rt2L$$RtË.L$D$<$4tD$L$$tL$$s2L$$sË>L$D$<$sD$L$$sL$$s ^_[]U(XMAhMGMM$L$M L$ED$ED$ED$ ED$D$E$=s(]USWV<^} }苆E싆X]\$ D$ED$E؉$rhD$<$rE1EE@E@E@ <^_[]EXEML$ML$ M܉L$M؉L$D$$D$r8럐USWV<^~D$}<$$rGh}ut.2>:EOMD$$qfnM\Y $q}O M(XWU苆D$$qfnM\Y $q~D$E$]m]U\UXU2qEXEXE~XEEXE苆rED$ ED$D$$D$p<^_[]Í6USWV\^EEEEEEEE܋bL$$epUfnM.v2\YEE $Xp]EXEEEXEEXEЋD$E$o~ nM\MXEE؋6D$E$o]܉\$ ]؉\$]ԉ\$]Љ$] \$(fD$$|$T$L$D$ D$nL$E$.oD$E$o1|$ D$]\$E$nZnL$$nL$$nED$ ED$ED$E$XnD$$Gn9x\^_[]ÐUSWV^EE苆E싆ML$D$}<$BnËD$$D$ nCh]苆E싆D$<$D$m؃^_[]UEƀ]ÐUE@\]ÐUE@[]UE@Z]UEMAZ]UE@|]ÐUEMA|]UEMAY]UE@X]USWV^EE苆DE싆}|$D$E$BmL$D$<$mlD$L$$mL$D$<$lhD$L$$l(L$D$<$ldD$L$$l8L$D$<$}l`D$L$$glHL$D$<$Kl\D$L$$5lXL$D$<$lXD$L$$lThL$D$<$kPD$L$$kxL$D$<$kLD$L$$k]苆DE싆HD$}<$kD$L$$ek]苆DE싆\$D$<$Ik؃^_[]ÐUSWV^L$$D$ ?D$%?kL$$j>L$$jL$$D$ ?D$}?jL$$jJL$$yjL$$D$ ?D$^?ijL$$WjNL$$-jL$$-j2JN|$ T$L$$j:L$$iL$$iD$L$<$iNjL$$iË ZL$D$<$iD$L$$siBL$$IiL$$IiË jL$D$<$+iD$L$$iFL$$hBL$$D$hFL$$D$h^_[]ÐUED$ E D$E$D$D$D$`h]UED$ E D$E$D$D$D$deh]UED$ E D$E$D$D$D$h)h]UED$ E D$E$D$D$D$lg]UED$ E D$E$D$D$D$pg]UE D$E$D$ D$p`g]ÐUED$ E D$E$D$D$D$tGg]UE D$E$D$ D$tf]ÐUED$ E D$E$D$D$D$xf]UE D$E$D$ D$xf]ÐUED$ E D$E$D$D$D$sf]UE D$E$D$ D$"f]ÐUED$E$D$\e]ÐUWV^}GTWL$$eG`WL$$eGdWL$$eGhWL$$eGlWL$$eGpWL$$meGtWL$$XeWL$$@eGxWL$$+e}EKD$E$e^_]ÐUWV^}lu,AL$$d|$$D$ldGlaL$$dL$$d^_]ÐUWV^}hu,L$$ad|$$D$h;dGhL$$8d[L$$&d^_]ÐUWV^}du,]L$$c|$$D$dcGd}L$$cL$$c^_]ÐUWV^}`u,7L$$}c|$$D$`WcG` L$$TcwL$$Bc^_]ÐUWV^}Tu>}L$$ cL$$b|$$D$TbGTL$$bL$$b^_]ÐUSWV ^}GT]9t8L$$bD$$vb|$$D$TPbD$<$D$Hb ^_[]UXMUJXD$$D$b]UWV ^D$}<$at  ^_]É}E􋆯D$E$a]Ef.UWV ^}}oEML$D$E$maD$<$Ua ^_]USWV^}_\,,L$$!a0D$L$$ at<t$<$`^_[]ËG\T$L$$`u;}tD$E$`EM\D$L$ ML$USWV<^D$}<$_` D$<$G`L$$5`D$L$$`8D$<$`ED$D$$_DžDžDžDž DžDžDžDžE@t4L$$`_$Q L$ L$D$$$D$&_ 0f<E1ۋ0;t D$4$^$^!L$$^ٝC9<XA)ED$E$A uoD$}<$@ߩL$$@Ë߫D$<$@ߩL$$@9EEEEEEEEoD$$r@t3UT$ UT$L$$D$D@+M x|EEx;t EoD$E$?$?EM4}oD$]$?Ct$L$$?Et$D$$?E߫D$$?שut$L$$y?L$$g?8EuUE@E;|+3ML$ ML$D$t$D$?|0Ĝ^_[]ÐUSWVl^D$]$>sL$$>D$L$<$>L$$>L$$k>Dž0Dž4Dž8Dž<Dž@DžDDžHDžLD$$>ǧPL$ 0L$D$$D$=8 fEȉ18;tD$E$p=$\=4#\$D$E$F=tXD$E$-=iD$\$$!=XG;HǧPL$ 0L$D$$D$<EEEEEEEED$E$T<ǧUT$ UT$L$$D$&<M EȉDžE;tD$E$;$;E<D$E$;ק|$L$$;#|$L$E$y;ËL$E$b;ۋL$|$ $N; f.^;T$|$ $:NjD$D$ $:|$ D$L$ $:C|$ $D$p:D$L$ $T:L$|$ $I:,;|$L$$9NjD$L$$9|$ D$L$$9CL$$D$9D$L$$x9@;fǧML$ ML$D$$D$19T$D$}<$ 9T$D$<$8T$D$<$8l^_[]fD$\$$8L$|$ $8?fWL$|$ $S8USWVL^Exdd]\$L$$7hD$L$<$7VEExld]\$L$$7hD$L$<$7,L$$x7NjD$E$s7]̃EEģD$}<$H7},D$<$!7L$$7L$<$m]HfnV\ZYEE6D$D$E$6E\EZZM^$YZ$6L^_[]DEEEE܋t$u4$[6ʼnD$ED$EЉ$I6EzUSWVL^Ex`f]\$L$$5jD$L$<$5REExhf]\$L$$5jD$L$<$5$L$$z5Nj D$E$u5]̃EEơD$}<$J5}.D$<$#5L$$5L$<$m]HfnV\ZYEE4u|D$D$E$4E\EZZM^&YZ$4L^_[]fEEEE t$u4$e4ɉD$ED$EЉ$S4E끐USWV ^D$}<$ 4]tҞD$$3u6D$<$3uҞD$$3$ 1 ^_[]ÐUSWV^EEEEEEEED$E$I3EsUT$ UT$L$$D$3M MEE1ۋEM;tD$E$2$2EϞD$L$E$2EC9usML$ ML$D$E$D$z2kEČ^_[]EUWV^}G\T$L$$*2tEO\D$T$ $ 2^_]ÐUSWV\^}[ttD$<$1ËpD$<$1ۋĚ0L$D$E$1fM.v\D$<$D$x1}[uaD$<$^1ËpD$<$J1ۋĚL$D$E$A1 ZMf.D$<$0tD$<$0МD$<$D$0G\TT$L$$0tG\ut$L$$0\^_[]ÉL$D$M $0fML$D$MЉ $g0 ZM!\D$<$D$UWV@^} G\sӚT$L$$/Eu2M@A@A@ A @^_]M(W\Ӛy |$,y|$(y|$$ L$ H L$HL$HL$D$E8D$0ED$ t$T$E$l/<뒐USWV^D$}<$*/L$D$<$/uXG\T$L$$.t5_\,,L$$.0D$L$$.tEEE^_[]ËEMW\D$ED$ L$t$$.ȐUSWV^E@\'T$L$$8.th|s_ \$_\$_\$?|$}|$ L$$D$(D$$UWV0^pD$}<$][f.EEvXt;OTt4px |$x|$x|$ D$t$ $0^_]É}w}􋶏px |$x|$x|$ D$t$E$E뻋pP T$PT$PT$ D$L$<$UV^soL$$oL$$ٞd^]ÐUSWV^}}苆vEG\hlD$L$E$}苎vM싎mUT$L$M $noD$<$Vl\_L$ D$\$E$3oL$<$!ll_T$ ЉT$L$E$oL$<$l|_T$ D$L$E$oL$<$l_T$ D$L$E$oL$<$l_T$ D$L$E$\oL$<$Jl_T$ D$L$E$'oL$<$|o_T$ D$L$E$xoL$<$l_T$ ЉT$L$E$}苆vE싆oD$E$hlD$L$<$}苎vM싎hl|$L$E$d^_[]UE@`]ÐUSWV^EE苆HtE싆j}|$D$E$(m]L$D$<$C`j]L$D$<$mD$L$$j]L$D$<$mD$L$$؃^_[]ÐUSWV ^o^pVhL$$KRhD$L$<$5NjoNhL$$ËJh\L$D$<$FhD$L$$aL$$oNhL$$ËJh\L$D$<$FhD$L$$aL$$_oNhL$$_ËJh ]L$D$<$AFhD$L$$+aL$$oNhL$$ËJh]L$D$<$FhD$L$$aL$$ ^_[]ÐUED$ E D$E$D$D$D$t]UE D$E$D$ D$tH]ÐUED$ E D$E$D$D$D$x/]UE D$E$D$ D$x]ÐUWV^}Gt9gL$$Gx9gL$$}pE-fD$E$^_]ÐUWV ^fD$}<$WiL$$D$=}ypEyiD$E$" ^_]UWV ^fD$}<$iL$$D$}pEiD$E$ ^_]USWV^hD$}<$}iD$<$}hD$<$k۽|iD$<$S5hD$<$m]m]ۭ|]]E\EZEE\EZ|]ieD$|$E$EEhD$$۽phD$$iD$<$ۭp]]]|M^UYXE\E^YZXEZhD$D$<$!hD$<$ËhD$<$h\$ D$L$<$Ĝ^_[]ÉD$|$EЉ$EEUSWV^}}苆mE싆f]\$D$E${Gtf\$L$$\Gxf\$L$$C^_[]ÐUSWV^}GtefL$$GxefL$$`uyE@wnbD$|$EЉ$EX]QEEXaQEЋdM܉L$M؉L$MԉL$ MЉL$D$<$|E@`ww}uqbD$}|$E$dEXeQEEXiQEdML$ML$ML$ ML$D$<$} }!j bL$$NjQ[cL$$ӋQ[cL$$DžpDžtx|Ib|L$xL$tL$ pL$D$<$=}|$$D$tGtafL$$D$ Gt]fQ[T$L$$Gtb|$L$$GtbYfT$L$$GtcL$$ieL$$D$!j bL$$klU[cL$$MhU[cL$$/ËifD$|$E$,EXEXaQEE]hEIbML$ML$ML$ ML$D$l$|$$D$xGxafL$$D$Gx]fU[T$L$$cGxb|$L$$JGxbUfT$L$$+GxcL$$ieL$$D$Gt5bD$L$<$Gx5bD$t$!j bL$$NjY[cL$$ӋY[cL$$EEE]IbML$ML$ML$ ML$D$<$?}|$$D$tGtafL$$D$ Gt]fY[T$L$$Gtb|$L$$GtbYfT$L$$GtcL$$ieL$$D$!j bL$$ml][cL$$Oh][cL$$1ËifD$|$E$.EXEXaQEE]ȋhE̋IbM̉L$MȉL$MĉL$ ML$D$l$|$$D$xGxafL$$D$Gx]f][T$L$$eGxb|$L$$LGxbUfT$L$$-GxcL$$ieL$$D$Gt5bD$L$<$Gx5bD$L$<$EMH`Ĭ^_[]USWVL^^D$}|$E$EGdEGhEGlEGp&_D$<$P&_D$<$5Gt^L$$D$ @D$A_x^D$|$E$EXE\I^D$D$$D$ @GlXIGlIXGdGd6\D$<$^WpT$WlT$WhT$ WdT$|$L$$NL^_[]ËGt^L$$D$ @@D$@!_x^D$|$EЉ$EXE\IXvI^D$D$$D$ @@ USWV\XE6]D$E$Qu]ED$ ED$D$}<$D$cEӋGtYL$D$E$ZẺD$EȉD$EĉD$ ED$\$E$t]Ct\^_[]fnEfnMM@x񋉊YL$D$EЉ$E܉D$E؉D$EԉD$ EЉD$ED$M $NtE@x뀋EEEcM싀 ]ED$ ED$D$E$S>EEEcM䋀 ]ED$ ED$D$E$USWV^L[D$}<$\[\$D$<$T[D$<$ËX[D$<$P[\$ D$L$<$^_[]USWV^ZD$}<$rZ\$D$<$JZD$<$8ËZD$<$$Z\$ D$L$<$ ^_[]UWV^WD$}<$aZUT$L$$XD$<$D$^_]ÐUV^$WD$E$ZL$$p^]USWV^}}苆h`E싆VUT$D$E$6YD$<$YI\$ D$L$E$YL$<$VIT$ D$L$E$YL$<$VIT$ D$L$E$^_[]ÐU1]ÐU]ÐU1]ÐU]ÐU]UE@l]ÐUEMAl]U(XMAhMy_MmVML$ED$ ED$D$E$(]ÐUSWV ^[SL$$NjSD$E$9 \[[SL$$SD$L$<$tNjd[SL$$ZËSHL$D$<$<SD$L$$&(ML$$d[SL$$ËSHL$D$<$SD$L$$ ML$$d[SL$$ËSHL$D$<$SD$L$$j$ML$$@d[SL$$@ËSHL$D$<$"SD$L$$ ML$$d[SL$$ËSHL$D$<$SD$L$$ML$$ ^_[]U(XMAhM\MSM$L$M L$ED$ED$ED$ ED$D$E$+(]USWV<^}hNJJJDȋEEMM苆RD$$fnM\Y? $}MM(XUU苆RD$$fnM\Y? $m]]lEXEEU\UUu(X?E苆JSED$ ED$D$$D$<^_[]USWVL^EEEEEEEE}_l&IQL$$fnŠ] E+(E@ \Y>MM$]MXMMEX*?EEX.?EvQD$<$.I&I*ItSut$ ut$ut$u4$t$(T$L$D$D$$?D$ D$PL^_[]Ëut$ ut$ut$u4$t$(T$L$D$D$$?D$ D$X>USWV^}}苆YE싆O]\$D$E$ RD$<$zOCT$ D$L$$^_[]ÐUSWV^EE苆 YE싆*O}|$D$E$tSOBL$D$<$:RD$L$$gPD$$D$MCh؃^_[]ÐUE@@@@@ ]UWV ^EEwXEgNML$D$E$tTkNoNL$D$<$t4NNL$D$<$D$D$D$ ^_]UWV ^MML$D$}<$OtsMD$<$9ML$$D$1]fM.u6z4MML$D$<$D$D$D$ MD$<$ML$$t^MD$<$MMT$L$$t,MD$<$lML$$D$R ^_]ÐUV^LD$E$(LL$$D$ D$A^]UXDD]UE@X]ÐUE@R]UEMAR]UE@P]UEMAP]UE@Q]UE@T]ÐUSWV^EE苆$VE싆K}|$D$E$bK?L$D$<$6dOD$L$$K?L$D$<$`OD$L$$K?L$D$<$\OD$L$$tN?L$D$<$XOD$L$$؃^_[]ÐUSWVLXEQ,KT$ $D$ ?D$J?<MJT$$'MBT$$MQ,Kt$$D$ ?D$*?MJT$$MBT$$MQ,Kt$$D$ ?D$}?MJT$$}MBT$$PMQ,Kt$$D$ ?D$r?=MJT$$(MBT$$MQ,Kt$$D$ ?D$f?MJT$$MBT$$MQ,Kt$$D$ ?D$f?MJT$$~MBT$$QMQ,Kt$$D$ ?D$?>MJT$$)MBT$$MQ,Kt$$D$ ?D$>?MJT$$MBT$$M@QLIt$$MHNMMBBBB\$,|$ t$T$UT$$D$4?D$0D$(/?D$$D$/?D$D$D$ D$8MBT$$MQ,Kt$$D$ ?D$MJT$$MBT$$MQ,Kt$$D$ ?D$?MJT$$lMBL$$?L^_[]ÐUED$E$D$X]ÐUWV^}GX{FHT$L$$u 1^_]ËEMWXHD$ L$t$$ѐUWV ^}GXFGT$L$$u 1 ^_]ËEMUXGD$L$ T$t$<$[UWV@^} GXE GT$L$$&Eu2M@A@A@ A @^_]M(WX Gy |$,y|$(y|$$ L$ H L$HL$HL$D$E8D$0ED$ t$T$E$<뒐UWV ^}GXD;FT$L$$TEuEE ^_]ËEMWX;FD$D$ L$t$$%ΐUWV^}GXcDET$L$$u 1^_]ËEMWXED$ L$t$$ѐUWV ^}GXCDT$L$$zEu FL$$a ^_]EMOXDD$L$ D$t$ $+ȐUWV ^}GX{CDT$L$$EuEE ^_]ËEMWXDD$D$ L$t$$ΐUWV ^}GXCsDT$L$$EuEE ^_]ËEMWXsDD$D$ L$t$$UΐUSWV^ED$E $}9+A|$}|$}<$ EEA|$} |$M $E\EEoED$|$E$E\EEED$<$zËED$<$fۋA|$D$}Љ<$]EXEX{0EoEt$u t$u4$'EMuMNFpAF UE @XBDT$L$$ua1M@A@A@ A Č^_[]|$D$}<$EE1E @XD|$UT$ t$D$u4$JĈUSWV^CD$}<$ËBD$$9u?D$$D$}苆JE싆x?D$E$^_[]ÐUSWV ^}]tZt>tCD$$D$ixCD$$D$OKtCD$$D$tCD$$D$xCD$$D${TxAD$$D$ ^_[]ÐUWV0^E}GQ>udD$|$E$@ED$D$<$D$ A7@D$<$D$^0^_]ÉD$|$E؉$\@ED$D$<$D$ A0USWV ^1EHAD$<$Nj E<L$$?D$L$<$tNj E<L$$?D$L$<$uz؃ ^_[]USWV ^@D$}<$NË AD$<$:|<L$$(ۉt<t$$ ^_[]Ë@D$<$P=D$L$$ΐUSWV ^@D$}<$u 1 ^_[]Ë\@D$<$Ë@D$<$;L$$pX@L$$^9UWV^@D$}<$1t+?D$<$@D$L$<$^_]ÐUSWV^;D$E$q;L$$;D$}<$i;L$$D$EEEEEEEE;D$<$:;ML$ ML$D$$D$M EȉDžE ;t;D$E$$EML$ML$ML$ML$ML$ ,ȉL$D$<$D$(D$$D$ ^_[]USWV,^9ML$ML$ML$ML$}|$ D$] $D$(D$$D$ D$9ML$ML$ML$ML$|$ D$$D$(D$$D$ D$Q9ML$ML$ML$ML$|$ D$$D$(D$$D$ D$,^_[]ÐUSWV|^(9D$}|$]$QYC D$CD$ CD$D$E$D$?D$(EEEEEEEE̋8.8ỦT$UȉT$UĉT$ UT$L$$D$C!ExQ@.|8S T$ST$ST$T$UT$ L$$D$(D$$D$ D$ExPXCX8$EE@E@E A9D$E$mtE@9D.U܉T$U؉T$UԉT$ UЉT$L$D$E$'M܉L$M؉L$ MԉL$MЉL$M $D$D$?9H.}|$}|$}|$ }|$T$L$M $9K L$KL$KL$ L$D$}<$Q L.|8S T$ST$ST$T$UT$ L$$D$(D$$D$ D$L.|8{ |${|${|$;|$}|$ L$$D$(D$$D$ D$L.|8S T$ST$ST$T$|$ L$$D$(D$$D$ D$m|^_[]C KS]UMX#E<.USWV^84L$$4L$$؋5D$E$ Nj4D$<$5D$E$4D$<$4D$<$iË91L$$O4D$L$$981L$$4D$L$<$5D$<$Ë91L$$4D$L$$81L$$4D$L$<$4D$<$iEÉ߅tl5D$<$1Jt⋞5\$<$4Ë91L$$4D$L$$1t5\$끋5ML$|$}1UT$D$<$5D$E$^_[]Ë5&USWV^}}苆(:E싆/UT$D$E$fX3D$<$N/#\$ D$L$E$(T3L$<$/#T$ ЉT$L$E$P3L$<$/#T$ ЉT$L$E$L3L$<$L2#T$ D$L$E$^_[]ÐUWV ^EE 9E􋆍-ML$ML$ML$ ML$D$E$2t`M5%1L$$!1L$$؋I2D$<$D$E2D$<$D$ ^_]ÐUE@]]UEMA]]UE@\]UEMA\]UWV ^EEG8E-ML$D$E$Ut*g4_1L$$1uG`?Gd? ^_]G`GdU(XM M7M,D$ED$E$EAEEE@E@@ A(]UWV ^50D$}<$s}U7E􋆁.ML$D$E$Q ^_]U]U]ÐUEEE@E@E @ ]USWV<^,D$E$/L$$T,/T$L$$,D$E$/L$$/L$$o}Ep$.}W T$WT$WT$ T$L$$D$B%t$E싎,L$M $._ \$_\$_\$\$D$ T$E$D$(D$$D$ D$x$E싎,L$M $._ \$_\$_\$\$D$ T$E$D$(D$$D$ D$Ax$E싎,L$M $#.W T$WT$WT$T$D$ L$E$D$(D$$D$ D$E$E싎,L$M $._ \$_\$_\$\$D$ T$E$D$(D$$D$ D$S$E싎,L$M $5._ \$_\$_\$\$D$ T$E$D$(D$$D$ D$$E싎,L$M $ÿ.W T$WT$WT$T$D$ L$E$D$(D$$D$ D$oEs,D$E$PT,/T$L$$4:,D$E$/L$$tut$E,L$M $.Uz |$z|$z|$T$D$ L$E$D$(D$$D$ D$茾,D$E$w/L$$etot$,D$E$F.Ur t$rt$rt$T$D$ L$<$D$(D$$D$ D$<^_[]E~|$E싎,L$M $ý.}_ \$_\$_\$\$D$ T$E$D$(D$$D$ D$l$E싎,L$M $N._ \$_\$_\$\$D$ T$E$D$(D$$D$ D$$UV^r&D$E$̼~zDȋ^]ÐUSWV^<,$L$$苼%L$$y|$L$$gNjEE苎0M싎@&L$M $G<&D$L$<$+)L$E$T%\$ D$L$<$\,8&L$$D$0A̻T%\$ D$L$<$費T%DD$ T$L$<$芻^_[]USWVLXE&+6%T$ $D$ ?D$}?FM$T$$1M"T$$M&+6%t$$D$ ?D$r?M$T$$ܺM&T$$诺M&+6%t$$D$ ?D$f?蜺M$T$$臺M*T$$ZM&+6%t$$D$ ?D$f?GM$T$$2M.T$$MJ+V#t$$MR(MM"&*.\$,|$ t$T$UT$$D$4?D$0D$(/?D$$D$/?D$D$D$ D$8tMT$$GM&+6%t$$D$ ?D$J?4M$T$$MT$$M&+6%t$$D$ ?D$*?߸M$T$$ʸMT$$蝸M&+6%t$$D$ L>D$芸M$T$$uMT$$HM&+6%t$$D$ ?D$?5M$T$$ MT$$M&+6%t$$D$ 33>D$M$T$$˷MT$$螷M&+6%t$$D$ ?D$ =苷M$T$$vM T$$IM z(t$$D$?>M$T$$)MT$$M&+6%t$$D$ ?D$>M$T$$ԶMT$$觶Mz(t$$D$?蜶M$T$$臶MT$$ZM&+6%t$$D$ >D$GM$T$$2MT$$M&+6%t$$D$ ?D$>?M$T$$ݵMT$$谵M2+V#t$$譵M$T$$蘵MT$$kMb%t$$D$ D$XM&+6%|$$D$ @?D$?'Mv(D$L$4$L^_[]USWV<^D$}<$|T$L$$ƴ]t"D$<$D$ AD$ A蝴D$<$苴!D$$quD$$Zt\!D$$CD$L$<$-Nj!D$<$D$4L$$]苆(EEH L$HL$ HL$D$E؉$D$?D$fML$ML$M܉L$M؉L$ M$L$|$D$E${<^_[]ÐUV^D$E$JDȋ^]ÐU8XM M!'M!M L$ML$ML$ML$ D$ED$E$ED$ED$ ED$ED$E$D$?D$U8]USWV<^}}苆&E싆ML$ML$ML$ ML$M L$D$E$HJD$<$0tz]6L$$K L$KL$KL$ L$ D$|$E؉$ED$ ED$E܉D$E؉$D$v<^_[]USWVl^(M$L$M L$ML$ML$ D$E(D$}<${E$D$E D$ ED$ED$E$߰EEMMMM MM$},]t<D$E($GtXGXG XG EGE$O L$OL$OL$L$ D$E(D$EЉ$芰EEGEGEG }0t#},*M\Xp,ً|!TL$$PL$$}|!TL$$گPL$$m]ԯ]Ȁ},*^EOMM*M^MMMXMMXO U\MUE!L$$BNjD$<$D$EXEEED$ EXED$D$<$ED$ ED$D$<$®D$E$譮D$<$蛮l^_[]MZMXMMXO\MMEUSWV<^D$E$D$0L$$NjL$E$D$~L$$Ë2T$ $ӭz*ED$ *ML$L$$裭&L$$葭NjD$<$}jL$$UY2USËfUT$ 2Y]]\$D$$v}d$D$$]W]f]\$ UWT$D$$豬^D$$蟬EEEEMM싆D$E$D$`rUT$UT$UT$ UT$L$$2D$<$ <^_[]UWV0^D$}<$EEEUD$<$ͫNjID$<$蹫ED$E$褫ED$ ED$ED$E$D$@ED$<$jD$<$X0^_]ÐUE@]UEMA]UEP@]UEE@E@]UWV ^EE+ED$E$aWL$D$E$豪D$L$<$蛪WT$L$E$| OD$T$ $`D$L$<$JWT$L$E$+wD$L$<$WT$L$E$;D$L$<$KT$L$E$T$ D$L$<$觩KT$L$E$舩CD$L$<$o ^_]UED$ E D$E$D$D$D$M]UE D$E$D$ D$]ÐUED$ E D$E$D$D$D$]UE D$E$D$ D$蒨]ÐUED$ E D$E$D$D$D$ y]UE D$E$D$ D$ (]ÐUED$ E D$E$D$D$D$]UE D$E$D$ D$辧]ÐUWV^}GL$$蘧GL$$胧G L$$nGL$$Y}E D$E$>^_]ÐUSWV^D$E$ ^T$ D$L$M $2T$E$ΦjD$T$<$踦^|$ D$T$M $蕦T$E$耦^|$ D$T$M $]NT$E$H^|$ D$T$M $%&T$E$f\$T$ D$|$U$.L$E$ԥVt$ D$L$U$讥^_[]UWV ^EEE􋆵D$E$zu>1} L$$LL$$:|$$D$u>1} L$$L$$|$$D$Ф u>} L$$ĤL$$貤|$$D$ 茤u>} L$$耤L$$n|$$D$H ^_]ÐUXD$E$/]USWV|^ D$}|$E$EE D$<$ڣ]t8 D$|$E$ңE\EYXEE D$|$E$蚣EE D$|$EЉ$tEXEM\EEEMED$ ED$ED$E$辢u=nML$ML$ML$ ML$ˉL$D$<$D$Ѣ|^_[]ÐUEM9tU 9u9D]1]ÐUWV^!D$}<${|$ t$L$$[^_]UXD$E$D$+]UWV ^ L$$}L$$]) yZED$L$D$}<$D$ 蹡1 D$<$觡 ^_]UXX]ÐU1]ÐUSWV,^EE苆E싆}|$D$E$R D$<$:L$$( XT$L$$ \ L$$ L$$ڠE䋆 D$}<$ p D$L$]$詠UT$D$<$萠 |$ UT$D$$s,^_[]ÐUXsKD$ $F]ÐUV^ L$$D$ HZ?D$> L$$L$$ϟ L$$D$ HZ?D$ #>迟 L$$譟L$$胟 L$$D$ HZ?D$>s L$$aL$$7^]ÐUSWVL^ ML$ML$ML$ ML$D$}<$É]ЉЉE؋ L$<$<9EEM܋EЍ< |$D$Eԉ$赞e |$ D$ED$E$襞EXE싆 L$$` L$$H L$$D$.L$$D$ HZ?D$>NjL$$D$ HZ?D$>ܝËL$$B \$ |$L$$訝L$$薝 UT$UT$UT$ UT$L$$D$B` L$$HE@E;EaL^_[]UVX LD$ t$T$ $D$^]ÐUWV ^g D$}<$Ŝt?E}7Mc P T$PT$PT$ D$L$E$舜 ^_]ÐUSWV,^D$E$VT$L$$:,D$E$ 4L$$Nj PL$$L$$ћDL$$进Ë$ D$E$訛 L$$D$ D$膛D$L$$p L$ |$T$$N8$ L$$D$0A&|$ D$L$$ PL$$NjD$E$ݚ \$ D$L$<$ÚDL$$豚 D$L$E$蘚E@4\@XMM苎M싎@P T$PT$PT$ D$E D$L$E$7,^_[]Ë0L$$D$ ?D$F?UWV0^ML$ML$ML$ML$ D$}|$E$ԙG0}E􋆑ML$ML$ML$ ML$M,L$$M(L$ M$L$M L$D$E$bG00^_]ÐUWV@^ML$ML$ML$ML$ D$}|$E$"G0} EML$ML$ML$ ML$M0L$(M,L$$M(L$ M$L$M L$D$E$詘G0@^_]UWV@^} } E3M L$ML$ML$ML$ D$ED$E$O0}ugE/P T$PT$PT$ D$L$E $fnM(\f.v\MYoXUUEEGEGEG @^_]UE@a]UEMAa]UE@`]UEMA`]UWV ^EE E􋆻ML$D$E$9t*KCL$$uGd?Gh? ^_]GdGhU(XM M MD$ED$E$迖EAEEE@E@@ A(]UWV ^D$}<$W}) EeML$D$E$5 ^_]U]U]ÐUEEE@E@E @ ]USWV<^D$E$•hL$$谕8T$L$$蔕D$E$whL$$eL$$SEp}W T$WT$WT$ T$L$$D$B E싎L$M $l_ \$_\$_\$\$D$ T$E$D$(D$$D$ D$藔E싎L$M $yl_ \$_\$_\$\$D$ T$E$D$(D$$D$ D$%E싎L$M $lW T$WT$WT$T$D$ L$E$D$(D$$D$ D$賓EE싎L$M $苓l_ \$_\$_\$\$D$ T$E$D$(D$$D$ D$7E싎L$M $l_ \$_\$_\$\$D$ T$E$D$(D$$D$ D$ŒE싎L$M $角lW T$WT$WT$T$D$ L$E$D$(D$$D$ D$SEyD$E$48T$L$$@D$E$L$$tuEL$M $ǑlUz |$z|$z|$T$D$ L$E$D$(D$$D$ D$pD$E$[L$$ItuEL$M $'lUz |$z|$z|$T$D$ L$E$D$(D$$D$ D$АMQ T$QT$QT$ L$D$E$蝐<^_[]EEE싎L$M $nl}_ \$_\$_\$\$D$ T$E$D$(D$$D$ D$E싎L$M $l_ \$_\$_\$\$D$ T$E$D$(D$$D$ D$襏UV^D$E$xzvDȋ^]ÐUSWV^4L$$7lL$$%(L$$NjEE苎<M싎L$M $D$L$<$׎DL$E$躎\$ D$L$<$蠎L$$D$0Ax\$ D$L$<$^@D$ T$L$<$6^_[]USWVLXET$ $D$ ?D$}?MT$$ݍM"T$$谍Mt$$D$ ?D$r?蝍MT$$舍M&T$$[Mt$$D$ ?D$f?HMT$$3M*T$$Mt$$D$ ?D$f?MT$$ތM.T$$豌Mt$$讌MMM"&*.\$,|$ t$T$UT$$D$4?D$0D$(/?D$$D$/?D$D$D$ D$8 MT$$Mt$$D$ ?D$J?MT$$ˋMT$$螋Mt$$D$ ?D$*?苋MT$$vMT$$IMt$$D$ L>D$6MT$$!MT$$Mt$$D$ ?D$?MT$$̊MT$$蟊Mt$$D$ 33>D$茊MT$$wMT$$JMt$$D$ ?D$ =7MT$$"MT$$M&t$$D$?MT$$ՉM T$$訉Mt$$D$ ?D$>蕉MT$$耉MT$$SM&t$$D$?HMT$$3MT$$Mt$$D$ >D$MT$$ވMT$$豈Mt$$D$ ?D$>?螈MT$$艈MT$$\Mt$$YM:T$$DMT$$Mt$$D$ D$M|$$D$ @?D$?ӇM"D$T$4$躇M: |$$虇MD$T$4$耇ƋM|$$cNjM\$T$4$BMD$T$<$)ML$$L^_[]USWVL^"D$E$E܋L$$ˆT$L$$识t%D$E܉$D$ AD$ A膆D$E܉$qt1D$E$XD$L$E܉$?E܋L$$$Ǎ]C D$ D$<$D$D$<$D$ D$?؅D$<$ƅ K L$KL$KL$ L$ D$ED$E$觅fQ T$$QT$ QT$ L$ML$ML$ML$ ML$D$E܉$D$,?D$(*D$<$D$<$L^_[]UWV@^} }EM L$ML$ML$ML$ D$ED$E$资EE܋D$<$芄L$$xfn.E܋EvEXEEXEE@E@E@ @^_]UV^D$E$Dȋ^]ÐUVT^E EEM L$ML$ML$ML$ D$ED$E$蘃EXEED$ED$ ED$ED$EЉ$D$D$@@EMU]ЋEPH@ T^]USWV<^EXEE싾D$E$тD$L$<$軂E䋆L$$蠂lj}ED$ D$<$D$vD$<$D$ D$?T D$<$B8L$$*$D$E$EY$ ]EXLEEEdO L$OL$OL$L$XED$ ML$D$E$D$$?D$ qT$ $YÍMQ T$ L$$D$/L$$D$ D$? L$$W T$WT$WT$T$E\ED$ ML$L$M $D$$?D$ 蘀D$$膀 D$$tD$}<$_ D$<$M<^_[]ËdQ T$QT$QT$ L$EXD$ ED$D$E$D$$?D$ hUSWV<^}}苆E싆ML$ML$ML$ ML$M L$D$E$D$<$ttz] L$$UK L$KL$KL$ L$ D$|$E؉$9ED$ ED$E܉D$E؉$D$~<^_[]USWV<^u D$}|$E$~D$<$~E苆`D$<$~L$$~ D$$f~EuD$E$K~hL$$9~NjhL$$~u u uD$E$}L$$}EH L$ HL$HL$$D$w}upD$E$}Ǎ$}D$L$<$u} pD$E$X}L$$F}hL$$4} uF\}pD$4$}L$$|Ë`D$$D$|9~tuN L$NL$NL$L$}|$ D$]$D$(D$$D$ D$|EtV T$VT$VT$T$|$ L$$D$(D$$D$ D$+|Ep\$<$|]|L$$|t F D$FD$FD$D$ED$ \$]$D$(D$$D$ D${}tV T$VT$VT$T$UT$ L$$D$(D$$D$ D$K{tF D$FD$FD$D$UT$ \$]$D$(D$$D$ D$z]tuN L$NL$NL$L$}|$ D$E$D$(D$$D$ D$ztN L$NL$NL$L$|$ \$E$D$(c ElD$$Fz;EEtuV T$VT$VT$T$UT$ L$]$D$(D$$D$ D$yEt~ |$~|$~|$6t$UT$ L$$D$(D$$D$ D$yEpL$U$qyM|T$$\yMt uF D$FD$FD$D$ED$ L$߉<$D$(D$$D$ D$xEtV T$VT$VT$T$ED$ L$<$D$(D$$D$ D$xEtV T$VT$VT$T$ED$ L$]$D$(D$$D$ D$GxEtN L$NL$NL$L$ML$ D$$D$(D$$D$ D$wEtMQ T$QT$QT$ L$ML$ D$E$upD$E$w|L$$wtuN L$NL$NL$L$ML$ D$}<$D$(D$$D$ D$'wEtV T$VT$VT$T$UT$ L$<$D$(D$$D$ D$vEt^ \$^\$^\$\$UT$ L$<$D$(D$$D$ D$yvEt^ \$^\$^\$\$UT$ L$<$D$(D$$D$ D$"vEt~ |$~|$~|$>|$UT$ L$}<$D$(D$$D$ D$uEtN L$NL$NL$L$UT$ D$<$)uN L$NL$NL$L$ML$ D$}<$D$(D$$D$ D$=uEtV T$VT$VT$T$UT$ L$<$D$(D$$D$ D$tEt^ \$^\$^\$\$UT$ L$<$D$(D$$D$ D$tEt^ \$^\$^\$\$UT$ L$<$D$(D$$D$ D$8tEt~ |$~|$~|$>|$UT$ L$}<$D$(D$$D$ D$sEtN L$NL$NL$L$UT$ D$<$D$(D$$E@\Mtu~ |$~|$~|$>|$D$ T$}<$D$(D$$D$ D$6sMt^ \$^\$^\$\$]\$ T$<$D$(D$$D$ D$rMtV T$VT$VT$T$\$ D$<$D$(D$$D$ D$rMtV T$VT$VT$T$\$ D$<$D$(D$$D$ D$7rMtV T$VT$VT$T$\$ D$]$D$(D$$D$ D$qMtV T$VT$VT$T$UT$ D$$D$(D$$D$ D$qMt~ |$~|$~|$>|$UT$ D$$D$(D$$D$ D$2qMtN L$NL$NL$L$UT$ D$$D$(D$$D$ D$pE@ E.@v3MQ T$QT$QT$ L$D$E$p<^_[]ËED$E uXuN L$NL$NL$L$ML$ \$]$D$(D$$D$ D$p}tF D$FD$FD$D$ED$ T$$D$(D$$D$ D$otN L$NL$NL$L$ED$ \$]$D$(D$$tuV T$VT$VT$T$UT$ L$]$D$(D$$D$ D$)oMtV T$VT$VT$T$UT$ D$$D$(D$$D$ D$nMt~ |$~|$~|$>|$UT$ D$}<$D$(D$$D$ D$xnMtF D$FD$FD$D$UT$ L$<$D$(,USWV<^Ex\4D$E$nL$$m2;M,I L$ JL$T$$mE܋D$E$mZT$L$$muD$E$rmE܋L$$WmFL$$EmL$$3mNjL$$m\$ D$L$<$lL$$D$@Al\$ D$L$<$lL$$lFL$$lL$$ylËD$$D$ D$UlzL$$=l2L$$D$>#l.D$L$$ lD$ \$L$<$kBL$$k|$ }܉|$L$$kL$$kǍ]CK L$D$ D$|$E$D$k(YK YC~YUX~YE$XECk}E$1k\$ m\$D$<$j<^_[]ÍE,H,@ 2D$L$ :D$|$$jM,IUWV ^EEEML$D$E$kjt*}uL$$GjuG\?G`? ^_]G\G`U(XM M]MD$ED$E$iEAEEE@E@@ A(]UWV ^KD$}<$i}E􋆗ML$D$E$gi ^_]U(E D$ED$ ED$ED$E$D$?D$h(]UWV@^ED$ED$ ED$ED$E$D$@D$ghML$ML$ML$ ML$D$<$D$BhD$E$shUT$UT$UT$UT$D$ L$<$D$(D$$D$ D$!h!L$E$hUT$UT$UT$UT$D$ L$<$D$(D$$D$ D$g%L$E$gUT$UT$UT$UT$D$ L$<$D$(D$$D$ D$Gg)L$E$,gUT$UT$UT$UT$D$ L$<$D$(D$$D$ D$f%L$E$fUT$UT$UT$UT$D$ L$<$D$(D$$D$ D$mf%L$E$RfUT$UT$UT$UT$D$ L$<$D$(D$$D$ D$f@^_]ÐUSWVLXET$ $D$ ?D${?eMVT$$eMT$$|eMt$$D$ ?D${?ieMVT$$TeMT$$'eMt$$D$ ?D$l?eMVT$$dMT$$dMt$$D$ ?D$s?dMVT$$dMT$$}dMt$$zdMMM\$,|$ t$T$UT$$D$4?D$0D$(?D$$D$?D$D$D$ D$8cMT$$cMt$$D$ ?D$>cMVT$$cMT$$jcMt$$D$ ?D$?WcMVT$$BcM T$$cMt$$D$ ף=D$cMVT$$bMT$$bMt$$D$ q= ?D$?bMVT$$bMT$$kbMt$$D$ >D$XbMVT$$CbM"L$$bL^_[]USWV^EEEEEEEE-D$E$atUT$ UT$L$$D$aM xEȉ|1Ex;t-D$E$Ra$>aED$\$E$Ca)ED$D$$D$ AaG;|uML$ ML$D$t$D$`>Ĝ^_[]UE@ ]ÐUE@]ÐUE@]ÐUWV ^}GL$$D$d`GT$L$$D$D$D$ -`GT$L$$`tGL$$D$_ ^_]USWV^L$$_}OL$T$$_L$$_ËL$$w_OL$T$$^_L$$L_NjL$ \$D$]$'_(L$ |$D$$_^_[]ÐUWV ^}GL$$D$?^aOWT$ L$t$$D$D$D$^ ^_]ÐUWV^}GL$$D$Z^OsL$T$$9^^_]UWV^E@ thT$L$$]tHEMI D$ |$T$ $]t4ML$t$ $]UT$D$$]^_]USWV^EE苆`E싆D$E$e]E}ĻL$D$<$5]ËԻL$D$<$]NjD$$]]\$$D$\D$<$\\$$D$\؃^_[]UED$ E D$E$D$D$D$\]UED$ E D$E$D$D$D$g\]UED$ E D$E$D$D$D$ +\]UWV ^EEEWML$D$E$[t:[ L$D$<$[uD$<$D$[ ^_]UXgD$ $b[]ÐUE@@@@@ ]UWV ^EEeE􋆅ML$D$E$[tTL$D$<$Zt49L$D$<$D$D$D$ Z ^_]UWV ^L$D$}<$mZts D$<$WZL$$D$OZ]fM.u6z4L$D$<$D$D$D$ Y D$<$YL$$Yt^ D$<$YT$L$$Yt, D$<$YL$$D$pY ^_]ÐUWV^D$}<$EYL$$D$ D$A#YD$<$YoT$L$$Xt,D$<$XoL$$D$X^_]UE@@@@@ ]UWV ^EEEML$D$E$eXtTL$D$<$=Xt4L$D$<$D$D$D$ X ^_]UWV ^OSL$D$}<$WtsoD$<$WgL$$D$W]fM.u6z4sL$D$<$D$D$D$ XWoD$<$FWcL$$4Wt^oD$<$WO_T$L$$Wt,oD$<$V_L$$D$V ^_]ÐUWV^=D$}<$V9L$$D$ D$ BV=D$<$sVT$L$$WVt,=D$<$AVL$$D$'V^_]USWV ^:L$$UNjJD$]$UFD$L$<$UNjBML$D$<$U>D$$U:D$L$<$U6D$]$tU^D$L$<$^UbL$$FU2D$L$<$0U.D$$U*D$L$<$UD$<$T ^_[]UXMA$#uD$ $D$T]ÉD$ $D$TUSWV,^vNL$$}TJL$$}T}䋆zL$$PTL$$>TnL$$,Tlj}܋JD$<$D$ @D$@TD$<$D$SD$<$SL$$SNjD$<$D$ D$SD$<$m]D$ D$@EEj^EXnEQSED$ D$<$D$`@,SD$<$D$ D$ SL$$^^EERËED$ D$$D$RED$ D$$D$@RD$$D$ @D$`@rRED$ D$$D$MRJ}^L$$+RL$$D$@?RҾL$$QD$$Qֶ|$L$$D$ BQD$u܉4$Q,^_[]ËL$$QL$$D$L>~QҾL$$lQD$<$ZQҶҾ|$$BQD$$0QbUSWV^ѼL$$QͼL$$Q۽dML$ML$ML$ML$ D$ED$E$PED$ED$ ED$ED$ۭdٝ|^|`D$D$E$OẺD$EȉD$ EĉD$ED$`D$D$EЉ$ۭdݝpOApf.} wf. ML$ML$ML$ML$ D$|$E$OEEEEEEEEM̉L$MȉL$MĉL$ML$ D$|$E$eOEEEEEEEE̋M܉L$M؉L$MԉL$MЉL$ D$|$E$OEEEEEEEEYEiUT$UT$UT$ UT$D$D$L$$uNdYE̋iỦT$UȉT$UĉT$ UT$D$D$L$$"N`YE܋iU܉T$U؉T$UԉT$ UЉT$D$D$L$$MMA$imd\$L$$D$ BMmm`\$L$$D$ BlMqm|$L$$D$ BHMeD$E$3MaUT$UT$UT$ UT$L$$MZEf.f.uL$$D$=D$'?D$ l>D$>LUL$$LL$$~LL$$fLL$$D$ LLqD$d$4LL$$Lļ^_[]Ë]md\$L$$D$ BKam`\$L$$D$ BKeLUXMA$u ]ÉMMD$E$xKUSWV^L$$D$?D$~?D$ d?D$Y?)KNjL$$D$?D$z?D$ T?D$C?JË:FL$$Jj\$ |$L$$JL$$JL$$D$?D$f?D$ 8?D$$?qJNjL$$D$?D$G?D$ ?D$>7JË:FL$$Jj\$ |$L$$JL$$IL$$D$?D$~?D$ j?D$b?INjL$$D$?D$z?D$ ]?D$N?IË:FL$$eIj\$ |$L$$KIL$$!IL$$D$?D${?D$ >D$>INjL$$D$?D$l?D$ >D$>HË:FL$$Hj\$ |$L$$HL$$iHL$$D$?D$x?D$ >D$L>IHNjL$$D$?D$i?D$ <>D$(>HË:FL$$Gj\$ |$L$$GL$$GL$$D$?D${?D$ ?D$>GNjL$$D$?D$l?D$ >D$>WGË:FL$$=Gj\$ |$L$$#GL$$FL$$D$?D$^?D$ ?D$>FNjL$$D$?D$K?D$ >D$h>FË:FL$$Fj\$ |$L$$kFL$$AF"FL$$AF~L$$/FL$$FBL$$EL$$E]R*^ED$ D$<$D$EL$$EjL$$D$>EfD$L$<$oEL$$D$?D$~?D$ y?D$v?7EδL$$%EL$$D^_[]ÐUSWV\^} }苆E싆8M L$ML$ML$ML$ D$ED$E؉$DEXЛEG$]uEXěE܋ܴL$$lDL$$lD]$Mf.w f.vrD$<$(DUT$UT$U܉T$U؉T$ L$D$Eȉ$ DEEEEEEEEEECECEC \^_[]USWV,^}G$u-}]䋞$\$]$cCÉ؃,^_[]Ë lL$$9CL$$'C`L$$CÉ}苾}싾$|$}<$B D$|$$B?8|$ t$D$$BTUV^\L$$BfnfXXhME^]ÐUV^L$$?BfnfXX ME^]ÐUWVP^EE;E/ML$ML$ML$ ML$D$E$At}D$<$D$AOD$|$EЉ$AEE̋OD$|$E$AE^EEט.Ew GxP^_]GxUSWV^RL$$AD$L$<$@NjL$$@ËL$D$<$@ D$L$$@L$$@L$$@ËL$D$<$c@ D$L$$M@L$$#@L$$#@ËL$D$<$@ D$L$$?L$$?L$$?ËL$D$<$? D$L$$?L$$g?L$$g?ËΟL$D$<$I? D$L$$3?L$$ ?L$$ ?ËޟL$D$<$> D$L$$>L$$>L$$>ËL$D$<$> D$L$$w>ƣL$$M>L$$M>ËL$D$<$/> D$L$$>£L$$=L$$=ËL$D$<$= D$L$$=L$$=L$$=ËL$D$<$s= D$L$$]=L$$3=L$$3=Ë.L$D$<$= D$L$$<L$$<L$$<Ë>L$D$<$< D$L$$<L$$w<L$$D$ HZ?D$>g<L$$U<L$$+<L$$+<׋L$$<L$$fnfnXM;fnXEXƣL$$;Nj£L$$;T$ $fnfnXMt;fnXEX^_[]ÐUSWV^E}z] ዶt$\$<$%;D$\$E$D$ :{xNE<D$$:ٝL<YL$:E4M<0t$$ٝHe:ٝD0_H0<\YD $;:ٝ@4X@4f<E84<G0G8G {x D$\$E$9E<D$\$]$t9!4E\\f8<\X<48OG<O ^_[]NONON ŋD$\$E$D$ 8D$\$E$D$ 8D$\$EЉ$D$ b8{x=]X]eX!\fUOgW D$\$E$D$ 7{x!e\fU랋HOHOH O E<D$$y7ٝ\<Y\$k7E<M48t$$ٝX7ٝT8_X84\YT $6ٝP<XPL$D$<$.jD$L$$.؃^_[]UE D$E$D$ D$HJ.]ÐUWV^}GHL$$$.}ɥE􋆙D$E$ .^_]USWV ^}GH]9t8VL$$-D$$-|$$D$H-GHtAr.T$L$$-u!GHfD$L$<$h- ^_[]ËjL$$H-ZL$$6-fD$t$<$ -USWV^}}苆E싆T]\$D$E$,D$<$,L0T$ D$L$$,^_[]USWV ^$+lj|$$+$+É<$+tD$$Y, ^_[]ÐUV^КL$$),̚L$$,^]ÐUV^nL$$+L$$+^]ÐUV^(DL$$+@L$$+^]ÐUV^L$$W+L$$E+^]ÐUV^L$$+L$$*^]ÐUE@\]ÐUWV^E}|$D$<$*=L$D$<$*^_]USWV ^L$D$E$n*ua.L$$R*Nj2D$E$5**D$L$$*&D$L$<$ * ^_[]ÐUSWV^EE苆E싆N}|$D$E$)t2J"L$D$<$)D$L$$)؃^_[]UED$ E D$E$D$D$D$\k)]UWV^}G\L$$")}E􋆗D$E$)^_]USWV<^ L$$(Nj,D$]\$E$(|ML$ML$ML$ ML$|$D$$(<^_[]USWV^}}苆&E싆]\$D$E$D(D$<$,(T$ D$L$$ (^_[]U]ÐU]ÐU]USWV^xďL$$'L$$'L$$'NjEE苆̟E싆|D$E$'xD$L$<$g'DL$$G'\$ D$L$<$-'T0L$$D$'\$ D$L$<$&^_[]ÐU]UE@o]UEMAo]UE@n]UEMAn]UE@m]UEMAm]UE@l]UEMAl]UE@h]ÐUEE@h]UE@d]ÐUEE@d]UE@`]ÐUE@\]ÐUE@X]ÐUE@T]ÐUE@P]ÐUWV^}GXQL$$%GPQL$$%GTQL$$%G\QL$$%G`QL$$|%}EED$E$a%^_]USWV ^}G`]9tRL$$&%D$$%|$$D$`$"D$<$D$$ ^_[]USWV ^}G\]9tR8L$$$<D$$$|$$D$\x$D$<$D$p$ ^_[]USWV ^}GT]9tRL$$:$ƍD$$($|$$D$T$6D$<$D$# ^_[]USWV ^}GP]9tRLL$$#PD$$#|$$D$P#D$<$D$# ^_[]USWV ^}GX]9tR֌L$$N#ڌD$$<#|$$D$X#JD$<$D$# ^_[]USWVXlExnyota΋NXl1T$ $"5L$t$M $"ML$ ML$ML$M $D$<"MylGlL$$M"}GdD$L$$-"Ë5D$|$E$*"ML$ML$ML$ML$|$ D$$D$(D$$D$ D$!ExmlL$$!}GhD$L$$r!Ë5D$|$E$o!ML$ML$ML$ML$|$ D$$D$(D$$D$ D$!ļ^_[]Ël͒يT$ $ uNPVTlT$ L$\$$ Njl5T$t$p$ l|t$xt$tt$ pt$T$<$D$BA l]L$<$) u~\l5L$t$M $ UT$UT$UT$UT$t$ L$<$D$(D$$D$ D$L$$FdD$L$$uNj5D$t$E$rML$ML$ML$ML$t$ D$<$D$(D$$D$ D$Cu~`l5D$t$E$M̉L$MȉL$MĉL$ML$t$ D$<$D$(D$$D$ D$L$$nFhD$L$$QNj5D$t$EЉ$NM܉L$M؉L$MԉL$MЉL$t$ D$<$D$(D$$D$ D$USWV^}}苆E싆UT$D$E$D$<$ }\$ D$L$E$mL$<$[ }T$ D$L$E$8L$<$& .}T$ D$L$E$L$<$ >}T$ D$L$E$L$<$ N}T$ D$L$E$L$<$^}T$ ЉT$L$E$aL$<$On}T$ ЉT$L$E$)L$<$~}T$ ЉT$L$E$L$<$}T$ ЉT$L$E$L$<$}T$ \$L$E$L$<$}T$ \$L$E$O^_[]ÐUSWV^EE苆TE싆}|$D$E$xzL$D$<$LD$L$$zL$D$<$HD$L$$zL$D$<$DD$L$$lzL$D$<$P@D$L$$:zL$D$<$<D$L$$zL$D$<$8D$L$$zL$D$<$4D$L$$zL$D$<$0D$L$$izL$D$<$M,D$L$$4({L$D$<$*$\$D$$({L$D$<$ \$D$$D$$u.L$$LD$L$$D$$zu.L$$^HD$L$$HD$$6u.L$$DD$L$$ D$$u.L$$@D$L$$D$$u.L$$<D$L$$|؃^_[]UV^D$E$PL$$>^]ÐUWV^D$}<$cUT$L$$D$<$D$^_]UV^VD$E$L$$^]ÐUWV^D$}<$uUT$L$$[gD$<$D$A^_]UV^D$E$^L$$^]UWV^D$}<$UT$L$$πD$<$D$^_]ÐUV^"D$E$ZL$$n^]ÐUWV^~D$}<$AOUT$L$$'3D$<$D$ ^_]UV^~D$E$&L$$^]UWV^K~D$}<$UT$L$$D$<$D$v^_]ÐUV^}D$E$LL$$:^]UWV^}D$}<$GUT$L$$D$<$D$^_]ÐUV^V}D$E$L$$^]UWV^}D$}<$yUT$L$$`k~D$<$D$F^_]ÐUE@@]ÐUE@2]UE@<]ÐUE@8]ÐUE@D]ÐUE@1]UEMA1]UE@4]ÐUE@0]USWV,^EE苆>E싆|}|$D$E$|rL$D$<$pD$L$$W|rL$D$<$;D$L$$"|rL$D$<$D$L$$|rL$D$<$D$L$$|rL$D$<$:D$L$$|sL$D$<$mD$L$$W|sL$D$<$;D$L$$%|"sL$D$<$ ځD$L$$D$$u.v}L$$D$L$$D$$u.v|L$$D$L$$kD$$Yu.v}L$$=D$L$$'ށD$$u.v6L$$ځD$L$$D$$t4{2L$D$$D$D$D$ ؃,^_[]ÐUED$ E D$E$D$D$D$Du]UED$ E D$E$D$D$D$H9]UE D$E$D$ D$H]ÐUSWV ^}G4]9tJBxL$$FxD$$|$$D$4~D$<$ ^_[]UXMUJ0}D$$S]UWV^E}G2t}t$<$!^_]Ë]}D$<$a|D$L$<$ USWV ^}G@]9tQJwL$$ NwD$$ |$$D$@ G@|D$L$<$ ^_[]ÐUSWV ^}G<]9tJvL$$L vD$$: |$$D$< |D$<$ ^_[]USWV ^}G8]9tJfvL$$ jvD$$ |$$D$8 n|D$<$ ^_[]USWV|^X|pvL$$w zL$$e zD$E$P {L$$P }zL$E$& {L$$& }EE yL$} <$ Ë`uL$|$Mȉ $ {UԉT$UЉT$ỦT$UȉT$ L$\$M؉ $m]m]D$M\ME\YtcE EXEEX|pvL$$A {ED$ L$$D$ EE苆 E싆dvML$ML$ML$ ML$|$D$E$ X|pvL$$ yL$$ |^_[]USWVl^|tD$E$ tL$$p W\yD$E$S :xD$E$6 yL$$6 }xL$E$ yL$$m] ]E\E$ }|tL$E$ hsL$D$MЉ $ EEz|rT$ $m] wMML$ ED$L$$T prL$$B Epz|rL$$' NjyD$E$ ËyL$E$v\$ D$L$<$prL$$NjwL$M $EEEEMM싖0v]\$]\$]\$ ]\$T$<$D$C^wD$M $ILzyML$T$$*xD$L$E$l^_[]ÐUSWV^woL$$qL$$oL$$Nj]]苆vE싆qD$E$qD$L$<$rw|$D$$kjwD$$Y^_[]ÐUSWV^w&oL$$)^pL$$oL$$Nj]C4FtD$L$<${02qu:D$<$D$ ?D$v|$D$$^_[]ÉD$<$D$ USWV,^vfnL$$ioL$$WZnL$$Elj}]]苆~E싆pD$E$"pD$L$<${1tRuD$؉$t:^8uD$E$2o|$ D$L$E$E@HnfT$L$$E@Hnf|$L$$bËn|$D$E$GuD$L$$1uPouL$D$}<$D$D$D$ uUT$D$<$E,^_[]UWV^}GD-nL$$GH-nL$$G@-nL$$G<-nL$$mG8-nL$$XG4-nL$$C}A}E!mD$E$(^_]ÐUSWV^}}苆|E싆tsML$D$E$GHlL$$\$$D$HGDxmL$$\$$D$DrG4xmL$$o\$$D$4IG8xmL$$F\$$D$8 Gh@hXh@hvh@}hh @mhh$@]hh(@Mhh,@=hh0@-h h4@h#h8@ h8h<@hLh@@hahD@hshH@hhL@hhP@hhT@hhX@hh\@}hh`@mhhd@]hhh@Mh&hl@=h>hp@-hRht@hkhx@ hh|@hh@hh@hh@orderFrontColorPanel:sharedApplicationautoreleaseinitWithContentsOfFile:pathForImageResource:bundleForClass:classNSApplicationBWToolbarShowColorsItemColorsShow Color PanelToolbarItemColors.tiffNSToolbarItemtoolTip:8@0:4paletteLabelimage#@orderFrontFontPanel:BWToolbarShowFontsItemFontsShow Font PanelToolbarItemFonts.tiffactiontargetlabelitemIdentifierrecalculateKeyViewLoopremoveObject:sizeValuebwResizeToSize:animate:initialIBWindowSizeidentifierAtIndex:addSubview:moveObject:toParent:copyaddObject:toParent:initWithFrame:makeFirstResponder:arrayoldWindowTitlesetTitle:selectedItemIdentifiersetOldWindowTitle:titlesetIsPreferencesToolbar:selectableItemIdentifiersboolValuenumberWithBool:removeObserver:name:object:setAction:toggleActiveView:setTarget:postNotificationName:object:userInfo:dictionaryWithObject:forKey:setSelectedIdentifier:setSelectedItemIdentifier:countvalueWithSize:windowSizesByIdentifiersetContentViewsByIdentifier:contentViewmutableCopyselectItemAtIndex:setItemSelectorssetObject:forKey:addObject:itemsaddObserver:selector:name:object:windowDidResize:defaultCentereditableToolbarcountByEnumeratingWithState:objects:count:isMemberOfClass:childrenOfObject:parentOfObject:indexOfObject:switchToItemAtIndex:animate:toolbarIndexFromSelectableIndex:selectInitialItemsetAllowsUserCustomization:setShowsToolbarButton:_windowinitialSetupsetEditableToolbar:initWithIdentifier:isEqualToArray:arrayWithObjects:_defaultItemIdentifiersenabledByIdentifierdocumentToolbarsetEnabledByIdentifier:setHelper:setDocumentToolbar:decodeObjectForKey:initWithCoder:ibDidAddToDesignableDocument:NSArrayNSMutableArrayNSNotificationCenterNSValueNSDictionaryBWClickedItemBWSelectableToolbarItemClickedNSObjectNSToolbarBWSelectableToolbar@"BWSelectableToolbarHelper"itemIdentifiers@"NSMutableArray"itemsByIdentifier@"NSMutableDictionary"inIBi@8@0:4v16@0:4i8c12setSelectedIndex:labelstoolbarSelectableItemIdentifiers:toolbar:itemForItemIdentifier:willBeInsertedIntoToolbar:@20@0:4@8@12c16toolbarAllowedItemIdentifiers:toolbarDefaultItemIdentifiers:validateToolbarItem:c12@0:4@8setEnabled:forIdentifier:v16@0:4c8@12setSelectedItemIdentifierWithoutAnimation:@12@0:4i8i12@0:4i8selectFirstItem 50T@"NSMutableArray",R,PT@"NSMutableDictionary",C,VenabledByIdentifier,PisPreferencesToolbarhelperT@"BWSelectableToolbarHelper",&,Vhelper,PBWSTDocumentToolbarBWSTHelperBWSTIsPreferencesToolbarBWSTEnabledByIdentifierNSToolbarFlexibleSpaceItemNSToolbarSpaceItemNSToolbarSeparatorItem7E6A9228-C9F3-4F21-8054-E4BF3F2F6BA80D5950D1-D4A8-44C6-9DBC-251CFEF852E2BWSelectableToolbarHelperIBEditableBWSelectableToolbarsetMovable:isSheetcontentBorderThicknessForEdge:setContentBorderThickness:forEdge:addBottomBarBWAddRegularBottomBar{_NSRect={_NSPoint=ff}{_NSSize=ff}}8@0:4 BWRemoveBottomBarsetBackgroundStyle:NSTextFieldBWInsetTextField1NSButtonBWTransparentButton1isEnabled_textAttributesinitdrawTitle:withFrame:inView:setSize:namecolorWithCalibratedWhite:alpha:NSBundleBWTransparentButtonCellNSActionTemplateNSButtonCell{_NSRect={_NSPoint=ff}{_NSSize=ff}}32@0:4@8{_NSRect={_NSPoint=ff}{_NSSize=ff}}12@28TransparentButtonLeftN.tiffTransparentButtonFillN.tiffTransparentButtonRightN.tiffTransparentButtonLeftP.tiffTransparentButtonFillP.tiffTransparentButtonRightP.tiffBWTransparentCheckboxsizebackgroundStylegraphicsPortcontrolViewboldSystemFontOfSize:isInTableViewinteriorColoraddEntriesFromDictionary:setShadowOffset:setFlipped:allocBWTransparentCheckboxCellNSMutableDictionaryBWTransparentTableViewNSGraphicsContext!2TransparentCheckboxOffN.tiffTransparentCheckboxOffP.tiffTransparentCheckboxOnN.tiffTransparentCheckboxOnP.tiffNSPopUpButtonBWTransparentPopUpButton1 alignmentimagePositioninvertimageRectForBounds:concatsetScalesWhenResized:pullsDownisHighlightedBWTransparentPopUpButtonCellNSColorNSAffineTransforminitializecontrolSize{_NSRect={_NSPoint=ff}{_NSSize=ff}}24@0:4{_NSRect={_NSPoint=ff}{_NSSize=ff}}8drawImageWithFrame:inView:drawBezelWithFrame:inView:!3 TransparentPopUpFillN.tiffTransparentPopUpFillP.tiffTransparentPopUpRightN.tiffTransparentPopUpRightP.tiffTransparentPopUpLeftN.tiffTransparentPopUpLeftP.tiffTransparentPopUpPullDownRightN.tifTransparentPopUpPullDownRightP.tifNSSliderBWTransparentSliderstopTracking:at:inView:mouseIsUp:startTrackingAt:inView:knobRectFlipped:rectOfTickMarkAtIndex:setTickMarkPosition:BWTransparentSliderCellNSSliderCellv32@0:4{_NSPoint=ff}8{_NSPoint=ff}16@24c28{_NSRect={_NSPoint=ff}{_NSSize=ff}}12@0:4c8_usesCustomTrackImagev28@0:4{_NSRect={_NSPoint=ff}{_NSSize=ff}}8c24!0TransparentSliderTrackLeft.tiffTransparentSliderTrackFill.tiffTransparentSliderTrackRight.tiffTransparentSliderThumbP.tiffTransparentSliderThumbN.tiffTransparentSliderTriangleThumbN.tiffTransparentSliderTriangleThumbP.tiffdeallocnewblackColorsetDividerStyle:splitView:resizeSubviewsWithOldSize:sortUsingDescriptors:arrayWithObject:initWithKey:ascending:allValuesdictionaryWithCapacity:validateAndCalculatePreferredProportionsAndSizescorrectCollapsiblePreferredProportionOrSizevalidatePreferredProportionsAndSizesrecalculatePreferredProportionsAndSizesallKeysnonresizableSubviewPreferredSizeresizableSubviewPreferredProportionsetStateForLastPreferredCalculations:setNonresizableSubviewPreferredSize:setResizableSubviewPreferredProportion:numberWithFloat:dictionaryarrayWithCapacity:autoresizingMasksplitViewWillResizeSubviews:splitViewDidResizeSubviews:collapsibleSubviewIsCollapsedsplitView:effectiveRect:forDrawnRect:ofDividerAtIndex:splitView:constrainSplitPosition:ofSubviewAt:clearPreferredProportionsAndSizessplitView:constrainMinCoordinate:ofSubviewAt:subviewMinimumSize:subviewMaximumSize:splitView:constrainMaxCoordinate:ofSubviewAt:splitView:shouldCollapseSubview:forDoubleClickOnDividerAtIndex:splitView:canCollapseSubview:splitView:additionalEffectiveRectOfDividerAtIndex:collapsibleDividerIndexmouseDown:resizeAndAdjustSubviewsrestoreAutoresizesSubviews:animationEndedsetCollapsibleSubviewCollapsedHelper:setMinSizeForCollapsibleSubview:endGroupingsetFrameSize:animatorsetDuration:animationDurationcurrentContextbeginGroupingremoveMinSizeForCollapsibleSubviewcollapsibleSubviewCollapsedsetHidden:autoresizesSubviewssubviewIsResizable:setShowsStateBy:cellsetToggleCollapseButton:objectForKey:setAutoresizesSubviews:removeObjectForKey:numberWithInt:setState:hasCollapsibleDividerhasCollapsibleSubviewbwShiftKeyIsDownsetCollapsibleSubviewCollapsed:invalidateCursorRectsForView:adjustSubviewscollapsibleSubviewIndexsubviewIsCollapsed:collapsibleSubviewisSubviewCollapsed:subviewIsCollapsible:subviewsconvertRectFromBase:convertRectToBase:drawDimpleInRect:bwDrawPixelThickLineAtPosition:withInset:inRect:inView:horizontal:flip:isVerticalcenterScanRect:drawGradientDividerInRect:drawDividerInRect:drawSwatchInRect:dividerThicknessuserSpaceScaleFactordividerCanCollapseencodeInt:forKey:collapsiblePopupSelectionmaxUnitsminUnitsmaxValuescolorIsEnabledcolordelegatesetDividerCanCollapse:setCollapsiblePopupSelection:decodeIntForKey:setMaxUnits:setMinUnits:setMaxValues:setMinValues:setColorIsEnabled:setColor:BWSplitViewNSEventNSNumberNSAnimationContextBWAnchoredButtonBarNSSortDescriptorNSSplitViewcheckboxIsEnabledsecondaryDelegate@"NSArray"uncollapsedSizeisAnimatingsetCheckboxIsEnabled:setSecondaryDelegate:f12@0:4i8resizableSubviewsf20@0:4@8f12i16c20@0:4@8@12i16c16@0:4@8@12c16@0:4@8i12toggleCollapse:v24@0:4{_NSRect={_NSPoint=ff}{_NSSize=ff}}8awakeFromNib"!T@,VsecondaryDelegate,PtoggleCollapseButtonT@"NSButton",&,VtoggleCollapseButton,PstateForLastPreferredCalculationsT@"NSArray",&,VstateForLastPreferredCalculations,PT@"NSMutableDictionary",&,VnonresizableSubviewPreferredSize,PT@"NSMutableDictionary",&,VresizableSubviewPreferredProportion,PTc,VcollapsibleSubviewCollapsedTc,VdividerCanCollapseTi,VcollapsiblePopupSelectionT@"NSMutableDictionary",&,VmaxUnits,PT@"NSMutableDictionary",&,VminUnits,PT@"NSMutableDictionary",&,VmaxValues,PminValuesT@"NSMutableDictionary",&,VminValues,PTc,VcheckboxIsEnabledTc,VcolorIsEnabledT@"NSColor",C,Vcolor,PBWSVColorBWSVColorIsEnabledBWSVMinValuesBWSVMaxValuesBWSVMinUnitsBWSVMaxUnitsBWSVCollapsiblePopupSelectionBWSVDividerCanCollapseselfGradientSplitViewDimpleBitmap.tifGradientSplitViewDimpleVector.pdfreleaseresignFirstResponderbecomeFirstRespondersetShowsFirstResponder:setFloatValue:deltaXdeltaYdoubleValuesetEnabled:setSliderToMaximumsetHighlightsBy:setSliderToMinimumsetImage:setBordered:setFrame:removeFromSuperviewsetFrameOrigin:convertPoint:fromView:hitTest:maxValuesendAction:to:setDoubleValue:minValuesetTrackHeight:maxButtonsetMaxButton:setMinButton:BWTexturedSlidersliderCellRect{_NSRect="origin"{_NSPoint="x"f"y"f}"size"{_NSSize="width"f"height"f}}@"NSButton"i8@0:4c8@0:4scrollWheel:v12@0:4c8setIndicatorIndex:@16@0:4{_NSPoint=ff}81rT@"NSButton",&,VmaxButton,PminButtonT@"NSButton",&,VminButton,PindicatorIndexTi,VindicatorIndexBWTSIndicatorIndexBWTSMinButtonBWTSMaxButtonTexturedSliderSpeakerQuiet.pngTexturedSliderSpeakerLoud.pngTexturedSliderPhotoSmall.tifTexturedSliderPhotoLarge.tifcompositeToPoint:operation:trackHeightBWTexturedSliderCellisPressedv12@0:4i8c20@0:4{_NSPoint=ff}8@16drawKnob:drawBarInside:flipped:setNumberOfTickMarks:numberOfTickMarksI8@0:4!@Ti,VtrackHeightBWTSTrackHeightTexturedSliderTrackLeft.tiffTexturedSliderTrackFill.tiffTexturedSliderTrackRight.tiffTexturedSliderThumbP.tiffTexturedSliderThumbN.tiffBWAddSmallBottomBarsplitView:shouldHideDividerAtIndex:dividerIndexNearestToHandlelastObjectisInLastSubviewsetIsAtRightEdgeOfBar:setIsAtLeftEdgeOfBar:classNameobjectAtIndex:drawLastButtonInsetInRect:drawResizeHandleInRect:withColor:bwBringToFrontsetSplitViewDelegate:splitViewDelegateisKindOfClass:splitViewisAtBottomisResizablesetHandleIsRightAligned:setIsAtBottom:setIsResizable:mainScreeninitWithColorsAndLocations:retainNSScreenwasBorderedBarv8@0:4{_NSRect={_NSPoint=ff}{_NSSize=ff}}48@0:4@8{_NSRect={_NSPoint=ff}{_NSSize=ff}}12{_NSRect={_NSPoint=ff}{_NSSize=ff}}28i44v20@0:4@8{_NSSize=ff}12{_NSRect={_NSPoint=ff}{_NSSize=ff}}16@0:4@8i12viewDidMoveToSuperview@24@0:4{_NSRect={_NSPoint=ff}{_NSSize=ff}}8AT@,VsplitViewDelegate,PhandleIsRightAlignedTc,VhandleIsRightAlignedTc,VisResizableTc,VisAtBottomselectedIndexTi,VselectedIndexBWABBIsResizableBWABBIsAtBottomBWABBHandleIsRightAlignedBWABBSelectedIndexBWAnchoredButtonBWAnchoredPopUpButtontopAndLeftInset{_NSPoint="x"f"y"f}1@Tc,VisAtRightEdgeOfBarTc,VisAtLeftEdgeOfBardrawImage:withFrame:inView:setTemplate:intValueshowsStateBytitleRectForBounds:systemFontOfSize:textColorisAtRightEdgeOfBarsuperviewhighlightRectForBounds:drawWithFrame:inView:setShadowColor:colorWithAlphaComponent:BWAnchoredButtonCellv32@0:4@8{_NSRect={_NSPoint=ff}{_NSSize=ff}}12@28v28@0:4{_NSRect={_NSPoint=ff}{_NSSize=ff}}8@24strokelineToPoint:moveToPoint:setLineWidth:bezierPathNSBezierPathBWAdditionsv44@0:4i8i12{_NSRect={_NSPoint=ff}{_NSSize=ff}}16@32c36c40drawInRect:rotateByDegrees:pixelsHighpixelsWidebestRepresentationForDevice:unlockFocuslockFocusbwRotateImage90DegreesClockwise:@12@0:4c8encodeBool:forKey:encodeSize:forKey:selectedIdentifierarchivedDataWithRootObject:contentViewsByIdentifierdecodeBoolForKey:setInitialIBWindowSize:decodeSizeForKey:setWindowSizesByIdentifier:unarchiveObjectWithData:NSStringNSUnarchiverNSArchiver@"NSString"{_NSSize="width"f"height"f}v12@0:4@8v16@0:4{_NSSize=ff}8{_NSSize=ff}8@0:40Tc,VisPreferencesToolbarT{_NSSize="width"f"height"f},VinitialIBWindowSizeT@"NSString",C,VoldWindowTitle,PT@"NSString",C,VselectedIdentifier,PT@"NSMutableDictionary",C,VwindowSizesByIdentifier,PT@"NSMutableDictionary",C,VcontentViewsByIdentifier,PBWSTHContentViewsByIdentifierBWSTHWindowSizesByIdentifierBWSTHSelectedIdentifierBWSTHOldWindowTitleBWSTHInitialIBWindowSizeBWSTHIsPreferencesToolbarstyleMasksetFrame:display:animate:NSWindowbwIsTexturedv20@0:4{_NSSize=ff}8c16setWantsLayer:bwTurnOffLayerdurationsortSubviewsUsingFunction:context:bwAnimatorrestoreGraphicsStatesetCompositingOperation:saveGraphicsStaterectOfRow:containsIndex:selectedRowIndexesrowsInRect:drawBackgroundInClipRect:usesAlternatingRowBackgroundColorssetDataCell:dataCelladdTableColumn:BWTransparentTableViewCellNSTableViewcellClass#8@0:4highlightSelectionInClipRect:_highlightColorForCell:_alternatingRowBackgroundColorsbackgroundColor1ueditWithFrame:inView:editor:delegate:event:selectWithFrame:inView:editor:delegate:start:length:cellSizeForBounds:drawingRectForBounds:setAttributedStringValue:initWithString:attributes:attributesAtIndex:effectiveRange:attributedStringValueNSMutableAttributedStringmIsEditingOrSelectingv40@0:4{_NSRect={_NSPoint=ff}{_NSSize=ff}}8@24@28@32@36v44@0:4{_NSRect={_NSPoint=ff}{_NSSize=ff}}8@24@28@32i36i40! 1PdrawInRect:fromRect:operation:fraction:isTemplatedrawAtPoint:fromRect:operation:fraction:scaleXBy:yBy:translateXBy:yBy:transformbwTintedImageWithColor:imageColordrawArrowInFrame:isAtLeftEdgeOfBardrawInRect:angle:respondsToSelector:NSShadowBWAnchoredPopUpButtonCellNSFontNSPopUpButtonCelldrawBorderAndBackgroundWithFrame:inView:setControlSize:v12@0:4I8ButtonBarPullDownArrow.pdfdrawAtPoint:boundingRectWithSize:options:stringWithFormat:drawTextInRect:childlessCustomViewBackgroundColorcontainerCustomViewBackgroundColorbwIsOnLeopardcustomViewDarkBorderColorcustomViewDarkTexturedBorderColorcustomViewLightBorderColor%d x %d pt%d ptNSCustomViewBWCustomViewisOnItsOwn#BWUnanchoredButton10BWUnanchoredButtonCellBWUnanchoredButtonContainercloseSheet:performSelector:withObject:shouldCloseSheet:endSheet:beginSheet:modalForWindow:modalDelegate:didEndSelector:contextInfo:encodeObject:forKey:initWithWindow:orderOut:setAlphaValue:NSWindowControllerBWSCSheetBWSCParentWindowBWSheetControllersheet@"NSWindow"parentWindow@setParentWindow:setSheet:setDelegate:messageDelegateAndCloseSheet:openSheet:@12@0:4@8T@,&,N,Vdelegate,PT@"NSWindow",&,N,Vsheet,PT@"NSWindow",&,N,VparentWindow,PsetDrawsBackground:ibTesterBWTransparentScrollerNSScrollViewBWTransparentScrollView_verticalScrollerClass&setBottomCornerRounded:BWAddMiniBottomBarBWAddSheetBottomBarNSTokenFieldBWTokenField13setFont:fontsetAttachment:attachmentsetRepresentedObject:initTextCell:stringValueBWTokenAttachmentCellNSTokenFieldCellBWTokenFieldCellsetUpTokenAttachmentCell:forRepresentedObject:@16@0:4@8@12!$GpullDownRectForBounds:arrowInHighlightedState:interiorBackgroundStylegetRed:green:blue:alpha:tokenBackgroundColorbezierPathWithRoundedRect:xRadius:yRadius:drawInBezierPath:angle:fillcolorWithCalibratedRed:green:blue:alpha:NSTokenAttachmentCellpullDownImagedrawTokenWithFrame:inView:%floatValue_drawingRectForPart:rectForPart:drawKnobknobProportiondrawKnobSlotsetArrowsPosition:NSScrollerscrollerWidthForControlSize:f12@0:4I8scrollerWidthf8@0:4c{_NSRect={_NSPoint=ff}{_NSSize=ff}}12@0:4I81Q0TransparentScrollerKnobTop.tifTransparentScrollerKnobVerticalFill.tifTransparentScrollerKnobBottom.tifTransparentScrollerSlotTop.tifTransparentScrollerSlotVerticalFill.tifTransparentScrollerSlotBottom.tifTransparentScrollerKnobLeft.tifTransparentScrollerKnobHorizontalFill.tifTransparentScrollerKnobRight.tifTransparentScrollerSlotLeft.tifTransparentScrollerSlotHorizontalFill.tifTransparentScrollerSlotRight.tifBWTransparentTextFieldCell!_setItemIdentifier:bwRandomUUIDisEqualToString:setIdentifierString:BWToolbarItem#AidentifierStringT@"NSString",C,VidentifierString,PBWTIIdentifierStringmodifierFlagscurrentEventbwCapsLockKeyIsDownbwControlKeyIsDownbwOptionKeyIsDownbwCommandKeyIsDownaddCursorRect:cursor:pointingHandCursoropenURL:URLWithString:sharedWorkspaceurlStringsetUrlString:openURLInBrowser:NSWorkspaceNSURLNSCursorBWHyperlinkButtonresetCursorRects1T@"NSString",C,N,VurlString,PBWHBUrlStringblueColorBWHyperlinkButtonCellisBorderedsetNeedsDisplay:boundssetinitWithStartingColor:endingColor:bottomInsetAlphaencodeFloat:forKey:topInsetAlphahasFillColorhasBottomBorderhasTopBorderencodeWithCoder:bottomBorderColorfillColorfillEndingColorfillStartingColorgrayColorsetBottomInsetAlpha:setTopInsetAlpha:decodeFloatForKey:setHasFillColor:setHasBottomBorder:setHasTopBorder:setBottomBorderColor:setTopBorderColor:setFillColor:setFillEndingColor:setFillStartingColor:NSViewBWGradientBoxfv12@0:4f8isFlippeddrawRect:%0Tc,VhasFillColorTc,VhasBottomBorderTc,VhasTopBorderTf,VbottomInsetAlphaTf,VtopInsetAlphaT@"NSColor",&,N,VbottomBorderColor,PtopBorderColorT@"NSColor",&,N,VtopBorderColor,PT@"NSColor",&,N,VfillColor,PT@"NSColor",&,N,VfillEndingColor,PT@"NSColor",&,N,VfillStartingColor,PBWGBFillStartingColorBWGBFillEndingColorBWGBFillColorBWGBTopBorderColorBWGBBottomBorderColorBWGBHasTopBorderBWGBHasBottomBorderBWGBHasGradientBWGBHasFillColorBWGBTopInsetAlphaBWGBBottomInsetAlphasolidColorsetEndingColor:setStartingColor:hasShadowBWStyledTextFieldchangeShadowdrawInteriorWithFrame:inView:setPatternPhase:convertRect:toView:framesetTextColor:colorWithPatternImage:initWithSize:descenderascenderwindowsetShadow:isEqualTo:shadowcopyWithZone:shadowIsBelowendingColorstartingColorshadowColorperformSelector:withObject:afterDelay:applyGradientgreenColorwhiteColorsetSolidColor:setPreviousAttributes:setHasGradient:setHasShadow:setShadowIsBelow:NSImageNSGradientNSTextFieldCellBWStyledTextFieldCell@"NSColor"@"NSShadow"@12@0:4^{_NSZone=}8!&T@"NSColor",&,N,VsolidColor,PhasGradientTc,VhasGradientT@"NSColor",&,N,VendingColor,PT@"NSColor",&,N,VstartingColor,PpreviousAttributesT@"NSMutableDictionary",&,VpreviousAttributes,PT@"NSShadow",&,N,Vshadow,PTc,VhasShadowT@"NSColor",&,N,VshadowColor,PTc,VshadowIsBelowBWSTFCShadowIsBelowBWSTFCHasShadowBWSTFCHasGradientBWSTFCShadowColorBWSTFCPreviousAttributesBWSTFCStartingColorBWSTFCEndingColorBWSTFCSolidColor.???@@@@@@?@)\(?0C?Y@?@>Gz?HBHA@p0BAS?1Zd? A44?4 ~.>N^n~.>N^n~`A0HPp0 @,  @`$$000Pp"" 0Pp$$     0GP!!   @`0P @0"P"p""""<(  ) )6+  +00P0'0!00'1!01P1)1 11)2 3X4 888 88909D9`999=> >@>`>>>>(?@  -APdjyn$ <GYd>p22 /;GZ+xt`:=N`pb@;&dEYi{`*`5''*2Q:t0HiN'&p;&:}L&y&$'2'D'@bz4pX(-CTuAXKl* /HYv7ey4Mhy $-:[iF2J`w " : N a u     '* 5 E ` s   d      . 2 F O f        4&3b4|ZL-=GXcqL4Sn  &@O~f'$.'b?FS`n6:)x N ""<#K#Z#c######## $$$G$T$]$%?%t%%%%%%q'((((( ).)<)V)#x) *,*H*Z*d****A,U,,--f:X"-1-<-R-`--..1.J._....+/@/M/V/e/|/H2c2223#3|33333333f4455"5<;5N5q5755555566;)6=6P6f6y666;99;9&;4;;;;9:0:A:t:::::::$=g;u;;0;PXxk 6,(U'4<   * I  c yg p } m$ &'*^,l-34 4`0HHiaHi8a\j Pha6Pka6Pladla \*(bD0lXb M\*bUDlbLZ`sb(lc#,\*HclX\mxcc  hm \c#|8qYhcpxlrtd6jPs8d6* \Hshd  hԆtzdD ud u d$hv %(e<m$4Hv&XeL@lXv&e('Lwe))`w)e )dx)f)D0xHf6)PPxxf:+dxft,,xx,f6,Pyg6,PHy8g,-x-hg--y-g.l-(y/g/^,|ȇy*0g<!20@z<2(h2L؇Tz2Xh 4`z54ȋhp4D{h66p8{7ԋh9d|i<&<L4}<000060600 00 M0U0LZ0(0#,00(c  0<#0P0d6j06* 0x  000$0<m$0L@0('0̌))0 )0)06)0:+0t,,06,06,0,-0--0.l-0/^,0<!20H20 40p4066090<&<0pjLXZp(pFnp4tp"p|pLZpXpvnpdtpRp& #pL#b z#~# R p~13p6+, $+C+ ;p<bw6 D= >,@Z0AG  GB2CEn JE+M{pO`5 O+ "& !p B!p4P7 Q R+Q40S+VSX(h(SXSpSHp8Yi-BZUTX(h(ZXZ`:(cp.[i-cZHp\X(h(eX epeHp&nr0orhfVe X(h(qX qh(q@tbqz2t^p u4x|w+yM z z  v      *f z zO xz lz`z flp ЀKp  :Xpv p   pTz4 p. p p.p2 p  z ~ $by:آȦ4y) e)  w= Y ֵv .X 7X ĹX lh x hz Xh d  > i* .8M*:/Dz  rN p" &: wu wL+   BE  :`  < "`5 f+zq ~pc Xp$R &&7 x9h3*bG.`5 + G@b^ 4x<ZpX(h(X`5 +T47  +Oth&Z N  pB  h n  X  x  b X 7X |z@TpVS 6n&7 :  `5 !+A"#'##.t#`:*$h $+# *3f'p4r5Hp~+$pB+.%br$|5X(h($X$ >p?2  4?pp? ?p? @jpD@ = <<b<r@`5 A+$=dpB$ H$+F$pK$pF $ HK]$ F%:&.N?%r&N%rO:KP'PP.P`:FQh Q+P $ar2cf'pdrPdHpX$pXq' &e/(JRbrR|ThX(h(RXR( y7 Bi`:~h ~+}br~   v+ t^+p+ L+p+ F pz+  * + 2`5 J+ +(4Ԍ7  Ȏ+4r7 4 f+---r&.pBHp.~..T@//ެ+//M/e/7 +AHpj2p2 4`5 +<3 3p>$463 `5 +0 J482,HpB5p.5p"5p7p q5p565/564/=6N5)6;5;<t6f"5Z:P6 f6 R6 6 >y6 6P7 *`5 T+; 9pZ9 ;p9 d&;p*;< 04;p;;Z;9;T4;pH;:9.: :p"; $=p&;p;p <9p H;;; @9 9 $:g; (:Hp^:a<`5 Z+`hXXXX(YXYYYYZHZxZZZ[8[h[[[[(\\xX\\\\]H]x]]]^8^h^^^^(_X___̍_`H`x``@,~@,~@,~@,~@,~@,~@,~@,~@,@,@, @,0@,@@,P@,`@,p@,@,@,@,@,@,@,@,@,@,@, @,0@,@@,P@,`@,p@,@,@,@,@,@,Ѐ@,@,@,@,@, @,0@,@@,P@,`@,p@,@,@,@,@$D6HHHL_/PdTb/X/h2 ><T /X~ /Y /Z/[ t+\.H` Hd Hh HllHpKHtX x d| 6 /d\d`dtXx/hdl/P/Q /RdTt+X'/\./]Vf`HH  j  b/$&/0'/`./aVfd)/\Vf\L+R+^+R+F t+ * /x2 H3 \ 5><P5><T5><X7><\q5><`56d46hN5/l;5/m</n"5/o ;/09/1</24;><4&;><8;><<9><@:I<D$=HH1b  1XzKl= `    .8~ a 2 Xh 5Zu.'b !j\!!!!.'F +L++^+,223:4 "5*7<<;5G7N5h74z757q5777585.85S8 9<<<;<&;=$=7=:n=9=4;=;=     ȉ   H `    L.VL]L`jLtqL|LLB0LL,$$GLGLZL8,$L//̥//LLĸ, ;4#T6tg   63T9N'+<#C$# DK#E#p FEc2p03D3W3li3&.)N!`!Ip$} pQ"`DppSDppSCRBUDppSDppSDppSGpSDppSGpSDppSGpSDppSGpSCRBpSCRBUCRBUCRBUDppSCRBUCRBUDppSCRBUDppSCRBpSCRBUDppSCRBpSCRBpSDppSDppSCRCTDppSDppSDppSGpSDppSDppSCRBpSDppSCRBUCRBUDppSCRBUDppSCRBUISISISISISISISDpSISDpSISDpSISDpSDpSDpSDpSISDpSISDpSISDpSISISDpSISISDpSISISDpSISISISISDpSDpSDpSISISISISISK`B`B`rB\BSBSB`B`B`B`B`B`9B`'B\B`]B`B`B`0B`B\B`B`$BVBYBVBSB`$BSB\B\BSB`B`BSB`B`B\B`QB`*B`QC3 pRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRARARARARARARARBRBRARARARARARARARARARARARARARARARARBRARARARARBRARBRARARARARBRARARBRARARARARARBRBRARARBRBRBRARARBRBRBRBRARARARARARARARARARARBRARARARARARARARARCXB`BVBRBZBTB\BTBVBRBRB`B`B SBSBSBSBSBSBSBVBSBVBSBSBSBSBYBVDSDSDSDRAp RAp RApSBVBVBYBSB`BS !ppp Q@dyld_stub_binderQq@___CFConstantStringClassReference$} @_NSZeroRectq@_NSApp@_NSFontAttributeNameq@_NSForegroundColorAttributeName@_NSShadowAttributeName@_NSUnderlineStyleAttributeName@_NSWindowDidResizeNotificationqq@_CFMakeCollectableq @_CFReleaseq@_CFUUIDCreateq@_CFUUIDCreateStringq@_CGContextRestoreGStateq@_CGContextSaveGStateq @_CGContextSetShouldSmoothFontsq$@_Gestaltq(@_NSClassFromStringq,@_NSDrawThreePartImageq0@_NSInsetRectq4@_NSIntegralRectq8@_NSIsEmptyRectq<@_NSOffsetRectq@@_NSPointInRectqD@_NSRectFillqH@_NSRectFillUsingOperationqL@_ceilfqP@_floorfqT@_fmaxfqX@_fminfq\@_modfq`@_objc_assign_globalqd@_objc_assign_ivarqh@_objc_enumerationMutationql@_objc_getPropertyqp@_objc_msgSendqt@_objc_msgSendSuperqx@_objc_msgSendSuper_stretq|@_objc_msgSend_fpretq@_objc_msgSend_stretq@_objc_setPropertyq@_roundf_.objc_cVcompareViewsJBWSelectableToolbarItemClickedNotificationP lass_name_BWxategory_name_NS TSARemoveBottomBarInsetTextFieldCustomViewUnanchoredButtonHyperlinkButtonGradientBoxoransparentexturedSliderolbarkenShowItemColorsItemFontsItem  electableToolbarplitViewheetControllertyledTextFieldȱ HelperddnchoredRegularBottomBarSMiniBottomBar  ز ButtonCheckboxPopUpButtonST Cell  Cell ȴ Cell lidercroll Cellص   Cell mallBottomBarheetBottomBar ButtonPopUpButtonBarȷ  Cell ظ ableViewextFieldCell Cell  Cell Ⱥ  Cellontainer ػ  Viewer   FieldAttachmentCellȽ Cell  ؾ    Cell   Cell Window_BWAdditions View_BWAdditions String_BWAdditions Image_BWAdditions Event_BWAdditions Color_BWAdditions Application_BWAdditions         &,28>DJPV\ t z $4DTdt$4DTdt@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@ @@@AA(A8AHAXAhAxAAAAAAAAABB(B8BHBXBhBxBBBBBBBBBCC(C8CHCXChCxCCCCCCCCCDD(D8DHDXDhDxDDDDDDDDDEE(E8EHEXEhExEEEEEEEEEFF(F8FHFXFhFxFFFFFFFFFGG(G8GHGXGhGxGGGGGGGGGHH(H8HHHXHhHxHHHHHPPP PPPPP P$P(P,P0P4P8PN>.h$$fNf.Jh$J$N.i$$PNP.nBi$n$N. ki$ $N.i$$N.i$$N.6i$6$N.j$$0N0., kj$, $&N&.R j$R $N. j$ $RNR.B!j$B!$RNR.!k$!$xNx. "Hk$ "$N.#nk$#$<N<.L#k$L#$.N..z#k$z#$<N<.#k$#$ N .~1l$~1$&N&.3/l$3$<N<.6_l$6$N.;l$;$4N4.<l$<$rNr.D=l$D=$tNt.>%m$>$tNt.,@Wm$,@$N.0Avm$0A$RNR.Bm$B$N.2Cm$2C$N.En$E$N.M$n$M$N.OOn$O$N.O~n$O$Nn n& Hn& Hdcdnd ofnYK.Po$Po$&N&.Qo$Qp$N.QHp$Q$2N2.Rkp$R$JNJdcdpdpfnYK.0Sq$0S$%N%dcd6qdIqfnYK.VSq$VSq$tNtdcdrd+rfnYK.Sr$S$ N .Sr$Sr$N.S0s$S$<N<.TYs$T$N.Us$U$N..Vs$.V$ N .8Ys$8Y$ N .BZt$BZ$}N}Nt& H\t& Hkt& Hxt& Ht& Ht& Ht& Ht& HdcdtdtfnYK.ZTu$Z$ N .Z}u$Zu$N.Zu$Z$^N^..[v$.[$N.\:v$\$zNz.]gv$]$2N2.`v$`$tNt.(cv$(c$N.cw$c$^N^N>.y]}$y$N}& $I}& (I}& ,I}& 0I}& 4I}& 8I}& N>.|$|$~N~.v($v$<N<.E$$<N<.b$$<N<.*~$*$<N<.f$f$<N<.р$$.N..Ѐ$Ѐ$<N<. 8$ $.N..:h$:$<N<.v$v$.N..΁$$<N<.$$.N..$$&N&.4?$4$N..V$.$rNr.n$$rNr.$$rNr.$$rNr.$$N.z͂$z$vNv.$$4N4.$$$$lNl.)$$RNR.I$$N.}$$N.:$:$LNL.Ճ$$RNR.آ$آ$N.ȦP$Ȧ$lNl.4$4$N.$$N. ބ$ $N.$$N.$$$NNN.ֵE$ֵ$XNX..q$.$N.$$N.$$N.Ĺ$Ĺ$N.l\$l$N.$$ZNZ.h$h$XNX.$$N.XW$X$ N .d$d$N.>$>$N.Ç$$ZNZ.*$*$N.. $.$ N .8P$8$dNd.$$N.*$*$hNh.ˈ$$:N:.$$DND.!$$bNb.r?$r$VNV.d$$^N^.&$&$dNd.$$DND.ډ$$~N~.L$L$N."$$DND.B>$B$N.:_$:$N.<$<$N."$"$DND.fNJ$f$tNt& H& @I& DI & HI& LI1& PIE& TIdcdWdjfnYK.ދ$$ N .2$$N.U$$N.~t$~$<N<.$$.N..$$<N<.$֌$$$.N..R$R$dNd.$$hNh.9$$hNh.b$$N.$$vNv.$$N.xʍ$x$N.h$h$N.*$*$N.,$$N..S$.$^N^.w$$:N:.$$N& XI͎& \Iގ& `I& dIdcddfnYK.$$N.$ޏ$N.$$N.=$$N.k$$ N .$$ N .$$N.$$ZNZ.B$B$ZNZ.8$$tNt.r$$,N,.<$<$N.Ñ$$xNx.T$T$N& hI & lI-& pI=& tIN& xIdcd^dtfnYK.$$&N&. $/$N.c$$2N2.$$JNJdcddfnYK.05$0[$N.B$B$ N .N$N$ N .Z$Z$N.h$h$ N .t7$t$N.^$$ N .$$ N .$$ N .˕$$(N(. $ $&N&. $ $fNf.n U$n $lNl. $ $N. $ $tNt. ?$ $fNf. t$ $N.$$tNt.|$|$tNt.:$$N.$$N.$$N.T̘$T$N.$$N.$$N.VF$V$N.m$$ZNZ.6$6$N.&͙$&$N.:$:$N. '$ $N.!K$!$ N ."s$"$N& |I& I& I& Iך& I& I& I & I& I'& I7& IJ& IdcdWdjfnYK.t#ޛ$t#$ N .#6$#$N.#a$#$ N .#$#$N.#$#$N.*$Ԝ$*$$pNp.$$$$RNRdcd d$fnYK.$$$$ N .$$$$N.$$$$2N2..%M$.%$N.B+$B+$<N<.~+$~+$2N2.,ʞ$,$zNz.*3$*3$N.4!$4$<N<.5D$5$N.5p$5$N& I& I& Iϟ& I& I& I& I!& I3& IF& IU& Ih& I|& I& I& I& I& Idcdd̠fnYK.6C$6$MNMdcdסdfnYK.9d$9$FNF.<Ѣ$<$NdcddfnYK.<$<̣$ N .<$<$N.<<$<$N.=m$=$N.$=$$=$N.>Τ$>$<N<.?$?$.N..4?>$4?$<N<.p?w$p?$.N..?$?$<N<.?$?$.N..@$@$<N<.D@@$D@$.N..r@l$r@$N.A$A$N.B$B$UNUdcddfnYK.Cp$C$,N,. D˧$ D$[N[dcddfnYK.hE$hE$*N*.EȨ$E$JNJ.E$E$.N.. F$ F$Ndcd6dOfnYK.Fɩ$F$N.F*$F$N.F\$F$N.G$G$*N*.G$G$N.HϪ$H$N.K$K$HNH.HKA$HK$mNmu& I& I& IdcddfnYK.K7$Ks$xNx..N$.N$N.N$N$N.OK$O$NdcddfnYK.P$P<$ N .Pr$P$N.P$P$ N .Pͮ$P$N.P$P$N.FQ$$FQ$pNp.QC$Q$RNRdcdgdfnYK.R$R$ N .R)$RV$N.R$R$2N2.JRŰ$JR$LNL.X $X$<N<.X2$X$2N2.Z_$Z$ N .$a$$a$N.2c$2c$N.d$d$<N<.Pd$Pd$N.&eI$&e$.N..Thx$Th$N& I& J̲& Jܲ& J& J & J& J.& J@& JS& Jb& $Ju& (J& ,J& 0J& 4J& 8J& $HNH.̥t$̥$HNH.$$N.$$N.ެ$ެ$N.$$nNn.J$$N.l$$N.$$N.$$N& J& J& J& J& J)& J2& J=& JQ& J[& Jg& Jy& J& J& J& JdcddfnYK.jF$jt$ZNZ.ĸ$ĸ$wNw& JdcddfnYK.<e$<$|N|.$$.N..$$NNN.4$4$N.$$tNtdcd6dMfnYK.$$YNYdcd d6fnYK.$$FNF.& $&$FNF.l5$l$FNF._$$FNF.$$ENEdcddfnYK.>?$>^$ N .J$J$JNJ.$$N.0$0$|N|.$$<N<. $$NNN.6=$6$N.c$$tNtdcddfnYK.,$,$N.2N$2t$N.8$8$ N .B$B$ N dcddfnYK.Px$P$ N .Z$Z$ N .f$f$N.t$t$ N .$$N.?$$ N .`$$N.$$ N .$$N.$$ N .$$N. $$ N .,$$N.O$$ N . r$ $ N .$$ N ."$"$ N ..$.$ N .:$:$N. $$vNv.R1$R$vNv.U$$vNv.>z$>$vNv.$$vNv.*$*$*N*.T$T$N.$$Ndcdd1fnYK.$$>N>.$$^N^.Z$Z$>N>.=$$^N^.d$$:N:.0$0$^N^.$$>N>.$$^N^.*$*$:N:.d$d$^N^.:$$:N:.[$$^N^.Z$Z$:N:.$$]N]dcddfnYK.U$y$ N .$$ N . $ $ N .$$ N ." $"$ N ..@$.$ N .:c$:$N.H$H$ N .T$T$ N .`$`$BNB.$$<N<."$$<N<.R$$.N..H~$H$nNn.$$,N,.$$^N^.@$@$vNv.#$$nNn.$L$$$nNn.w$$N.$$N.($($N.$$N.!$$N.^J$^$N.k$$DND.Z$Z$NdcddfnYK.NU$N$ENEd-@"j4FXj|(;RddvX/eJ9`n  69, R  B!;!f "#L#z##/~1M3}6;<D=C>u,@0AB2CEBMmOOPQ Q/ RU 0Sq VS S S S TE U| .V 8Y BZ Z- ZZ Z .[ \ ] `> (cy c  e e e< Vew f h `j&nA0oupq qq(q[tqttu|wAykDzTz`zlzxzzFzszzz|v (D*`fЀ .:cv4.4Le~z$Cj:آȦJ4  ֵ7.bĹ"l_hXPdj>*.8El*r*L&sLB%:O<q"f~4Rt$R!Ahxh*.5Z~, P x  B !'!<V!!T!!! "/"0U"B~"N"Z"h"t$#F#k### # $n r$ $ % :% v%%|&J&i&&T&& 'V3'a'6'&':' (!9("_(t#(#(#(#)#$)*$>)$])$)$)$).% *B+.*~+V*,y**3*4*5*5*+6+9+<+<%,<[,<,=,$=,>'-?]-4?-p?-?-?/.@_.D@.r@.A.B/C&/ DW/E}/E/ F/F/F!0FK0Go0G0H0K1HK:1Kv1.N1N2OG2Ps2P2P2P2P%3FQD3Qh3R3R3R3JR94X`4X4Z4$a42c5dF5Pdw5&e5Th5Bi5y6}86~T6~u6~6687 -7zK7f777J7278D8h8t888(8+9ԌH9m99Ȏ9r994:f9:|:B:: ;~:;^;&;;;̥<<<`<ެ<<<<=G=ju=ĸ=<===4>A>g>>&>l>?[?J}??0??@6.@T@,@2@8@B@PAZ4AfVAtsAAAAABCD*0DTRDrDDDZDDE0DEeEE*EdEEFZ:F^FFF FF"G.6G:]GHGTG`GG%HQHHzHHH@HI$JIII(IIJ^>JeJZJNJZJ HJ HJ HJ H K HK H'K H4K HBK HOK H\K HjK HwK HK HK HK HK HK HK HK HK IK IL IL IL I*L I7L IGL ISL I`L $ImL (IzL ,IL 0IL 4IL 8IL N INN IXN IhN I{N IN IN IN IN IN IN IN I O IO I0O I?O IRO IfO ItO IO IO IO IO IO IO IO IO JO JO JP J)P J9P JJP J\P JoP J~P $JP (JP ,JP 0JP 4JP 8JP ? @ A B C D E F G H I J K L M N O P Q R S T U V W X Y Z [ \ ] ^ _ ` a b c d e f g h i j k l m n o p q r s t u v w x y z { | } ~                  __mh_dylib_headerdyld_stub_binding_helper__dyld_func_lookup-[BWToolbarShowColorsItem itemIdentifier]-[BWToolbarShowColorsItem label]-[BWToolbarShowColorsItem paletteLabel]-[BWToolbarShowColorsItem action]-[BWToolbarShowColorsItem toolTip]-[BWToolbarShowColorsItem image]-[BWToolbarShowColorsItem target]-[BWToolbarShowFontsItem itemIdentifier]-[BWToolbarShowFontsItem label]-[BWToolbarShowFontsItem paletteLabel]-[BWToolbarShowFontsItem action]-[BWToolbarShowFontsItem toolTip]-[BWToolbarShowFontsItem image]-[BWToolbarShowFontsItem target]-[BWSelectableToolbar toolbarDefaultItemIdentifiers:]-[BWSelectableToolbar toolbarAllowedItemIdentifiers:]-[BWSelectableToolbar isPreferencesToolbar]-[BWSelectableToolbar documentToolbar]-[BWSelectableToolbar editableToolbar]-[BWSelectableToolbar awakeFromNib]-[BWSelectableToolbar selectFirstItem]-[BWSelectableToolbar selectInitialItem]-[BWSelectableToolbar toggleActiveView:]-[BWSelectableToolbar identifierAtIndex:]-[BWSelectableToolbar setEnabled:forIdentifier:]-[BWSelectableToolbar validateToolbarItem:]-[BWSelectableToolbar toolbar:itemForItemIdentifier:willBeInsertedIntoToolbar:]-[BWSelectableToolbar toolbarSelectableItemIdentifiers:]-[BWSelectableToolbar selectedIndex]-[BWSelectableToolbar setSelectedIndex:]-[BWSelectableToolbar setDocumentToolbar:]-[BWSelectableToolbar setEditableToolbar:]-[BWSelectableToolbar initWithCoder:]-[BWSelectableToolbar setHelper:]-[BWSelectableToolbar helper]-[BWSelectableToolbar setEnabledByIdentifier:]-[BWSelectableToolbar switchToItemAtIndex:animate:]-[BWSelectableToolbar labels]-[BWSelectableToolbar setIsPreferencesToolbar:]-[BWSelectableToolbar selectableItemIdentifiers]-[BWSelectableToolbar windowDidResize:]-[BWSelectableToolbar enabledByIdentifier]-[BWSelectableToolbar setSelectedItemIdentifierWithoutAnimation:]-[BWSelectableToolbar setSelectedItemIdentifier:]-[BWSelectableToolbar dealloc]-[BWSelectableToolbar setItemSelectors]-[BWSelectableToolbar selectItemAtIndex:]-[BWSelectableToolbar toolbarIndexFromSelectableIndex:]-[BWSelectableToolbar initialSetup]-[BWSelectableToolbar initWithIdentifier:]-[BWSelectableToolbar _defaultItemIdentifiers]-[BWSelectableToolbar encodeWithCoder:]-[BWAddRegularBottomBar bounds]-[BWAddRegularBottomBar initWithCoder:]-[BWAddRegularBottomBar drawRect:]-[BWAddRegularBottomBar awakeFromNib]-[BWRemoveBottomBar bounds]-[BWInsetTextField initWithCoder:]-[BWTransparentButtonCell controlSize]-[BWTransparentButtonCell setControlSize:]-[BWTransparentButtonCell interiorColor]-[BWTransparentButtonCell drawBezelWithFrame:inView:]-[BWTransparentButtonCell drawImage:withFrame:inView:]+[BWTransparentButtonCell initialize]-[BWTransparentButtonCell _textAttributes]-[BWTransparentButtonCell drawTitle:withFrame:inView:]-[BWTransparentCheckboxCell controlSize]-[BWTransparentCheckboxCell setControlSize:]-[BWTransparentCheckboxCell isInTableView]-[BWTransparentCheckboxCell interiorColor]-[BWTransparentCheckboxCell _textAttributes]+[BWTransparentCheckboxCell initialize]-[BWTransparentCheckboxCell drawImage:withFrame:inView:]-[BWTransparentCheckboxCell drawInteriorWithFrame:inView:]-[BWTransparentCheckboxCell drawTitle:withFrame:inView:]-[BWTransparentPopUpButtonCell controlSize]-[BWTransparentPopUpButtonCell setControlSize:]-[BWTransparentPopUpButtonCell interiorColor]-[BWTransparentPopUpButtonCell drawBezelWithFrame:inView:]-[BWTransparentPopUpButtonCell drawImageWithFrame:inView:]-[BWTransparentPopUpButtonCell imageRectForBounds:]+[BWTransparentPopUpButtonCell initialize]-[BWTransparentPopUpButtonCell _textAttributes]-[BWTransparentPopUpButtonCell titleRectForBounds:]-[BWTransparentSliderCell _usesCustomTrackImage]-[BWTransparentSliderCell setTickMarkPosition:]-[BWTransparentSliderCell controlSize]-[BWTransparentSliderCell setControlSize:]-[BWTransparentSliderCell startTrackingAt:inView:]+[BWTransparentSliderCell initialize]-[BWTransparentSliderCell stopTracking:at:inView:mouseIsUp:]-[BWTransparentSliderCell knobRectFlipped:]-[BWTransparentSliderCell drawKnob:]-[BWTransparentSliderCell drawBarInside:flipped:]-[BWTransparentSliderCell initWithCoder:]-[BWSplitView animationEnded]-[BWSplitView secondaryDelegate]-[BWSplitView collapsibleSubviewCollapsed]-[BWSplitView dividerCanCollapse]-[BWSplitView setDividerCanCollapse:]-[BWSplitView collapsiblePopupSelection]-[BWSplitView setCollapsiblePopupSelection:]-[BWSplitView setCheckboxIsEnabled:]-[BWSplitView colorIsEnabled]-[BWSplitView initWithCoder:]+[BWSplitView initialize]-[BWSplitView setMinValues:]-[BWSplitView setMaxValues:]-[BWSplitView setMinUnits:]-[BWSplitView setMaxUnits:]-[BWSplitView setResizableSubviewPreferredProportion:]-[BWSplitView resizableSubviewPreferredProportion]-[BWSplitView setNonresizableSubviewPreferredSize:]-[BWSplitView nonresizableSubviewPreferredSize]-[BWSplitView setStateForLastPreferredCalculations:]-[BWSplitView stateForLastPreferredCalculations]-[BWSplitView setToggleCollapseButton:]-[BWSplitView toggleCollapseButton]-[BWSplitView setSecondaryDelegate:]-[BWSplitView dealloc]-[BWSplitView maxUnits]-[BWSplitView minUnits]-[BWSplitView maxValues]-[BWSplitView minValues]-[BWSplitView color]-[BWSplitView setColor:]-[BWSplitView setColorIsEnabled:]-[BWSplitView checkboxIsEnabled]-[BWSplitView setDividerStyle:]-[BWSplitView splitView:resizeSubviewsWithOldSize:]-[BWSplitView resizeAndAdjustSubviews]-[BWSplitView clearPreferredProportionsAndSizes]-[BWSplitView validateAndCalculatePreferredProportionsAndSizes]-[BWSplitView correctCollapsiblePreferredProportionOrSize]-[BWSplitView validatePreferredProportionsAndSizes]-[BWSplitView recalculatePreferredProportionsAndSizes]-[BWSplitView subviewMaximumSize:]-[BWSplitView subviewMinimumSize:]-[BWSplitView subviewIsResizable:]-[BWSplitView resizableSubviews]-[BWSplitView splitViewWillResizeSubviews:]-[BWSplitView splitViewDidResizeSubviews:]-[BWSplitView splitView:effectiveRect:forDrawnRect:ofDividerAtIndex:]-[BWSplitView splitView:constrainSplitPosition:ofSubviewAt:]-[BWSplitView splitView:constrainMinCoordinate:ofSubviewAt:]-[BWSplitView splitView:constrainMaxCoordinate:ofSubviewAt:]-[BWSplitView splitView:shouldCollapseSubview:forDoubleClickOnDividerAtIndex:]-[BWSplitView splitView:canCollapseSubview:]-[BWSplitView splitView:additionalEffectiveRectOfDividerAtIndex:]-[BWSplitView splitView:shouldHideDividerAtIndex:]-[BWSplitView mouseDown:]-[BWSplitView toggleCollapse:]-[BWSplitView restoreAutoresizesSubviews:]-[BWSplitView removeMinSizeForCollapsibleSubview]-[BWSplitView setMinSizeForCollapsibleSubview:]-[BWSplitView setCollapsibleSubviewCollapsed:]-[BWSplitView collapsibleDividerIndex]-[BWSplitView hasCollapsibleDivider]-[BWSplitView animationDuration]-[BWSplitView setCollapsibleSubviewCollapsedHelper:]-[BWSplitView adjustSubviews]-[BWSplitView hasCollapsibleSubview]-[BWSplitView collapsibleSubview]-[BWSplitView collapsibleSubviewIndex]-[BWSplitView collapsibleSubviewIsCollapsed]-[BWSplitView subviewIsCollapsed:]-[BWSplitView subviewIsCollapsible:]-[BWSplitView setDelegate:]-[BWSplitView drawDimpleInRect:]-[BWSplitView drawGradientDividerInRect:]-[BWSplitView drawDividerInRect:]-[BWSplitView awakeFromNib]-[BWSplitView encodeWithCoder:]-[BWTexturedSlider indicatorIndex]-[BWTexturedSlider initWithCoder:]+[BWTexturedSlider initialize]-[BWTexturedSlider setMinButton:]-[BWTexturedSlider minButton]-[BWTexturedSlider setMaxButton:]-[BWTexturedSlider maxButton]-[BWTexturedSlider dealloc]-[BWTexturedSlider resignFirstResponder]-[BWTexturedSlider becomeFirstResponder]-[BWTexturedSlider scrollWheel:]-[BWTexturedSlider setEnabled:]-[BWTexturedSlider setIndicatorIndex:]-[BWTexturedSlider drawRect:]-[BWTexturedSlider hitTest:]-[BWTexturedSlider setSliderToMaximum]-[BWTexturedSlider setSliderToMinimum]-[BWTexturedSlider setTrackHeight:]-[BWTexturedSlider trackHeight]-[BWTexturedSlider encodeWithCoder:]-[BWTexturedSliderCell controlSize]-[BWTexturedSliderCell setControlSize:]-[BWTexturedSliderCell numberOfTickMarks]-[BWTexturedSliderCell setNumberOfTickMarks:]-[BWTexturedSliderCell _usesCustomTrackImage]-[BWTexturedSliderCell trackHeight]-[BWTexturedSliderCell setTrackHeight:]-[BWTexturedSliderCell startTrackingAt:inView:]+[BWTexturedSliderCell initialize]-[BWTexturedSliderCell stopTracking:at:inView:mouseIsUp:]-[BWTexturedSliderCell drawKnob:]-[BWTexturedSliderCell drawBarInside:flipped:]-[BWTexturedSliderCell encodeWithCoder:]-[BWTexturedSliderCell initWithCoder:]-[BWAddSmallBottomBar bounds]-[BWAddSmallBottomBar initWithCoder:]-[BWAddSmallBottomBar drawRect:]-[BWAddSmallBottomBar awakeFromNib]+[BWAnchoredButtonBar wasBorderedBar]-[BWAnchoredButtonBar splitViewDelegate]-[BWAnchoredButtonBar handleIsRightAligned]-[BWAnchoredButtonBar setHandleIsRightAligned:]-[BWAnchoredButtonBar isResizable]-[BWAnchoredButtonBar setIsResizable:]-[BWAnchoredButtonBar isAtBottom]-[BWAnchoredButtonBar selectedIndex]-[BWAnchoredButtonBar initWithCoder:]+[BWAnchoredButtonBar initialize]-[BWAnchoredButtonBar setSplitViewDelegate:]-[BWAnchoredButtonBar splitView:shouldHideDividerAtIndex:]-[BWAnchoredButtonBar splitView:shouldCollapseSubview:forDoubleClickOnDividerAtIndex:]-[BWAnchoredButtonBar splitView:effectiveRect:forDrawnRect:ofDividerAtIndex:]-[BWAnchoredButtonBar splitView:constrainSplitPosition:ofSubviewAt:]-[BWAnchoredButtonBar splitView:canCollapseSubview:]-[BWAnchoredButtonBar splitView:resizeSubviewsWithOldSize:]-[BWAnchoredButtonBar splitView:constrainMaxCoordinate:ofSubviewAt:]-[BWAnchoredButtonBar splitView:constrainMinCoordinate:ofSubviewAt:]-[BWAnchoredButtonBar splitView:additionalEffectiveRectOfDividerAtIndex:]-[BWAnchoredButtonBar dealloc]-[BWAnchoredButtonBar setSelectedIndex:]-[BWAnchoredButtonBar setIsAtBottom:]-[BWAnchoredButtonBar splitView]-[BWAnchoredButtonBar dividerIndexNearestToHandle]-[BWAnchoredButtonBar isInLastSubview]-[BWAnchoredButtonBar viewDidMoveToSuperview]-[BWAnchoredButtonBar drawLastButtonInsetInRect:]-[BWAnchoredButtonBar drawResizeHandleInRect:withColor:]-[BWAnchoredButtonBar drawRect:]-[BWAnchoredButtonBar awakeFromNib]-[BWAnchoredButtonBar encodeWithCoder:]-[BWAnchoredButtonBar initWithFrame:]-[BWAnchoredButton isAtRightEdgeOfBar]-[BWAnchoredButton setIsAtRightEdgeOfBar:]-[BWAnchoredButton isAtLeftEdgeOfBar]-[BWAnchoredButton setIsAtLeftEdgeOfBar:]-[BWAnchoredButton initWithCoder:]-[BWAnchoredButton frame]-[BWAnchoredButton mouseDown:]-[BWAnchoredButtonCell controlSize]-[BWAnchoredButtonCell setControlSize:]-[BWAnchoredButtonCell highlightRectForBounds:]-[BWAnchoredButtonCell drawBezelWithFrame:inView:]-[BWAnchoredButtonCell textColor]-[BWAnchoredButtonCell _textAttributes]+[BWAnchoredButtonCell initialize]-[BWAnchoredButtonCell drawImage:withFrame:inView:]-[BWAnchoredButtonCell imageColor]-[BWAnchoredButtonCell titleRectForBounds:]-[BWAnchoredButtonCell drawWithFrame:inView:]-[NSColor(BWAdditions) bwDrawPixelThickLineAtPosition:withInset:inRect:inView:horizontal:flip:]-[NSImage(BWAdditions) bwRotateImage90DegreesClockwise:]-[NSImage(BWAdditions) bwTintedImageWithColor:]-[BWSelectableToolbarHelper isPreferencesToolbar]-[BWSelectableToolbarHelper setIsPreferencesToolbar:]-[BWSelectableToolbarHelper initialIBWindowSize]-[BWSelectableToolbarHelper setInitialIBWindowSize:]-[BWSelectableToolbarHelper initWithCoder:]-[BWSelectableToolbarHelper setContentViewsByIdentifier:]-[BWSelectableToolbarHelper contentViewsByIdentifier]-[BWSelectableToolbarHelper setWindowSizesByIdentifier:]-[BWSelectableToolbarHelper windowSizesByIdentifier]-[BWSelectableToolbarHelper setSelectedIdentifier:]-[BWSelectableToolbarHelper selectedIdentifier]-[BWSelectableToolbarHelper setOldWindowTitle:]-[BWSelectableToolbarHelper oldWindowTitle]-[BWSelectableToolbarHelper dealloc]-[BWSelectableToolbarHelper encodeWithCoder:]-[BWSelectableToolbarHelper init]-[NSWindow(BWAdditions) bwIsTextured]-[NSWindow(BWAdditions) bwResizeToSize:animate:]-[NSView(BWAdditions) bwBringToFront]-[NSView(BWAdditions) bwTurnOffLayer]-[NSView(BWAdditions) bwAnimator]-[BWTransparentTableView backgroundColor]-[BWTransparentTableView _highlightColorForCell:]-[BWTransparentTableView addTableColumn:]+[BWTransparentTableView cellClass]+[BWTransparentTableView initialize]-[BWTransparentTableView highlightSelectionInClipRect:]-[BWTransparentTableView _alternatingRowBackgroundColors]-[BWTransparentTableView drawBackgroundInClipRect:]-[BWTransparentTableViewCell drawInteriorWithFrame:inView:]-[BWTransparentTableViewCell editWithFrame:inView:editor:delegate:event:]-[BWTransparentTableViewCell selectWithFrame:inView:editor:delegate:start:length:]-[BWTransparentTableViewCell drawingRectForBounds:]-[BWAnchoredPopUpButton isAtRightEdgeOfBar]-[BWAnchoredPopUpButton setIsAtRightEdgeOfBar:]-[BWAnchoredPopUpButton isAtLeftEdgeOfBar]-[BWAnchoredPopUpButton setIsAtLeftEdgeOfBar:]-[BWAnchoredPopUpButton initWithCoder:]-[BWAnchoredPopUpButton frame]-[BWAnchoredPopUpButton mouseDown:]-[BWAnchoredPopUpButtonCell controlSize]-[BWAnchoredPopUpButtonCell setControlSize:]-[BWAnchoredPopUpButtonCell highlightRectForBounds:]-[BWAnchoredPopUpButtonCell drawBorderAndBackgroundWithFrame:inView:]-[BWAnchoredPopUpButtonCell textColor]-[BWAnchoredPopUpButtonCell _textAttributes]+[BWAnchoredPopUpButtonCell initialize]-[BWAnchoredPopUpButtonCell drawImageWithFrame:inView:]-[BWAnchoredPopUpButtonCell imageRectForBounds:]-[BWAnchoredPopUpButtonCell imageColor]-[BWAnchoredPopUpButtonCell titleRectForBounds:]-[BWAnchoredPopUpButtonCell drawArrowInFrame:]-[BWAnchoredPopUpButtonCell drawWithFrame:inView:]-[BWCustomView drawRect:]-[BWCustomView drawTextInRect:]-[BWUnanchoredButton initWithCoder:]-[BWUnanchoredButton frame]-[BWUnanchoredButton mouseDown:]-[BWUnanchoredButtonCell highlightRectForBounds:]-[BWUnanchoredButtonCell drawBezelWithFrame:inView:]+[BWUnanchoredButtonCell initialize]-[BWUnanchoredButtonContainer awakeFromNib]-[BWSheetController delegate]-[BWSheetController sheet]-[BWSheetController parentWindow]-[BWSheetController awakeFromNib]-[BWSheetController encodeWithCoder:]-[BWSheetController openSheet:]-[BWSheetController closeSheet:]-[BWSheetController messageDelegateAndCloseSheet:]-[BWSheetController initWithCoder:]-[BWSheetController setParentWindow:]-[BWSheetController setSheet:]-[BWSheetController setDelegate:]-[BWTransparentScrollView initWithCoder:]+[BWTransparentScrollView _verticalScrollerClass]-[BWAddMiniBottomBar bounds]-[BWAddMiniBottomBar initWithCoder:]-[BWAddMiniBottomBar drawRect:]-[BWAddMiniBottomBar awakeFromNib]-[BWAddSheetBottomBar bounds]-[BWAddSheetBottomBar initWithCoder:]-[BWAddSheetBottomBar drawRect:]-[BWAddSheetBottomBar awakeFromNib]-[BWTokenFieldCell setUpTokenAttachmentCell:forRepresentedObject:]-[BWTokenAttachmentCell pullDownImage]-[BWTokenAttachmentCell arrowInHighlightedState:]-[BWTokenAttachmentCell drawTokenWithFrame:inView:]-[BWTokenAttachmentCell interiorBackgroundStyle]+[BWTokenAttachmentCell initialize]-[BWTokenAttachmentCell pullDownRectForBounds:]-[BWTokenAttachmentCell _textAttributes]+[BWTransparentScroller scrollerWidth]+[BWTransparentScroller scrollerWidthForControlSize:]-[BWTransparentScroller initWithFrame:]+[BWTransparentScroller initialize]-[BWTransparentScroller rectForPart:]-[BWTransparentScroller _drawingRectForPart:]-[BWTransparentScroller drawKnob]-[BWTransparentScroller drawKnobSlot]-[BWTransparentScroller drawRect:]-[BWTransparentScroller initWithCoder:]-[BWTransparentTextFieldCell _textAttributes]+[BWTransparentTextFieldCell initialize]-[BWToolbarItem initWithCoder:]-[BWToolbarItem identifierString]-[BWToolbarItem dealloc]-[BWToolbarItem setIdentifierString:]-[BWToolbarItem encodeWithCoder:]+[NSString(BWAdditions) bwRandomUUID]+[NSEvent(BWAdditions) bwShiftKeyIsDown]+[NSEvent(BWAdditions) bwCommandKeyIsDown]+[NSEvent(BWAdditions) bwOptionKeyIsDown]+[NSEvent(BWAdditions) bwControlKeyIsDown]+[NSEvent(BWAdditions) bwCapsLockKeyIsDown]-[BWHyperlinkButton urlString]-[BWHyperlinkButton awakeFromNib]-[BWHyperlinkButton openURLInBrowser:]-[BWHyperlinkButton initWithCoder:]-[BWHyperlinkButton setUrlString:]-[BWHyperlinkButton dealloc]-[BWHyperlinkButton resetCursorRects]-[BWHyperlinkButton encodeWithCoder:]-[BWHyperlinkButtonCell drawBezelWithFrame:inView:]-[BWHyperlinkButtonCell setBordered:]-[BWHyperlinkButtonCell isBordered]-[BWHyperlinkButtonCell _textAttributes]-[BWGradientBox isFlipped]-[BWGradientBox hasFillColor]-[BWGradientBox setHasFillColor:]-[BWGradientBox hasGradient]-[BWGradientBox setHasGradient:]-[BWGradientBox hasBottomBorder]-[BWGradientBox setHasBottomBorder:]-[BWGradientBox hasTopBorder]-[BWGradientBox setHasTopBorder:]-[BWGradientBox bottomInsetAlpha]-[BWGradientBox setBottomInsetAlpha:]-[BWGradientBox topInsetAlpha]-[BWGradientBox setTopInsetAlpha:]-[BWGradientBox bottomBorderColor]-[BWGradientBox topBorderColor]-[BWGradientBox fillColor]-[BWGradientBox fillEndingColor]-[BWGradientBox fillStartingColor]-[BWGradientBox dealloc]-[BWGradientBox setBottomBorderColor:]-[BWGradientBox setTopBorderColor:]-[BWGradientBox setFillEndingColor:]-[BWGradientBox setFillStartingColor:]-[BWGradientBox setFillColor:]-[BWGradientBox drawRect:]-[BWGradientBox encodeWithCoder:]-[BWGradientBox initWithCoder:]-[BWStyledTextField hasShadow]-[BWStyledTextField setHasShadow:]-[BWStyledTextField shadowIsBelow]-[BWStyledTextField setShadowIsBelow:]-[BWStyledTextField shadowColor]-[BWStyledTextField setShadowColor:]-[BWStyledTextField hasGradient]-[BWStyledTextField setHasGradient:]-[BWStyledTextField startingColor]-[BWStyledTextField setStartingColor:]-[BWStyledTextField endingColor]-[BWStyledTextField setEndingColor:]-[BWStyledTextField solidColor]-[BWStyledTextField setSolidColor:]-[BWStyledTextFieldCell solidColor]-[BWStyledTextFieldCell hasGradient]-[BWStyledTextFieldCell endingColor]-[BWStyledTextFieldCell startingColor]-[BWStyledTextFieldCell shadow]-[BWStyledTextFieldCell hasShadow]-[BWStyledTextFieldCell setHasShadow:]-[BWStyledTextFieldCell shadowColor]-[BWStyledTextFieldCell shadowIsBelow]-[BWStyledTextFieldCell initWithCoder:]-[BWStyledTextFieldCell setShadow:]-[BWStyledTextFieldCell setPreviousAttributes:]-[BWStyledTextFieldCell previousAttributes]-[BWStyledTextFieldCell setShadowColor:]-[BWStyledTextFieldCell setShadowIsBelow:]-[BWStyledTextFieldCell setHasGradient:]-[BWStyledTextFieldCell setSolidColor:]-[BWStyledTextFieldCell setEndingColor:]-[BWStyledTextFieldCell setStartingColor:]-[BWStyledTextFieldCell drawInteriorWithFrame:inView:]-[BWStyledTextFieldCell applyGradient]-[BWStyledTextFieldCell awakeFromNib]-[BWStyledTextFieldCell changeShadow]-[BWStyledTextFieldCell _textAttributes]-[BWStyledTextFieldCell dealloc]-[BWStyledTextFieldCell copyWithZone:]-[BWStyledTextFieldCell encodeWithCoder:]+[NSApplication(BWAdditions) bwIsOnLeopard] stub helpersdyld__mach_header_scaleFactor_documentToolbar_editableToolbar_enabledColor_disabledColor_buttonFillN_buttonRightP_buttonFillP_buttonLeftP_buttonRightN_buttonLeftN_enabledColor_disabledColor_contentShadow_checkboxOffN_checkboxOnP_checkboxOnN_checkboxOffP_enabledColor_disabledColor_popUpFillN_pullDownRightP_popUpFillP_popUpLeftP_popUpRightP_pullDownRightN_popUpLeftN_popUpRightN_thumbPImage_thumbNImage_triangleThumbPImage_triangleThumbNImage_trackFillImage_trackRightImage_trackLeftImage_gradient_borderColor_dimpleImageBitmap_dimpleImageVector_gradientStartColor_gradientEndColor_smallPhotoImage_largePhotoImage_quietSpeakerImage_loudSpeakerImage_thumbPImage_thumbNImage_trackFillImage_trackRightImage_trackLeftImage_wasBorderedBar_gradient_topLineColor_borderedTopLineColor_resizeHandleColor_resizeInsetColor_bottomLineColor_sideInsetColor_topColor_middleTopColor_middleBottomColor_bottomColor_fillGradient_bottomBorderColor_sideInsetColor_borderedTopBorderColor_borderedSideBorderColor_topBorderColor_sideBorderColor_enabledTextColor_disabledTextColor_contentShadow_enabledImageColor_disabledImageColor_pressedColor_fillStop1_fillStop2_fillStop3_fillStop4_rowColor_altRowColor_highlightColor_fillGradient_bottomBorderColor_sideInsetColor_borderedTopBorderColor_borderedSideBorderColor_topBorderColor_sideBorderColor_enabledTextColor_disabledTextColor_contentShadow_enabledImageColor_disabledImageColor_pressedColor_pullDownArrow_fillStop1_fillStop2_fillStop3_fillStop4_fillGradient_topInsetColor_topBorderColor_borderColor_bottomInsetColor_fillStop1_fillStop2_fillStop3_fillStop4_pressedColor_highlightedArrowColor_arrowGradient_blueStrokeGradient_blueInsetGradient_blueGradient_highlightedBlueStrokeGradient_highlightedBlueInsetGradient_highlightedBlueGradient_textShadow_slotVerticalFill_backgroundColor_minKnobHeight_minKnobWidth_slotBottom_slotTop_slotRight_slotHorizontalFill_slotLeft_knobBottom_knobVerticalFill_knobTop_knobRight_knobHorizontalFill_knobLeft_textShadow.objc_category_name_NSApplication_BWAdditions.objc_category_name_NSColor_BWAdditions.objc_category_name_NSEvent_BWAdditions.objc_category_name_NSImage_BWAdditions.objc_category_name_NSString_BWAdditions.objc_category_name_NSView_BWAdditions.objc_category_name_NSWindow_BWAdditions.objc_class_name_BWAddMiniBottomBar.objc_class_name_BWAddRegularBottomBar.objc_class_name_BWAddSheetBottomBar.objc_class_name_BWAddSmallBottomBar.objc_class_name_BWAnchoredButton.objc_class_name_BWAnchoredButtonBar.objc_class_name_BWAnchoredButtonCell.objc_class_name_BWAnchoredPopUpButton.objc_class_name_BWAnchoredPopUpButtonCell.objc_class_name_BWCustomView.objc_class_name_BWGradientBox.objc_class_name_BWHyperlinkButton.objc_class_name_BWHyperlinkButtonCell.objc_class_name_BWInsetTextField.objc_class_name_BWRemoveBottomBar.objc_class_name_BWSelectableToolbar.objc_class_name_BWSelectableToolbarHelper.objc_class_name_BWSheetController.objc_class_name_BWSplitView.objc_class_name_BWStyledTextField.objc_class_name_BWStyledTextFieldCell.objc_class_name_BWTexturedSlider.objc_class_name_BWTexturedSliderCell.objc_class_name_BWTokenAttachmentCell.objc_class_name_BWTokenField.objc_class_name_BWTokenFieldCell.objc_class_name_BWToolbarItem.objc_class_name_BWToolbarShowColorsItem.objc_class_name_BWToolbarShowFontsItem.objc_class_name_BWTransparentButton.objc_class_name_BWTransparentButtonCell.objc_class_name_BWTransparentCheckbox.objc_class_name_BWTransparentCheckboxCell.objc_class_name_BWTransparentPopUpButton.objc_class_name_BWTransparentPopUpButtonCell.objc_class_name_BWTransparentScrollView.objc_class_name_BWTransparentScroller.objc_class_name_BWTransparentSlider.objc_class_name_BWTransparentSliderCell.objc_class_name_BWTransparentTableView.objc_class_name_BWTransparentTableViewCell.objc_class_name_BWTransparentTextFieldCell.objc_class_name_BWUnanchoredButton.objc_class_name_BWUnanchoredButtonCell.objc_class_name_BWUnanchoredButtonContainer_BWSelectableToolbarItemClickedNotification_compareViews.objc_class_name_NSAffineTransform.objc_class_name_NSAnimationContext.objc_class_name_NSApplication.objc_class_name_NSArchiver.objc_class_name_NSArray.objc_class_name_NSBezierPath.objc_class_name_NSBundle.objc_class_name_NSButton.objc_class_name_NSButtonCell.objc_class_name_NSColor.objc_class_name_NSCursor.objc_class_name_NSCustomView.objc_class_name_NSDictionary.objc_class_name_NSEvent.objc_class_name_NSFont.objc_class_name_NSGradient.objc_class_name_NSGraphicsContext.objc_class_name_NSImage.objc_class_name_NSMutableArray.objc_class_name_NSMutableAttributedString.objc_class_name_NSMutableDictionary.objc_class_name_NSNotificationCenter.objc_class_name_NSNumber.objc_class_name_NSObject.objc_class_name_NSPopUpButton.objc_class_name_NSPopUpButtonCell.objc_class_name_NSScreen.objc_class_name_NSScrollView.objc_class_name_NSScroller.objc_class_name_NSShadow.objc_class_name_NSSlider.objc_class_name_NSSliderCell.objc_class_name_NSSortDescriptor.objc_class_name_NSSplitView.objc_class_name_NSString.objc_class_name_NSTableView.objc_class_name_NSTextField.objc_class_name_NSTextFieldCell.objc_class_name_NSTokenAttachmentCell.objc_class_name_NSTokenField.objc_class_name_NSTokenFieldCell.objc_class_name_NSToolbar.objc_class_name_NSToolbarItem.objc_class_name_NSURL.objc_class_name_NSUnarchiver.objc_class_name_NSValue.objc_class_name_NSView.objc_class_name_NSWindowController.objc_class_name_NSWorkspace_CFMakeCollectable_CFRelease_CFUUIDCreate_CFUUIDCreateString_CGContextRestoreGState_CGContextSaveGState_CGContextSetShouldSmoothFonts_Gestalt_NSApp_NSClassFromString_NSDrawThreePartImage_NSFontAttributeName_NSForegroundColorAttributeName_NSInsetRect_NSIntegralRect_NSIsEmptyRect_NSOffsetRect_NSPointInRect_NSRectFill_NSRectFillUsingOperation_NSShadowAttributeName_NSUnderlineStyleAttributeName_NSWindowDidResizeNotification_NSZeroRect___CFConstantStringClassReference_ceilf_floorf_fmaxf_fminf_modf_objc_assign_global_objc_assign_ivar_objc_enumerationMutation_objc_getProperty_objc_msgSend_objc_msgSendSuper_objc_msgSendSuper_stret_objc_msgSend_fpret_objc_msgSend_stret_objc_setProperty_roundfdyld_stub_binder/Users/brandon/Temp/bwtoolkit/BWToolbarShowColorsItem.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWToolbarShowColorsItem.o-[BWToolbarShowColorsItem itemIdentifier]/Users/brandon/Temp/bwtoolkit/BWToolbarShowColorsItem.m-[BWToolbarShowColorsItem label]-[BWToolbarShowColorsItem paletteLabel]-[BWToolbarShowColorsItem action]-[BWToolbarShowColorsItem toolTip]-[BWToolbarShowColorsItem image]-[BWToolbarShowColorsItem target]BWToolbarShowFontsItem.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWToolbarShowFontsItem.o-[BWToolbarShowFontsItem itemIdentifier]/Users/brandon/Temp/bwtoolkit/BWToolbarShowFontsItem.m-[BWToolbarShowFontsItem label]-[BWToolbarShowFontsItem paletteLabel]-[BWToolbarShowFontsItem action]-[BWToolbarShowFontsItem toolTip]-[BWToolbarShowFontsItem image]-[BWToolbarShowFontsItem target]BWSelectableToolbar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWSelectableToolbar.o-[BWSelectableToolbar toolbarDefaultItemIdentifiers:]/Users/brandon/Temp/bwtoolkit/BWSelectableToolbar.m-[BWSelectableToolbar toolbarAllowedItemIdentifiers:]-[BWSelectableToolbar isPreferencesToolbar]-[BWSelectableToolbar documentToolbar]-[BWSelectableToolbar editableToolbar]-[BWSelectableToolbar awakeFromNib]-[BWSelectableToolbar selectFirstItem]-[BWSelectableToolbar selectInitialItem]-[BWSelectableToolbar toggleActiveView:]-[BWSelectableToolbar identifierAtIndex:]-[BWSelectableToolbar setEnabled:forIdentifier:]-[BWSelectableToolbar validateToolbarItem:]-[BWSelectableToolbar toolbar:itemForItemIdentifier:willBeInsertedIntoToolbar:]-[BWSelectableToolbar toolbarSelectableItemIdentifiers:]-[BWSelectableToolbar selectedIndex]-[BWSelectableToolbar setSelectedIndex:]-[BWSelectableToolbar setDocumentToolbar:]-[BWSelectableToolbar setEditableToolbar:]-[BWSelectableToolbar initWithCoder:]-[BWSelectableToolbar setHelper:]-[BWSelectableToolbar helper]-[BWSelectableToolbar setEnabledByIdentifier:]-[BWSelectableToolbar switchToItemAtIndex:animate:]-[BWSelectableToolbar labels]-[BWSelectableToolbar setIsPreferencesToolbar:]-[BWSelectableToolbar selectableItemIdentifiers]-[BWSelectableToolbar windowDidResize:]-[BWSelectableToolbar enabledByIdentifier]-[BWSelectableToolbar setSelectedItemIdentifierWithoutAnimation:]-[BWSelectableToolbar setSelectedItemIdentifier:]-[BWSelectableToolbar dealloc]-[BWSelectableToolbar setItemSelectors]-[BWSelectableToolbar selectItemAtIndex:]-[BWSelectableToolbar toolbarIndexFromSelectableIndex:]-[BWSelectableToolbar initialSetup]-[BWSelectableToolbar initWithIdentifier:]-[BWSelectableToolbar _defaultItemIdentifiers]-[BWSelectableToolbar encodeWithCoder:]_BWSelectableToolbarItemClickedNotification_documentToolbar_editableToolbarBWAddRegularBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWAddRegularBottomBar.o-[BWAddRegularBottomBar bounds]/System/Library/Frameworks/Foundation.framework/Headers/NSGeometry.h-[BWAddRegularBottomBar initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWAddRegularBottomBar.m-[BWAddRegularBottomBar drawRect:]-[BWAddRegularBottomBar awakeFromNib]BWRemoveBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWRemoveBottomBar.o-[BWRemoveBottomBar bounds]BWInsetTextField.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWInsetTextField.o-[BWInsetTextField initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWInsetTextField.mBWTransparentButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWTransparentButtonCell.o-[BWTransparentButtonCell controlSize]-[BWTransparentButtonCell setControlSize:]/Users/brandon/Temp/bwtoolkit/BWTransparentButtonCell.m-[BWTransparentButtonCell interiorColor]-[BWTransparentButtonCell drawBezelWithFrame:inView:]-[BWTransparentButtonCell drawImage:withFrame:inView:]+[BWTransparentButtonCell initialize]-[BWTransparentButtonCell _textAttributes]-[BWTransparentButtonCell drawTitle:withFrame:inView:]_enabledColor_disabledColor_buttonFillN_buttonRightP_buttonFillP_buttonLeftP_buttonRightN_buttonLeftNBWTransparentCheckboxCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWTransparentCheckboxCell.o-[BWTransparentCheckboxCell controlSize]-[BWTransparentCheckboxCell setControlSize:]/Users/brandon/Temp/bwtoolkit/BWTransparentCheckboxCell.m-[BWTransparentCheckboxCell isInTableView]-[BWTransparentCheckboxCell interiorColor]-[BWTransparentCheckboxCell _textAttributes]+[BWTransparentCheckboxCell initialize]-[BWTransparentCheckboxCell drawImage:withFrame:inView:]-[BWTransparentCheckboxCell drawInteriorWithFrame:inView:]-[BWTransparentCheckboxCell drawTitle:withFrame:inView:]_enabledColor_disabledColor_contentShadow_checkboxOffN_checkboxOnP_checkboxOnN_checkboxOffPBWTransparentPopUpButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWTransparentPopUpButtonCell.o-[BWTransparentPopUpButtonCell controlSize]-[BWTransparentPopUpButtonCell setControlSize:]/Users/brandon/Temp/bwtoolkit/BWTransparentPopUpButtonCell.m-[BWTransparentPopUpButtonCell interiorColor]-[BWTransparentPopUpButtonCell drawBezelWithFrame:inView:]-[BWTransparentPopUpButtonCell drawImageWithFrame:inView:]-[BWTransparentPopUpButtonCell imageRectForBounds:]+[BWTransparentPopUpButtonCell initialize]-[BWTransparentPopUpButtonCell _textAttributes]-[BWTransparentPopUpButtonCell titleRectForBounds:]_enabledColor_disabledColor_popUpFillN_pullDownRightP_popUpFillP_popUpLeftP_popUpRightP_pullDownRightN_popUpLeftN_popUpRightNBWTransparentSliderCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWTransparentSliderCell.o-[BWTransparentSliderCell _usesCustomTrackImage]-[BWTransparentSliderCell setTickMarkPosition:]/Users/brandon/Temp/bwtoolkit/BWTransparentSliderCell.m-[BWTransparentSliderCell controlSize]-[BWTransparentSliderCell setControlSize:]-[BWTransparentSliderCell startTrackingAt:inView:]+[BWTransparentSliderCell initialize]-[BWTransparentSliderCell stopTracking:at:inView:mouseIsUp:]-[BWTransparentSliderCell knobRectFlipped:]-[BWTransparentSliderCell drawKnob:]-[BWTransparentSliderCell drawBarInside:flipped:]-[BWTransparentSliderCell initWithCoder:]_thumbPImage_thumbNImage_triangleThumbPImage_triangleThumbNImage_trackFillImage_trackRightImage_trackLeftImageBWSplitView.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWSplitView.o-[BWSplitView animationEnded]/Users/brandon/Temp/bwtoolkit/BWSplitView.m-[BWSplitView secondaryDelegate]-[BWSplitView collapsibleSubviewCollapsed]-[BWSplitView dividerCanCollapse]-[BWSplitView setDividerCanCollapse:]-[BWSplitView collapsiblePopupSelection]-[BWSplitView setCollapsiblePopupSelection:]-[BWSplitView setCheckboxIsEnabled:]-[BWSplitView colorIsEnabled]-[BWSplitView initWithCoder:]+[BWSplitView initialize]-[BWSplitView setMinValues:]-[BWSplitView setMaxValues:]-[BWSplitView setMinUnits:]-[BWSplitView setMaxUnits:]-[BWSplitView setResizableSubviewPreferredProportion:]-[BWSplitView resizableSubviewPreferredProportion]-[BWSplitView setNonresizableSubviewPreferredSize:]-[BWSplitView nonresizableSubviewPreferredSize]-[BWSplitView setStateForLastPreferredCalculations:]-[BWSplitView stateForLastPreferredCalculations]-[BWSplitView setToggleCollapseButton:]-[BWSplitView toggleCollapseButton]-[BWSplitView setSecondaryDelegate:]-[BWSplitView dealloc]-[BWSplitView maxUnits]-[BWSplitView minUnits]-[BWSplitView maxValues]-[BWSplitView minValues]-[BWSplitView color]-[BWSplitView setColor:]-[BWSplitView setColorIsEnabled:]-[BWSplitView checkboxIsEnabled]-[BWSplitView setDividerStyle:]-[BWSplitView splitView:resizeSubviewsWithOldSize:]-[BWSplitView resizeAndAdjustSubviews]-[BWSplitView clearPreferredProportionsAndSizes]-[BWSplitView validateAndCalculatePreferredProportionsAndSizes]-[BWSplitView correctCollapsiblePreferredProportionOrSize]-[BWSplitView validatePreferredProportionsAndSizes]-[BWSplitView recalculatePreferredProportionsAndSizes]-[BWSplitView subviewMaximumSize:]-[BWSplitView subviewMinimumSize:]-[BWSplitView subviewIsResizable:]-[BWSplitView resizableSubviews]-[BWSplitView splitViewWillResizeSubviews:]-[BWSplitView splitViewDidResizeSubviews:]-[BWSplitView splitView:effectiveRect:forDrawnRect:ofDividerAtIndex:]-[BWSplitView splitView:constrainSplitPosition:ofSubviewAt:]-[BWSplitView splitView:constrainMinCoordinate:ofSubviewAt:]-[BWSplitView splitView:constrainMaxCoordinate:ofSubviewAt:]-[BWSplitView splitView:shouldCollapseSubview:forDoubleClickOnDividerAtIndex:]-[BWSplitView splitView:canCollapseSubview:]-[BWSplitView splitView:additionalEffectiveRectOfDividerAtIndex:]-[BWSplitView splitView:shouldHideDividerAtIndex:]-[BWSplitView mouseDown:]-[BWSplitView toggleCollapse:]-[BWSplitView restoreAutoresizesSubviews:]-[BWSplitView removeMinSizeForCollapsibleSubview]-[BWSplitView setMinSizeForCollapsibleSubview:]-[BWSplitView setCollapsibleSubviewCollapsed:]-[BWSplitView collapsibleDividerIndex]-[BWSplitView hasCollapsibleDivider]-[BWSplitView animationDuration]-[BWSplitView setCollapsibleSubviewCollapsedHelper:]-[BWSplitView adjustSubviews]-[BWSplitView hasCollapsibleSubview]-[BWSplitView collapsibleSubview]-[BWSplitView collapsibleSubviewIndex]-[BWSplitView collapsibleSubviewIsCollapsed]-[BWSplitView subviewIsCollapsed:]-[BWSplitView subviewIsCollapsible:]-[BWSplitView setDelegate:]-[BWSplitView drawDimpleInRect:]-[BWSplitView drawGradientDividerInRect:]-[BWSplitView drawDividerInRect:]-[BWSplitView awakeFromNib]-[BWSplitView encodeWithCoder:]_scaleFactor_gradient_borderColor_dimpleImageBitmap_dimpleImageVector_gradientStartColor_gradientEndColorBWTexturedSlider.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWTexturedSlider.o-[BWTexturedSlider indicatorIndex]/Users/brandon/Temp/bwtoolkit/BWTexturedSlider.m-[BWTexturedSlider initWithCoder:]+[BWTexturedSlider initialize]-[BWTexturedSlider setMinButton:]-[BWTexturedSlider minButton]-[BWTexturedSlider setMaxButton:]-[BWTexturedSlider maxButton]-[BWTexturedSlider dealloc]-[BWTexturedSlider resignFirstResponder]-[BWTexturedSlider becomeFirstResponder]-[BWTexturedSlider scrollWheel:]-[BWTexturedSlider setEnabled:]-[BWTexturedSlider setIndicatorIndex:]-[BWTexturedSlider drawRect:]-[BWTexturedSlider hitTest:]-[BWTexturedSlider setSliderToMaximum]-[BWTexturedSlider setSliderToMinimum]-[BWTexturedSlider setTrackHeight:]-[BWTexturedSlider trackHeight]-[BWTexturedSlider encodeWithCoder:]_smallPhotoImage_largePhotoImage_quietSpeakerImage_loudSpeakerImageBWTexturedSliderCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWTexturedSliderCell.o-[BWTexturedSliderCell controlSize]-[BWTexturedSliderCell setControlSize:]/Users/brandon/Temp/bwtoolkit/BWTexturedSliderCell.m-[BWTexturedSliderCell numberOfTickMarks]-[BWTexturedSliderCell setNumberOfTickMarks:]-[BWTexturedSliderCell _usesCustomTrackImage]-[BWTexturedSliderCell trackHeight]-[BWTexturedSliderCell setTrackHeight:]-[BWTexturedSliderCell startTrackingAt:inView:]+[BWTexturedSliderCell initialize]-[BWTexturedSliderCell stopTracking:at:inView:mouseIsUp:]-[BWTexturedSliderCell drawKnob:]-[BWTexturedSliderCell drawBarInside:flipped:]-[BWTexturedSliderCell encodeWithCoder:]-[BWTexturedSliderCell initWithCoder:]_thumbPImage_thumbNImage_trackFillImage_trackRightImage_trackLeftImageBWAddSmallBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWAddSmallBottomBar.o-[BWAddSmallBottomBar bounds]-[BWAddSmallBottomBar initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWAddSmallBottomBar.m-[BWAddSmallBottomBar drawRect:]-[BWAddSmallBottomBar awakeFromNib]BWAnchoredButtonBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWAnchoredButtonBar.o+[BWAnchoredButtonBar wasBorderedBar]/Users/brandon/Temp/bwtoolkit/BWAnchoredButtonBar.m-[BWAnchoredButtonBar splitViewDelegate]-[BWAnchoredButtonBar handleIsRightAligned]-[BWAnchoredButtonBar setHandleIsRightAligned:]-[BWAnchoredButtonBar isResizable]-[BWAnchoredButtonBar setIsResizable:]-[BWAnchoredButtonBar isAtBottom]-[BWAnchoredButtonBar selectedIndex]-[BWAnchoredButtonBar initWithCoder:]+[BWAnchoredButtonBar initialize]-[BWAnchoredButtonBar setSplitViewDelegate:]-[BWAnchoredButtonBar splitView:shouldHideDividerAtIndex:]-[BWAnchoredButtonBar splitView:shouldCollapseSubview:forDoubleClickOnDividerAtIndex:]-[BWAnchoredButtonBar splitView:effectiveRect:forDrawnRect:ofDividerAtIndex:]-[BWAnchoredButtonBar splitView:constrainSplitPosition:ofSubviewAt:]-[BWAnchoredButtonBar splitView:canCollapseSubview:]-[BWAnchoredButtonBar splitView:resizeSubviewsWithOldSize:]-[BWAnchoredButtonBar splitView:constrainMaxCoordinate:ofSubviewAt:]-[BWAnchoredButtonBar splitView:constrainMinCoordinate:ofSubviewAt:]-[BWAnchoredButtonBar splitView:additionalEffectiveRectOfDividerAtIndex:]-[BWAnchoredButtonBar dealloc]-[BWAnchoredButtonBar setSelectedIndex:]-[BWAnchoredButtonBar setIsAtBottom:]-[BWAnchoredButtonBar splitView]-[BWAnchoredButtonBar dividerIndexNearestToHandle]-[BWAnchoredButtonBar isInLastSubview]-[BWAnchoredButtonBar viewDidMoveToSuperview]-[BWAnchoredButtonBar drawLastButtonInsetInRect:]-[BWAnchoredButtonBar drawResizeHandleInRect:withColor:]-[BWAnchoredButtonBar drawRect:]-[BWAnchoredButtonBar awakeFromNib]-[BWAnchoredButtonBar encodeWithCoder:]-[BWAnchoredButtonBar initWithFrame:]_wasBorderedBar_gradient_topLineColor_borderedTopLineColor_resizeHandleColor_resizeInsetColor_bottomLineColor_sideInsetColor_topColor_middleTopColor_middleBottomColor_bottomColorBWAnchoredButton.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWAnchoredButton.o-[BWAnchoredButton isAtRightEdgeOfBar]/Users/brandon/Temp/bwtoolkit/BWAnchoredButton.m-[BWAnchoredButton setIsAtRightEdgeOfBar:]-[BWAnchoredButton isAtLeftEdgeOfBar]-[BWAnchoredButton setIsAtLeftEdgeOfBar:]-[BWAnchoredButton initWithCoder:]-[BWAnchoredButton frame]-[BWAnchoredButton mouseDown:]BWAnchoredButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWAnchoredButtonCell.o-[BWAnchoredButtonCell controlSize]-[BWAnchoredButtonCell setControlSize:]/Users/brandon/Temp/bwtoolkit/BWAnchoredButtonCell.m-[BWAnchoredButtonCell highlightRectForBounds:]-[BWAnchoredButtonCell drawBezelWithFrame:inView:]-[BWAnchoredButtonCell textColor]-[BWAnchoredButtonCell _textAttributes]+[BWAnchoredButtonCell initialize]-[BWAnchoredButtonCell drawImage:withFrame:inView:]-[BWAnchoredButtonCell imageColor]-[BWAnchoredButtonCell titleRectForBounds:]-[BWAnchoredButtonCell drawWithFrame:inView:]_fillGradient_bottomBorderColor_sideInsetColor_borderedTopBorderColor_borderedSideBorderColor_topBorderColor_sideBorderColor_enabledTextColor_disabledTextColor_contentShadow_enabledImageColor_disabledImageColor_pressedColor_fillStop1_fillStop2_fillStop3_fillStop4NSColor+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/NSColor+BWAdditions.o-[NSColor(BWAdditions) bwDrawPixelThickLineAtPosition:withInset:inRect:inView:horizontal:flip:]/Users/brandon/Temp/bwtoolkit/NSColor+BWAdditions.mNSImage+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/NSImage+BWAdditions.o-[NSImage(BWAdditions) bwRotateImage90DegreesClockwise:]/Users/brandon/Temp/bwtoolkit/NSImage+BWAdditions.m-[NSImage(BWAdditions) bwTintedImageWithColor:]BWSelectableToolbarHelper.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWSelectableToolbarHelper.o-[BWSelectableToolbarHelper isPreferencesToolbar]/Users/brandon/Temp/bwtoolkit/BWSelectableToolbarHelper.m-[BWSelectableToolbarHelper setIsPreferencesToolbar:]-[BWSelectableToolbarHelper initialIBWindowSize]-[BWSelectableToolbarHelper setInitialIBWindowSize:]-[BWSelectableToolbarHelper initWithCoder:]-[BWSelectableToolbarHelper setContentViewsByIdentifier:]-[BWSelectableToolbarHelper contentViewsByIdentifier]-[BWSelectableToolbarHelper setWindowSizesByIdentifier:]-[BWSelectableToolbarHelper windowSizesByIdentifier]-[BWSelectableToolbarHelper setSelectedIdentifier:]-[BWSelectableToolbarHelper selectedIdentifier]-[BWSelectableToolbarHelper setOldWindowTitle:]-[BWSelectableToolbarHelper oldWindowTitle]-[BWSelectableToolbarHelper dealloc]-[BWSelectableToolbarHelper encodeWithCoder:]-[BWSelectableToolbarHelper init]NSWindow+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/NSWindow+BWAdditions.o-[NSWindow(BWAdditions) bwIsTextured]/Users/brandon/Temp/bwtoolkit/NSWindow+BWAdditions.m-[NSWindow(BWAdditions) bwResizeToSize:animate:]NSView+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/NSView+BWAdditions.o_compareViews/Users/brandon/Temp/bwtoolkit/NSView+BWAdditions.m-[NSView(BWAdditions) bwBringToFront]-[NSView(BWAdditions) bwTurnOffLayer]-[NSView(BWAdditions) bwAnimator]BWTransparentTableView.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWTransparentTableView.o-[BWTransparentTableView backgroundColor]/Users/brandon/Temp/bwtoolkit/BWTransparentTableView.m-[BWTransparentTableView _highlightColorForCell:]-[BWTransparentTableView addTableColumn:]+[BWTransparentTableView cellClass]+[BWTransparentTableView initialize]-[BWTransparentTableView highlightSelectionInClipRect:]-[BWTransparentTableView _alternatingRowBackgroundColors]-[BWTransparentTableView drawBackgroundInClipRect:]_rowColor_altRowColor_highlightColorBWTransparentTableViewCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWTransparentTableViewCell.o-[BWTransparentTableViewCell drawInteriorWithFrame:inView:]/Users/brandon/Temp/bwtoolkit/BWTransparentTableViewCell.m-[BWTransparentTableViewCell editWithFrame:inView:editor:delegate:event:]-[BWTransparentTableViewCell selectWithFrame:inView:editor:delegate:start:length:]-[BWTransparentTableViewCell drawingRectForBounds:]BWAnchoredPopUpButton.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWAnchoredPopUpButton.o-[BWAnchoredPopUpButton isAtRightEdgeOfBar]/Users/brandon/Temp/bwtoolkit/BWAnchoredPopUpButton.m-[BWAnchoredPopUpButton setIsAtRightEdgeOfBar:]-[BWAnchoredPopUpButton isAtLeftEdgeOfBar]-[BWAnchoredPopUpButton setIsAtLeftEdgeOfBar:]-[BWAnchoredPopUpButton initWithCoder:]-[BWAnchoredPopUpButton frame]-[BWAnchoredPopUpButton mouseDown:]BWAnchoredPopUpButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWAnchoredPopUpButtonCell.o-[BWAnchoredPopUpButtonCell controlSize]-[BWAnchoredPopUpButtonCell setControlSize:]/Users/brandon/Temp/bwtoolkit/BWAnchoredPopUpButtonCell.m-[BWAnchoredPopUpButtonCell highlightRectForBounds:]-[BWAnchoredPopUpButtonCell drawBorderAndBackgroundWithFrame:inView:]-[BWAnchoredPopUpButtonCell textColor]-[BWAnchoredPopUpButtonCell _textAttributes]+[BWAnchoredPopUpButtonCell initialize]-[BWAnchoredPopUpButtonCell drawImageWithFrame:inView:]-[BWAnchoredPopUpButtonCell imageRectForBounds:]-[BWAnchoredPopUpButtonCell imageColor]-[BWAnchoredPopUpButtonCell titleRectForBounds:]-[BWAnchoredPopUpButtonCell drawArrowInFrame:]-[BWAnchoredPopUpButtonCell drawWithFrame:inView:]_fillGradient_bottomBorderColor_sideInsetColor_borderedTopBorderColor_borderedSideBorderColor_topBorderColor_sideBorderColor_enabledTextColor_disabledTextColor_contentShadow_enabledImageColor_disabledImageColor_pressedColor_pullDownArrow_fillStop1_fillStop2_fillStop3_fillStop4BWCustomView.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWCustomView.o-[BWCustomView drawRect:]/Users/brandon/Temp/bwtoolkit/BWCustomView.m-[BWCustomView drawTextInRect:]BWUnanchoredButton.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWUnanchoredButton.o-[BWUnanchoredButton initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWUnanchoredButton.m-[BWUnanchoredButton frame]-[BWUnanchoredButton mouseDown:]BWUnanchoredButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWUnanchoredButtonCell.o-[BWUnanchoredButtonCell highlightRectForBounds:]-[BWUnanchoredButtonCell drawBezelWithFrame:inView:]/Users/brandon/Temp/bwtoolkit/BWUnanchoredButtonCell.m+[BWUnanchoredButtonCell initialize]_fillGradient_topInsetColor_topBorderColor_borderColor_bottomInsetColor_fillStop1_fillStop2_fillStop3_fillStop4_pressedColorBWUnanchoredButtonContainer.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWUnanchoredButtonContainer.o-[BWUnanchoredButtonContainer awakeFromNib]/Users/brandon/Temp/bwtoolkit/BWUnanchoredButtonContainer.mBWSheetController.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWSheetController.o-[BWSheetController delegate]/Users/brandon/Temp/bwtoolkit/BWSheetController.m-[BWSheetController sheet]-[BWSheetController parentWindow]-[BWSheetController awakeFromNib]-[BWSheetController encodeWithCoder:]-[BWSheetController openSheet:]-[BWSheetController closeSheet:]-[BWSheetController messageDelegateAndCloseSheet:]-[BWSheetController initWithCoder:]-[BWSheetController setParentWindow:]-[BWSheetController setSheet:]-[BWSheetController setDelegate:]BWTransparentScrollView.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWTransparentScrollView.o-[BWTransparentScrollView initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWTransparentScrollView.m+[BWTransparentScrollView _verticalScrollerClass]BWAddMiniBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWAddMiniBottomBar.o-[BWAddMiniBottomBar bounds]-[BWAddMiniBottomBar initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWAddMiniBottomBar.m-[BWAddMiniBottomBar drawRect:]-[BWAddMiniBottomBar awakeFromNib]BWAddSheetBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWAddSheetBottomBar.o-[BWAddSheetBottomBar bounds]-[BWAddSheetBottomBar initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWAddSheetBottomBar.m-[BWAddSheetBottomBar drawRect:]-[BWAddSheetBottomBar awakeFromNib]BWTokenFieldCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWTokenFieldCell.o-[BWTokenFieldCell setUpTokenAttachmentCell:forRepresentedObject:]/Users/brandon/Temp/bwtoolkit/BWTokenFieldCell.mBWTokenAttachmentCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWTokenAttachmentCell.o-[BWTokenAttachmentCell pullDownImage]/Users/brandon/Temp/bwtoolkit/BWTokenAttachmentCell.m-[BWTokenAttachmentCell arrowInHighlightedState:]-[BWTokenAttachmentCell drawTokenWithFrame:inView:]-[BWTokenAttachmentCell interiorBackgroundStyle]+[BWTokenAttachmentCell initialize]-[BWTokenAttachmentCell pullDownRectForBounds:]-[BWTokenAttachmentCell _textAttributes]_highlightedArrowColor_arrowGradient_blueStrokeGradient_blueInsetGradient_blueGradient_highlightedBlueStrokeGradient_highlightedBlueInsetGradient_highlightedBlueGradient_textShadowBWTransparentScroller.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWTransparentScroller.o+[BWTransparentScroller scrollerWidth]/Users/brandon/Temp/bwtoolkit/BWTransparentScroller.m+[BWTransparentScroller scrollerWidthForControlSize:]-[BWTransparentScroller initWithFrame:]+[BWTransparentScroller initialize]-[BWTransparentScroller rectForPart:]-[BWTransparentScroller _drawingRectForPart:]-[BWTransparentScroller drawKnob]-[BWTransparentScroller drawKnobSlot]-[BWTransparentScroller drawRect:]-[BWTransparentScroller initWithCoder:]_slotVerticalFill_backgroundColor_minKnobHeight_minKnobWidth_slotBottom_slotTop_slotRight_slotHorizontalFill_slotLeft_knobBottom_knobVerticalFill_knobTop_knobRight_knobHorizontalFill_knobLeftBWTransparentTextFieldCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWTransparentTextFieldCell.o-[BWTransparentTextFieldCell _textAttributes]/Users/brandon/Temp/bwtoolkit/BWTransparentTextFieldCell.m+[BWTransparentTextFieldCell initialize]_textShadowBWToolbarItem.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWToolbarItem.o-[BWToolbarItem initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWToolbarItem.m-[BWToolbarItem identifierString]-[BWToolbarItem dealloc]-[BWToolbarItem setIdentifierString:]-[BWToolbarItem encodeWithCoder:]NSString+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/NSString+BWAdditions.o+[NSString(BWAdditions) bwRandomUUID]/Users/brandon/Temp/bwtoolkit/NSString+BWAdditions.mNSEvent+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/NSEvent+BWAdditions.o+[NSEvent(BWAdditions) bwShiftKeyIsDown]/Users/brandon/Temp/bwtoolkit/NSEvent+BWAdditions.m+[NSEvent(BWAdditions) bwCommandKeyIsDown]+[NSEvent(BWAdditions) bwOptionKeyIsDown]+[NSEvent(BWAdditions) bwControlKeyIsDown]+[NSEvent(BWAdditions) bwCapsLockKeyIsDown]BWHyperlinkButton.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWHyperlinkButton.o-[BWHyperlinkButton urlString]/Users/brandon/Temp/bwtoolkit/BWHyperlinkButton.m-[BWHyperlinkButton awakeFromNib]-[BWHyperlinkButton openURLInBrowser:]-[BWHyperlinkButton initWithCoder:]-[BWHyperlinkButton setUrlString:]-[BWHyperlinkButton dealloc]-[BWHyperlinkButton resetCursorRects]-[BWHyperlinkButton encodeWithCoder:]BWHyperlinkButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWHyperlinkButtonCell.o-[BWHyperlinkButtonCell drawBezelWithFrame:inView:]-[BWHyperlinkButtonCell setBordered:]/Users/brandon/Temp/bwtoolkit/BWHyperlinkButtonCell.m-[BWHyperlinkButtonCell isBordered]-[BWHyperlinkButtonCell _textAttributes]BWGradientBox.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWGradientBox.o-[BWGradientBox isFlipped]-[BWGradientBox hasFillColor]/Users/brandon/Temp/bwtoolkit/BWGradientBox.m-[BWGradientBox setHasFillColor:]-[BWGradientBox hasGradient]-[BWGradientBox setHasGradient:]-[BWGradientBox hasBottomBorder]-[BWGradientBox setHasBottomBorder:]-[BWGradientBox hasTopBorder]-[BWGradientBox setHasTopBorder:]-[BWGradientBox bottomInsetAlpha]-[BWGradientBox setBottomInsetAlpha:]-[BWGradientBox topInsetAlpha]-[BWGradientBox setTopInsetAlpha:]-[BWGradientBox bottomBorderColor]-[BWGradientBox topBorderColor]-[BWGradientBox fillColor]-[BWGradientBox fillEndingColor]-[BWGradientBox fillStartingColor]-[BWGradientBox dealloc]-[BWGradientBox setBottomBorderColor:]-[BWGradientBox setTopBorderColor:]-[BWGradientBox setFillEndingColor:]-[BWGradientBox setFillStartingColor:]-[BWGradientBox setFillColor:]-[BWGradientBox drawRect:]-[BWGradientBox encodeWithCoder:]-[BWGradientBox initWithCoder:]BWStyledTextField.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWStyledTextField.o-[BWStyledTextField hasShadow]/Users/brandon/Temp/bwtoolkit/BWStyledTextField.m-[BWStyledTextField setHasShadow:]-[BWStyledTextField shadowIsBelow]-[BWStyledTextField setShadowIsBelow:]-[BWStyledTextField shadowColor]-[BWStyledTextField setShadowColor:]-[BWStyledTextField hasGradient]-[BWStyledTextField setHasGradient:]-[BWStyledTextField startingColor]-[BWStyledTextField setStartingColor:]-[BWStyledTextField endingColor]-[BWStyledTextField setEndingColor:]-[BWStyledTextField solidColor]-[BWStyledTextField setSolidColor:]BWStyledTextFieldCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWStyledTextFieldCell.o-[BWStyledTextFieldCell solidColor]/Users/brandon/Temp/bwtoolkit/BWStyledTextFieldCell.m-[BWStyledTextFieldCell hasGradient]-[BWStyledTextFieldCell endingColor]-[BWStyledTextFieldCell startingColor]-[BWStyledTextFieldCell shadow]-[BWStyledTextFieldCell hasShadow]-[BWStyledTextFieldCell setHasShadow:]-[BWStyledTextFieldCell shadowColor]-[BWStyledTextFieldCell shadowIsBelow]-[BWStyledTextFieldCell initWithCoder:]-[BWStyledTextFieldCell setShadow:]-[BWStyledTextFieldCell setPreviousAttributes:]-[BWStyledTextFieldCell previousAttributes]-[BWStyledTextFieldCell setShadowColor:]-[BWStyledTextFieldCell setShadowIsBelow:]-[BWStyledTextFieldCell setHasGradient:]-[BWStyledTextFieldCell setSolidColor:]-[BWStyledTextFieldCell setEndingColor:]-[BWStyledTextFieldCell setStartingColor:]-[BWStyledTextFieldCell drawInteriorWithFrame:inView:]-[BWStyledTextFieldCell applyGradient]-[BWStyledTextFieldCell awakeFromNib]-[BWStyledTextFieldCell changeShadow]-[BWStyledTextFieldCell _textAttributes]-[BWStyledTextFieldCell dealloc]-[BWStyledTextFieldCell copyWithZone:]-[BWStyledTextFieldCell encodeWithCoder:]NSApplication+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/NSApplication+BWAdditions.o+[NSApplication(BWAdditions) bwIsOnLeopard]/Users/brandon/Temp/bwtoolkit/NSApplication+BWAdditions.msingle module  H__TEXT``__text__TEXT 4 4__picsymbolstub1__TEXT __cstring__TEXT T __const__TEXT]]__DATA``__dyld__DATA``__la_symbol_ptr__DATA`|`__nl_symbol_ptr__DATA``>__const__DATA``__cfstring__DATA``__data__DATAhh__bss__DATAh4__OBJCp@p@__message_refs__OBJCpp__cls_refs__OBJCww__class__OBJCxhpxh__meta_class__OBJCp__inst_meth__OBJCH8H__symbols__OBJC@__module_info__OBJC@__instance_vars__OBJC__property__OBJC`__class_ext__OBJCPP__cls_meth__OBJCp__category__OBJC\\__cat_inst_meth__OBJC  __cat_cls_meth__OBJCl__image_info__OBJC  8__LINKEDIT< p@loader_path/../Frameworks/BWToolkitFramework.framework/Versions/A/BWToolkitFramework "Pel H uX P 6 X6xE~ T/System/Library/Frameworks/Cocoa.framework/Versions/A/Cocoa 4/usr/lib/libgcc_s.1.dylib 4}/usr/lib/libSystem.B.dylib 4/usr/lib/libobjc.A.dylib d,/System/Library/Frameworks/CoreServices.framework/Versions/A/CoreServices h& /System/Library/Frameworks/CoreFoundation.framework/Versions/A/CoreFoundation p&/System/Library/Frameworks/ApplicationServices.framework/Versions/A/ApplicationServices `,/System/Library/Frameworks/Foundation.framework/Versions/C/Foundation X-/System/Library/Frameworks/AppKit.framework/Versions/C/AppKit|B}|}cx=R}| x=[LN }cxK|B}h|=kkR}iN |!aLHD@H<^<~<<bpcjblj?~K|exxxK|}x<^bhbj?K|{x<^<~bdb`8RxK|excxxK<^b\K@DHaL8!P|N |H|H(@ x8<8!@|N <]<}`0cW(?K^K8<8!@|N |!LHD|~xH<]<__KTb>(@8@^P<]_8~@KTb>(A<<]_4?xK_0;xK<]_,xxK<]"K<]<}_(_<8xKDHL8!P|N DHL8!P|N |!LHD|~xH<]^(;xK|ex<]^$xxKDHL8!P|N |!aLHD@H<^]C@|}x|CxK(@P<^]8xK|ex<^]8xK@DHaL8!P|N <^<~]]}D}@K|excxxKK|!!LAHaD@<8|+x|}xH<\\?|xK|ex\}D?|K}T<\bc\?|K|zx<\<<\hbce\d?<8LxK|gx8LCxdxxK<\T\8xK8<@aDAH!L8!P|N |!aLHD@|+x|}xH<\[?|K[?|K[K(A\x<\[?K[?K[?xK[K@DHaL8!P|N 8`@DHaL8!P|N |!!LAHaD@<8|3x|+x||xHh<[[T?[KZ?[KY?[K|yx<[<Z|bãEZ?{xK|ex#xDxxK[lx%xK8<@aDAH!L8!P|N |!aLHD@|+x|}xH<\<ZĀZKTb>(@x<\Z?K|{xZ?xKYexK(A\<\Z?xKY?exKYKTb>0b|c@DHaL8!P|N 8`@DHaL8!P|N |!LHDHCL|}x(@(<^<~Xc`;LKxxK<^YԀ}L?KX@KDHL8!P|N cDN cDN |!H|H(@h<]W?xK|{x<]XL~@XHK|excxxK~T~T@DHaL8!P|N ;TK|!LHD|~xH|HT<(AP?<]W|N?KW;NxKxHDHL8!P|N DHL8!P|N |!A\aXTPL|+xH<]a@8B]B<AD8a@VTH(||xA?}<]<}VPBVL8F xK|exxDxK<]<}VPBVH8F0xK|exxDxK<]VD<]8F@xK|X<]<}VPV@8FPxK|exxxKxLPTaXA\8!`|N xLPTaXA\8!`|N |!|+x988@H%8!@|N |!88@H}8!@|N |!|+x88L|;xH8!@|N |! AܒaؒԒВ̒ȓē!Aa|&T@>|3x|+x||xHh<[S܀|@?[K|yxS?xKS?xKS>xKS:KS>~ųxK<[RЀbZ>K|vxSWS >xKS?KS:@K|dxS?~xH끀A@aDHLA a$(,@DHL~óxDxKRK\P|zx(A4<[<{SԃSxxK|fxxxExK<[S?xKS?KS?KS?KS?KR;K|wx<[888SK(AA:(:A|uxAB|@A ~xH鵀A|P~.(A<[Rx~xFxK<[R::)Cx~xK@<[S888~xK(@d?SĀ|@>KS>KR>K|txS>{Ex&xKS|@?[~xKS?[xKS?[K|dxS8aPH=X<[x?[\>|>{|@S>[KS>KRK|vxS|tZUSAx|A $x|K|ex~óxDx&xKSx|@~ųxKRxxK|}xSĀ|@KS@xK(@<[S?[xKS?[K|yx<[R@BR8a`H9A`adA a$`d#xDxxKP(A?SĀ|@?KS?[KR?;K|xx>SS>xKS>KS>K|exx~ijxxKS|@>xKS|@?KS?KR?[K|vxS8S|ZS:hxKS>K|dxS~xHApatA a$ptx$xK|ex~óxxxKSx|@~ųxKH<[S|@?[KS@?;xK|dxR8aH<[S?;xKS?;KR?;AA $?>xKSĀ|@?KS@?[xKSKSKRK|~xStK(AD(A<8@A<{A8A8A8AAAASxK(AAB; (;A|xxAB|@A xHA|P~.(A@<[<{SԂR>xxKSK|fxx~ijx~xK<[S>xKS>KS>KR;;9)~xK@T<[S888xK(@\P(A<<[<{SăR|@?[KS@xK|exxxK<[S?xKS?KRK<[S|@KTb>(AT8@AH<{AL?AP?[AT;!hAX;A\:HA`AdSxK|vxSK|~xS~x&xxK(AAPB; (;A|xxAPB|@A<[S~óxKHAL<{~.S>~xKSpxKTb>(A<[S>xKS>K|tx<[S S~xK|ex~x~xK\P(AD<[S>xxK|tx<[S S~xK|ex~x~xK;;9(@<[S88H8hxK(@ЀT>| aA!ĂȂ̂ЂԂa؂A8!|N T>| aA!ĂȂ̂ЂԂa؂A8!|N T>| aA!ĂȂ̂ЂԂa؂A8!|N |!@!Aa|~xH<]<}H0cO;K8<]xKH<]89pKTb>(@<]H>xKH<]89KTb>(@\<]H>xKH<]89KTb>(@,<]<}HKX(A0<\<|FF}@?\xxKF;@K|excxxKA@<\AD?AH?|AL;!`AP;AT:@AXA\FxK|zxFK|~xF~x&xxK(A$AH;`";(:A|wxAHB|@A<\FCxKH݁AD<|F|~.>~óxK|tx<\FFH>|xKE:K|ex~x~xKTb>;((A~۳x@p<\F88@8`xK(@8?F?\xxK|yx<\EBE?cxK|ex#xDxKF;xxKFxKaA!ĂȂa8!Ѐ|N ?F?|xxK|zx<\E}@bE?K|exCxdxKF;xxKFxKaA!ĂȂa8!Ѐ|N ;`K|!!A a|~xH<]<}BtcJ$?KC?KBh?KCd||xxK(A8@A8<}A~xKC<]83KTb>(@<]CH>~xKC<]84KTb>(@\<]CH>~xKC<]84KTb>(@,<]<}CHCD~xK|exx~ijxK;;9(@<]Cl8888XcxK(AK8@A<}A?}A;AA; A;AAACLxK|wxClxFx'xK(A8Ab;@(; A|yxAB|@A<]CLxKHɀA<}.CH>xKC<]83KTb>(@<]CH>xKC<]84KTb>(@\<]CH>xKC<]84KTb>(@,<]<}CHCDxK|exx~ijxK;9;Z(@<]Cl888~xK(@xaA !8! |N |!!lAhad`\X|~xH<]?p?K??K|dx?l8a@HH<]P<}L?TcFt?K|yx?L?exFxK?(~@%xKX\`adAh!l8!p|N X\`adAh!l8!p|N |!@!Aa|+x|}xH8@A@<|AD8`AH8AL8@APATAXA\}D>cxK(AAH;@";(:A|wxAHB|@A }DHuAD<|=|b.:xKTb>;((A;@@<\>88@8`cxK(@|WB>(Ah<\<|>>}D;`xK|exxxfxKaA!8!|N aA!8!|N |!@!Aa|+x|}xH8@A@<|AD8`AH8AL8@APATAXA\}D;((A;@@<\(Ah<\<||~xH8@A8<A#xxK<]88;Z;{)#xK@<]9p8888\xK(@dT>| aA!8!|N T>| aA!8!|N |!A\aXTPL|+x|}xH<\7?|K|zx7lK(ACxx<\7d?K7?K|{x@8^?|B<AD8a@7`?exHρ7\}@exKLPTaXA\8!`|N LPTaXA\8!`|N |!0̒ȒĒ!Aa|+x|}xH<\<|5c=d?|K6?|K5;`Ka@<\aD?\aH?<aL;daP:aT:@aX|uxa\6xK|{x6K|zx6~ųxx~xK(A$AH";(:A|wxAHB|@A<\6cxKHͽAD<|~.6>~óxK6T<\8'8KTb>(@x<\6>~óxK6T<\8'HKTb>(@H<\6>~óxK6T<\8'XKTb>(@<\6~x~ųxK:;(@$<\688@8dCxK(@<\6X~xK(A<\6P?|~xxK|~x6?|xK6?K6xKaA!ĂȂ8!Ѐ|N 8`aA!ĂȂ8!Ѐ|N |!aLHD@<8!4A0a,($ |&T@>HC@|}x(@8]P(A,<^<~<+D3̃3;`xK|exxxK||xaX<^a\8xa`8ad8Xahalapat3K(AA`b;@(; A|yxA`B|@A xHA\<~<.38d$H|exx~xKTb>(A8@xxK;9;Z(@<^388X8xxK(@\<^3<^8b$H]|exxxKTb>(A<^3?xxK3}@?K3lK(@d<^<~33}@?^xK3?^K|dx38a8HMA@aDA a$@DcxxK<^<~<3c:#8K|{x<^<~<3C3%3?xK3K|hxcx$xxFxxK8@A<~A?A;aܐA;@A;!A̐AАAԀ3xK|xx3%xfxGxK(A؀A;`(;@A|zxAB|@A<^3xKHșA?><~33~.D>~óxK|ex~x~xK343H;Z~óxK|fx;{)~x$x~ųxK@p<^3888xK(@8<^3?xxK3?xK3Ԁ}@K(A(<^3}@?K3lK(@<^<~3܃38xK|exxxK<^3<^8b$He|exxxKTb>(@T>|  $(a,A0!48<@DHaL8!P|N <^<~<3ԃ3Ѓe3]D}@K|exCxxK|exxdxKK@<^3}@?K3?~K2?^K|yx?33>xK3>K3>K|tx3Ԁ}@>~K|fx#x~x~xK3|}@>%xK3x}@?>K3?K2?~K|wx3Y3t:83;HxK3?K|dx3xH5APaTA a$PTxDxK||x3Ԁ}@K|fx~x$xxK3p}@~xKT>|  $(a,A0!48<@DHaL8!P|N |!A\aXTPL@H<^a88B4B<A<8a8-4H(|}xA?<^+b3?~K-0;@DKxExK<^+b3;HK-0;`KxxKÓ}T8@]P<^-,<^xxK<^<~-(-$ pxfxKx@LPTaXA\8!`|N x@LPTaXA\8!`|N |!!\AXaTPLHH<^a@8B3TB<AD8a@+?Hå||x?~<^<=+{2L8D848$;@HxK|yx<^<<=>+{2L9d88D8TIxK|}x<^+x%xKTb>(AxxHLPaTAX!\8!`|N |!!\AXaTPLH|+x|}xH<\@8B2(AX<^)?xK)<^8Kp@(<^"<^<~))D8xK<^)?xK)KTb>(At<^)?xK<^))KTb>(AD<^)?xK)8K8DHL8!P|N 8DHL8!P|N <@`B@C8C N |!LHH<^a@8B/B<AD8a@(H(|}xAh<^<~((xKTb>(AD<^"<^<~(<'8xKxHL8!P|N xHL8!P|N <@`B@C8C N |!LHH<^a@8B.B<AD8a@'(H(|}xA@<^'X?xK'T8KxHL8!P|N xHL8!P|N |!<~(8CA <^8Bb<8!@|N 8`N N |!\XT|~xH<]<}&x,8aHHL<];&|xKTb>(A<]<}<"840?\| Aa $8@9@| A8A@=9@HTX\8!`|N <]<}<"@,<<]| a $9@9`| a8A@"9@HqTX\8!`|N |!!\AXaTPLH}^Sx|+x||xHh!<[!<[*?[$?;xK#8KTb>;A(A4<[$<@A A8A(A0<[<{$؃#$xK|exx$xK|}xx<[@8B,B<AD8a@$ЀZ A$(,0: xHHLPaTAX!\8!`|N |!\XT!PALaHD@#x~xK8 H!|)$?>K|wx!!|8xK|ex?>~x~ijxK8Ha!|)$?>K|wx!!|8xK|ex?>~x~ijxK8$H!|)$?>K|wx!!|8xK|ex?>~x~ijxK8Hـ!|)$?>K|wx!!|8xK|ex?>~x~ijxK8H!|)$?K|{x!X!|8xK|ex?cxDxK8HQ<^?#h})T?K# ?~K8H%<^<<~#d})TBp%x?K# ; KxH<@DaHAL!PTX\8!`|N |!!\AXaTPLH|~xH<]<}܀c&?K ?K?K|{x <]@8B(B<AD8a@ ?]H|excxxK<]<}?< c&<: ԃEPK|ex?]cx$xK<] TxK|excxxKcxHLPaTAX!\8!`|N |!H|HA!|x< !|<*|8'dH(AT<]?xK$`(@?txK@DHaL8!P|N <]<xKTb><}(8C8A <]8B4b@DHaL8!P|N <]<}?pB |# xK@DHaL8!P|N 8`N N |!!\AXaTPLH|~xH<]<},c"?Kd?K ?K|{x<]@8B%0B<AD8a@?]H|excxxK?<]\" xK|ex?=cxDxK4?]xKTb>z#(@<]<0<" $ K|ex<] ?]?cxxK؀cxKcxHLPaTAX!\8!`|N <]<?" $ K|excxxKK|!lhd`\!XATaPLHDH<^<~<<xc!Ht!?~K|exxxK|}x?p|!?^K|yx?<^lh8 xK|ex>#x~xK8 Hp|!?>K|wxlh8 xK|ex?>~x~xK8,HMp|!>K|uxlh8 xK|ex>~x~xK8(H p|!?K|uxlXh8 xK|ex?~xDxK8$H?v ;@ExKy,?>ExKw(?ExK}$?ExKTx!@?K;KxHM<^<<~Px!@B\%d?K;KxH<^pb!L?K?K8H<^|}8@A8<@A<8A$ 8x|\4;@xKWz|Tc>}.(A<]xK(@<]xxKTb>(@<]xK(@4<]xxKTb>(@<]xK(A<]xxKTb>(A<]xK(AX`lptaxA|8!|N ?<]bP?PAT A$;^ A(,04TP>^ 8 pKX`lptaxA|8!|N ?<]bT?PAT A$;^ A(,04TP>^ 8 pKX`lptaxA|8!|N ?<]bL?PAT A$;^ A(,04TP>^ 8 pKX`lptaxA|8!|N <]<}cX<]PT $B9` (,04TP"B a8 pKX`lptaxA|8!|N |!aLHD@}>Kx|}xH|xtp<\l;apKTb>(A<\p;*<\88BhB<A<8a8T[ A $(, xH@DHaL8!P|N |!|x!tApalhd`|3x|#x||xHhA!<[tAxKTb>;!(A<[X;p?{\8X(yYy (a,A0a49Y A8xxH%`dhalAp!tx|8!|N <[<{hcP?Kd;K|wxH ~xxH<[P8BpB<AT8a@(8PY A(,049Y A8xH]~xHu@DHL `dhalAp!tx|8!|N |!<~(8CdA <^8B`b<8!@|N 8`N N |!p!Aa|xth|~xH<]\K(A8;|{x<]X8K<]?]cxK<]8KTb>(A4<]<@A APATaPA$a PTcxK<]cxKTb>(A0<]<}CxK|excxDxK|{x<]<}Tc?]K|yx<]\ P:?]?K<]LZ8?]#x pKH?#xK<]D@8aX\ A$(,0<]< xHAXa\`dA a$(,8@| a048xK(A<]<<8Tb>(@<]"D?[{ Aa $8@9@{ A8A@=X9@HPTXa\8!`|N <]<4HTb>(@<]"P<]{ a $9@9`{ a8A@"X9@HPTXa\8!`|N <]"@?[{ Aa $8@9@{ A8A@=X9@HPTXa\8!`|N <]"L?[{ Aa $8@9@{ A8A@=X9@H!PTXa\8!`|N |!lhdX|#x|}xH!<\P8B,B<AT8a@ 8PAA$,0(<\!HD<\p*D xK(A<\ xK(A<\ xK(A<\ xK(A<\ xK(A<\ xK(A<\ xK(@<\!@*@@DHL Xdhl8!p|N ?!@*@K?!@*@K|!\XT!PALaHD@#x~xK8H |?>K|wx8xK|ex?>~x~ijxK8Hŀ|?>K|wx8xK|ex?>~x~ijxK8H|?>K|wx8xK|ex?>~x~ijxK8H=|?>K|wx8xK|ex?>~x~ijxK8H|?>K|wx8xK|ex?>~x~ijxK8H|?>K|wx8xK|ex?>~x~ijxK8Hq|?K|{xX8xK|ex?cxDxK8H-<^? ̀}?K p?~K8H<^<<~ Ȁ}B%?K p;KxHɃ<@DaHAL!PTX\8!`|N |!!\AXaTPLH|~xH<]<}c l?K?K?K|{xl<]@8BB<AD8a@p?]H|excxxK<]<}?<hc <:E,K|ex?]cx$xK<]0xK|excxxKcxHLPaTAX!\8!`|N |!lhdX|#x|}xH!<\P8B B<AT8a@8PAA$,0(<\!HaD<\p*Dt!@<\*@!H<\*HxK(A<\xK(A<\xK(A<\xK(A<\xK(A<\xK(@4<\xK(@`?!@*@HH<\xK(A<\xK(@<\!@*@@DHL Xdhl8!p|N 8`N N 8`N N |!A\aXTPLH<^a@; ]<~AD;@?~xH]|zx8K8h<^A@}aDxH)CxLPTaXA\8!`|N |!\XT!PALaHD@<|~xH?<]bK|{xxK|@@\<]<}<<c0?}K|exxxK|~x?|8?]K|yx?<]8xK|ex>#x~xK8H|8?=K|wx8xK|ex?=~x~ijxK8HI|8?=K|wx8xK|ex?=~x~ijxK8H|8?=K|wx8xK|ex?=~x~ijxK8H|8?=K|wx8xK|ex?=~x~ijxK8H}|8?=K|wx8 xK|ex?=~x~ijxK8H9|8?K|{xX8xK|ex?cxDxK8H<@DaHAL!PTX\8!`|N <@DaHAL!PTX\8!`|N |!H|Hlhd`8h<a88dc*D|B4a8<@Da $(<{8=TBz|c"8<@D|C.(xHPTXa\8!`|N 8<@D PTXa\8!`|N |!!|Axatplh`XP|~xH<];K^h(@(TB>(A<]8BLH$<]8BPHTB>(@8<]8BX?}B<8a8DxHM8<](?= 2Hq/**H8a@ aX\`d|B4a $<~8TBz}C"9`aX\`da8@|*.9@H=<^xK,A<^xK,A;<^8ahxxHQ<^<~cp?~K?~KAhalptAa $;ahlptHUxK|A|xa8!|N |!<8H<^<~c0?K?K>ffi8<8!@|N |!C\|dx|@A$8@\|+x|ExK8!@|N 8\8`K8!@|N |!aLHD@|+x|}xH<\?|Kx?|xKP|~xxK(@ (A@<\PxK(AL8`@DHaL8!P|N 8`@DHaL8!P|N <\?xKK8Cx|B4TC~@DHaL8!P|N |!<8|~xH|H<(@4x<]K0C|b8<8!@|N 8`8<8!@|N |!<8|~xH|H|B48`TBz|~|#.<8!@|N |!<8|~xH<]KTb>(AL^Z(@\<](A4<]xK(A8<]xK(A(8`8<8!@|N 8`K<]?xK\K8c8<8!@|N |!<8|+xH|H[<h?KdW>(A$8K8<8!@|N 8K8<8!@|N |!\XT!PALaHD@<|+x|}xH<\KTb>(A<\@?|xK ?|KD?|K|zx<\<|<b#>xK|vx<\X?xK|ex~óx~xK|ex#xdxK|fxCxxxKhxExK<@DaHAL!PTX\8!`|N <@DaHAL!PTX\8!`|N |!\X!TAPaLHD@|~xH<]\KTb>(A<]?xK?K?K|{x<]<}<LC%H?xK|wx<]x?xK|ex~xxK|exCxxK|excx$xKxexK@DHaLAP!TX\8!`|N @DHaLAP!TX\8!`|N |!aLHD@|+xH<]$?K|{x<]xK|excxxK@DHaL8!P|N |!!LAHaD@<8|+xH<]<C\|3x|{x|CxKTb>(A@<]<}< c E;\K|ex#xDxKTb>(A<]<}cxKTb>(@8<]|cxKTb>(A<] cxK|@Ap8`8<@aDAH!L8!P|N x?{\xK8<@aDAH!L8!P|N <];cxxKx8<@aDAH!L8!P|N |!!LAHaD@<8|+xH<]<`܀C\|3x|{x|CxKTb>(A@<]<}<hchEl;\K|ex#xDxKTb>(A<]?cxKh?xK||x<]cxKTb>(@<<]@cxK(@ (AH<]@cxK(A8`8<@aDAH!L8!P|N 8`8<@aDAH!L8!P|N x?`{\xK8<@aDAH!L8!P|N <]?cxKK8Cx|B4TC~8<@aDAH!L8!P|N |!!\AXaTPLH@|;x|+x||xHh<[,?[K<[ȀxKTb>(@<[<{(Ā|\KTb>(A<[<{<PcPET<\K|ex#xDxKTb>(@Lxx<[(|\ pK@HLPaTAX!\8!`|N p@HLPaTAX!\8!`|N |!LHD|+x|}xH<\<|考销}\KTb>(A4x<\}\KDHL8!P|N DHL8!P|N |!LHDH<^@|+x||xKTb>(A <^TxKTb(@@<^@xKTb>(AD8`DHL8!P|N 8`DHL8!P|N <^TxKTcDHL8!P|N |!<8H<^<|}xKTb>(@<^@xK<^8xK8<8!@|N |!LHD|~xH<];xK<]xxKDHL8!P|N |!ALaHD@<|+x|}xHxt<\<|<ceă]\K|exCxdxKTb>(@d<\<|,4}\KTb>(@t|@A<\DxK<@DaHAL8!P|N ?xK<@DaHAL8!P|N 8At?,}\$(xK<@DaHAL8!P|N ?xK<@DaHAL8!P|N |!H|HX#x~xK8֐HtՀ݄z$?K|zx݀x|8ѸxK|ex?CxdxK8֔Ht?ߔv֐;xKߔ}֔xK@LPTaXA\!`dhl8!p|N |!|+x988`Ht8!@|N |!|+x988dHt8!@|N |!|+x988hHt8!@|N |!|+x988lHta8!@|N |!|+x988pHt18!@|N |!88pHs8!@|N |!|+x988tHs8!@|N |!88tHs18!@|N |!|+x988xHs8!@|N |!88xHr8!@|N |!|+x988Hs)8!@|N |!88Hr8!@|N |!A\aXTPL|~xH?ڼ~T?}Kڼ~`;{,Kڼ~d?Kڼ~h;A@Kڼ~lKڼ~pKڼ~tKڼ~Kڼ~xK@[ADٰCxHq̓LPTaXA\8!`|N |!LH|~xH<]KTb>(@X<]@8BPB<}AD?(8a@HqIƨ|@&TBhCHL8!P|N 8`HL8!P|N |!LH|~xH|H|~xH<]|?K<]<} xcޠ?]xKא?]K|excxxK||xڤ?}xKTb>(@8a`xHol8@A<}A?}A;AАA; A;AĐAȐÂtt~xK|vxxFx'xK(AA<Ѓb;@(; A|yxAB|@A<]t~xKHnA<}ٴ|b.;9K;Z*(@<]888~óxK(@<] ?}xKא?}K|zx;zxKTb>(A^Z(A;zob<}ALڸ<@C0AH<]\xK <]AHxK(Tb>.x(<12(Al<]<}?}<"Ѐ٨{ްE׸?=K|xx<]|"X{ްxK|excx$xK|fxxDxxK<]ؠt?}xKא~p;`K|zxa<]a?=a;0a:a :a$a(a,~pٌcxK|ux~ųxx~xK(AA<DЃ";::(:A|tx~ӳxAB|@A<]ٌcxKHlaA<}~B.\~p>=~ExKٴ~7K!2HlR*|@@ (!*<]<}<٨cް%׸:sK|ex:}@x~$x~FxK@X<]8880~xK(@<]ٌ~p?}Kר?}K?]K|yx<]<<<bElޘh>Kp<]88K?}K|exxDxK|ex#x~xKא#xK(AX<]B;`<]׈?]#xexK|xx\?]xxKٴ?]K`<]؂>xK|exx~xK؃VxK|exxDxKA @<]<}<٨cްE׸A K|ex>xDxxK?]#xxK\~p?]xKٴ?]K`א(#xKR((A?}{;`<]<}׈ƒ#xexK|zxA @<]א?C0#xKaD<]@`<]"A@($ 2Hj <]אs*#xK8C|@@ (* <]<}<٨cް׸>K|exxxFxKא;{#xK|@A;`<]א;{#xK|@A<]א#xK(@<]A<]<}٬cޠ;`Kap<]at?]ax;a|:a:pa|uxaa~tٌcxK|tx~ųxx~xK(AԀAxB;(:A|wxAxB|@A<]ٌcxKHgŀAt<}\~.~t>}~ųxKٴ>}K!x$<]<٨bްe׸:;)K|ex~x~dx~ƳxK@t<]88p8~xK(@<<]א;`~xK|zxa<]a?a:a:a:Гa*aa쀂ٌ~xK|{x~x~x~dzxK(AA<Ѓ:::(:`A|sx~xA؀B|@A<]ٌ~xKHfeA<}~".\>~x~%xKٴ~K!Hf*|@@ (!*<]<}<٨cް׸:RK|ex:}@x~x~&xK@X<]888cxK(~@<]ٌ~t?}Kר?}K?]K|xx<]<<<bElޘh>Kp<]88K?}K|ex~xDxK|exx~ijxKאxK(AX<];`<]׈?]xexK|wx\?]x~xKٴ?]K@<]؂>~xK|exx~ijxK؃T`~xK|exxDxKA @<]<}<٨cްE׸A` K|ex>xDx~xK?]x~xK\?]~x~xKٴ?]K@א(xK((A?}[;`<]<}׈cxexK|zxAl<]א>C0xKa<<]8`<]"A8($ Hd `<]אR*xK8C|@@ (s* <]<}<٨cް׸>K|exx~xFxKא;{xK|@A;`<]א;{xK|@A<]א#xK(@<]A8@A0<}A4?}A8;APA<; A@;0ADAHALtxK|wxxFx'xK(A(A8<Ѓb;@(; A|yxA8B|@A<]txKHa݀A4<}ٴ|b.;9K;Z*(@<]8808P~xK(@<]אΈ(xK(A<];`<]<}Xcް?]exK|yx\?]x%xKٴ?]Kx$ Ha א*xK8C|@@ (1* <]<}<٨cްE׸?K|exxDx&xKא;{xK|@A@<] ?}xKאK(A<];`<] ?]xK׈?]exK|yx<]<XbްE\?exK|exhxDxK<]ٴKX A<]ڤxKTb>(@?]8axH`58a$xH`<]dx*AaA a$(,#xK^Z(A$<]ڀx%xKTb>(@<]ڸxK*<] ?]xKא;{K|@AtT>| ʁaA!؃䃡胁aA! aA!8! |N 8aPxH^XK>K<]\~p?ExKٴK$K<]\>~xExKٴK$K>Kh?]8apxH^a|8a$xH^EpK$|!0̒Ȓē!Aa|&T@>|~xH<]KTb>(Al<]$?xK4?}Kl?]K|yx ?]xK4?Kl?}K|xx{(ALEx<]?}xKTb>(@0xxK(A<]xxKH#xxK(At<]@?}?]Kd<]Z\(#xxK@88@A8<}A#x~xK@>K!p$<]<4b| aA!ĂȂ8!Ѐ|N <]\?xKxKT>| aA!ĂȂ8!Ѐ|N T>| aA!ĂȂ8!Ѐ|N |!@!Aa|~xH<]K(A<]xK(A<]?xK?}K|zxxKK|@@`8@A8<}AxKx>~xK|ux>x~xK|wx>xK >~xKV>KTb>|@@D;9;Z|@AP?}h8888XxK(|{x@ ;H;taA!8!|N |!`!Aa!|Axatplh`|~xH?<]<Hb؃E?=K?=K|exCxdxK|{x?]Ԁz;K|wxԀz?]K;!::|txHxK||x ~x&x~dzxK(AA<īB; (;A|xxAB|@A<]HxKHUA<}~.hx~ųxKTb>(A<<]>xKTb>(@X8aP~ijxHV\*;;9(@p<] 888xK(@88@A<}A?A;A A ; A;AAAHxK|vx xFx'xK(AA;@(; A|yxAB|@A<]HxKHTA<}.H>xK>xK|sxh>xxK|rx>xKVB>(ATb>(@ 8apxHT|?8@ p$?><]Ѐu؃>]K|qxu>]~exK|fx~xx~%xK?u؃8K|excxxKHTb>(@8axHT!<]?<Ѐx؂>]K|qxx>]~exK|fx~x~x~%xK<]x؃8K|excxxK;9;Z(@0<] 888 ~óxK(@<]?x~xK?x~xKxexK`hlpatAx!|aA!8!|N ?ܫK8a@~ijxHRHK8a`xHRhK?8K8axHR!K|!`Aaxp|&T@>l|+x|}xH<\<|<DcfH]dK|exCxdxK(APx|~x<\<|<DcfH]lK|exCxdxK(AX<\?|K)xK@<\?xK ?xK|?C0K8CAD<\@L<\!@(xK<\Tc>2(@8aXxHQd<\"T$x(2 pHQ=lT>| pxaA8!|N ?ާP plT>| pxaA8!|N ?xKlT>| pxaA8!|N 8aHxHP!PK|!`Aaxp|&T@>l|+x|}xH<\<|<Ѐc(fԃ]`K|exCxdxK(APx|~x<\<|<Ѐc(fԃ]hK|exCxdxK(AX<\P?|K,)xK@<\0?xK?xK?C0K8CAD<\@<\!@(xK<\Tc>P2(@8aXxHNd<\"$x(2 pHNɀlT>| pxaA8!|N ?ޤH plT>| pxaA8!|N ?,xKlT>| pxaA8!|N 8aHxHMPK|!@!Aa|~xH8@A@<AD?AH;adAL;@AP;!@ATAXA\8K|xx%xfxGxK(AԀAH;b;@(; A|yxAHB|@A<]8xKHLMAD<}X|.;9xKTb>0b|C;Z(@<]88@8dxK(@pxaA!8!|N ;K|!pAa|HC[|+x||x(A\<^\?~xK|zx(|dx@ 8aH?~HKT;A \[(@\<^\?~xK|zx(|dx@8ahHKUt<^"A<^|xKTb>(A<^xK<^8xK<^<~x |\KTb>(@|aA8!|N 8a8?~HJ@;@<^(8xK<^xKKd8aXHJm`<^"@<^(8xK<^xKK <^x|\xK|aA8!|N |!A\aXTPL|3x|#x||xHhA!<[<{4Ԁ}\AKTb>8a(A8Ax<4\#C (,!0A4"B 8(A@<]<}< c E;\K|ex#xDxKTb>(A<]<]cxxKxA<]8?cxK?xK|zx?cxKTb>(@8aHDxHGLx*<]8?cxK;K|@@t<]<]|cxxKAL<]8?cxK?xK|~x?cxKTb>(@ 8ax?xHF!|8axHF<]1*cxK(@( xHEypA p!aăAȃ!8!Ѐ|N x?{\ pxK!aăAȃ!8!Ѐ|N pK8a8DxHE8Kh@pK@8aX?xHE!X8ahxHEpK|!0!̓Aȓaē!|+xH<]<C\|;x|{x|CxKTb>(A@<]<}< c E;\K|ex#xDxKTb>(A<]<]|cxxKxA<]8?cxK?xK|zx?cxKTb>(@8aHDxHDLx*<]8?cxK;K|@@t<]<]cxxKAL<]8?cxK?xK|~x?cxKTb>(@ 8ax?xHC!|8axHC<]1*cxK(@( xHBpA p!aăAȃ!8!Ѐ|N x?{\ pxK!aăAȃ!8!Ѐ|N pK8a8DxHB8Kh@pK@8aX?xHB!X8ahxHBpK|!|!xAtaplhd|&T@>`H<^<B\|;x|3x|+x|zx}Cx|ExKTb>(A@<^<~<c%\K|exx$xKTb>(A<^CxK?>xK||x<^CxKTb>(@\<^)CxK@(@ (Al<^CxK(@<^CxKK8C|@@<^(|dx@ 8aPH@\<^;CxxK<^ ?CxK;CxxKx`T>| dhlapAt!x|8!|N 8``T>| dhlapAt!x|8!|N ?z\exxxK`T>| dhlapAt!x|8!|N 8a@H?HK|!ALaHD@<|;x|3x|#xHh<[<\\|zx|CxKTb>(ADxx?{\CxH?=<@DaHAL8!P|N <[B":" : <@DaHAL8!P|N |!A|axtplH<^|+x||xKTb>(Al<^?~xK|zx?~xK$WB>(|dx@|8aPH>A\\(@<^"@<^`8B,B<Ad8a`LxH=lptaxA|8!|N 8a@H=HK|!`a!Aa|xtph`|&T@>\|+x|}xH<\<tpKTb>(@ <\pxKTb>(A p<\xK(A X](@ L<\<|<<(c`E&d`>xK|vx<\>xK|ex~óx~xK|exCxdxK|exx$xK$?|KK(|{x@<\cxK(A ;@<\hxK(@T<\T?<xxK}?KP8K}?KL8K8@A<|A?A;!A;A:A AA(xK|vx~x&xxK(A $A;";(:A|wxAB|@A<\(xKH:A<|~.Hx~xKTb>(A <\xK|@A~x:;(@<\888~óxK(@T(A ?<?xKD?K|wx:xKX?~ųxK?xKl?xK|ux>xK@?~ųxK>xKTy>xKV>((Ap|dxA8a8?<H9D<xKTb>(@<\?<xK|dx8aHH9PWB>(A<\8xK<\?<4y?Ky?K|vx<\0,>xK~óxxK?xK(>K$8@AX>\:`AX\A $>|X\WZ>K()xK|zx$~xxH8!h*x*ptpAt A$ptCxxK yKA8??\<\0ڧB xKxDxxfxK??|?\<\h{ڧb 8K|zx<\0xKxdxxFxKHWB>(A<\8xK<\?<4y?Ky?K|vx<\0,>xK~óxxK?xK(>K$>x:|>|Ax|A $WZ>x|)K(xK|zx$~xxH6!(x(A A$CxxK yKA8??\<\0ڧB xKxDxxfxK?x8xKH8a?<H6E<xKTb>(@<\?<xK|dx8aH6WB>(A<\8xK<\?<4y?Ky?K|vx<\0,>xK~óxxK?xK(>K$8@>A:A$ >|WZ>K()xK|zx$~xxH5!*x*ԃЀAԓ A$ЀCxxK yKA8??\<\0ڧB xKxDxxfxK??|?\<\h{ڧb 8K|zx<\0xKxdxxFxKHWB>(A<\8xK<\?<4y?Ky?K|vx<\0,>xK~óxxK?xK(>K$>:>|A؀ܐA $WB>؀)K(xK|zx$~xxH3U!(x(AaA a$CxxK yKA8<\<|<0çE xKxDxxfxK<\x8xK8@]?<\?|0B; ;xKx$xExxK<\<|<hcE; ?~xK|wx0xKx$xEx~xK0ܧ xKxxxxK\T>| `hptxa|A!a8!|N \T>| `hptxa|A!a8!|N ;@K\T>| `hptxa|A!a8!|N |!LHD|~xH<]88BlB<A<8a8?H0}?xKxKDHL8!P|N |!A\aXTPL|+x|}xH<\?|K|zx@8[܀B<AD8a@xH/Tb>(@8WB>(@T8`LPTaXA\8!`|N 8`LPTaXA\8!`|N ][0b|cLPTaXA\8!`|N |!a쓁蓡!A|~xH<]<}„  sH/Y A sH/E**<@@A<A8a`<]$(,0„8!;xH.d!`hlH-5! xxH-p@!H-!<]8aPAA$(,0?!?}xH.P<TX\T@8@A<`@A<]a<a?e8@ $(,=ȃ048<!AA@KA!؃䃁a8!|N ??8apH,p8axH,|8@A<A<]9`"Ȁ|쀄AA $(,AA048<!Aa@KA!؃䃁a8!|N |!p!Aa|xt|~xH<]8;AaA(a0,$?}!xxH+4xKTb>(@<]<}"hC<]a$"A$ <]`<}<$?}?]; ;*dh*lc0A`dhlA $(,`dhlK,z\ A(,04<\ 8!<@xxK,z\ A(,04<\ 8![>AD<\;#xxH&8>xK|exx~xxK?4>xK|ex8Հx~xK<\0>xK|ex8Հx~xK<\,>xK|ex8Ձx~xK<\(>xK|ex8Ձx~xK<\$>xK|ex8ց$x~xK<\<| >xK|ex8ց4x~xK<\>xK|ex8ׁDxxKڎ<\@{aD<#xH$|exxxK@[AD#xxH$eHLPaTAX!\`dhl8!p|N |!#x~xK8H|,?>K|wx؇8|xK|ex?>~x~ijxK8Hi|,?>K|wx؇8| xK|ex?>~x~ijxK8H%|,?K|{xX8|0xK|ex?cxDxK8H<@DaHAL!PTX\8!`|N |!|+x988tHm8!@|N |!88tH8!@|N |!|+x988xH8!@|N |!88xHm8!@|N |!aLHD@|~xH?~t?}K~x;LK8<]8a8>z4T8a8Hz488a@HD:H:`tL>]P>=T>AHaLPTA a$(,=HLPT=x~xKx~exKÀl~t?~xKz4h~t>K~t:xKd~t>}K~t9XKt=~xKz,;hK|zxtցT>}}{xxH̀z8`X9pxHz8h3o}{xHp*!t*x;x|?=?!Axa|A a$(,x|Cx~ijxKxxKÀl~x~xKz8h~xK~xxK`~xK~xKt~xKt@xKx@xKH??]z,?=K|xx>>z]>=>AaA a$(,==x~xKx~exKÀl~t?~xKzK~t:xKd~t>}K~t9Kt=~xKz,;K|zxtցT>}}{xxHMz@9xH1z@3o}{xHp*!*;x?=?!ԀAȀàЀԐA a$(,Ȁ̀ЁCx~ijxKxxKÀl~x~xKz@h~xK~xxK`~xK~xKt~xKt@xKx@xK~`! a$A(!,048<@aDAH!LPTX\8!`|N |!P!Aa|~xHܐؐԐ<]~t8axHa<]dhlp~xK(AX<]~xK(@?~|~t<@AA`?`@ad?]A`a$A ;!h`d?K~t~|^xh#xxHp!h<]*p(xha|Axa$A x|CxxKlx*ldp*d<]{?xK~x^dhlpA $(,dhlpxKaA!8!|N ?~|~t<@@A@?`@@aD?]A@a$A ;!H@D?K~t~|^x>#xxHyP!Hh*7h$p(*X<]a\hAXa$A X\CxxKlx*ldp*dK|!a|xtp|~xH<]|;K(Ah<]{8aX\A$(9?}xHxht8a8HAXa\AaA8a<@DA a$(,\aX8<@DHyTb>(@(<]xhx8aHHAXa\AaAHaLPTA a$(,\aXHLPTH Tb>(@<]h8BB<Al8ah{\A $HEptxa|8!|N <]`;‚?d8a`{ $Hptxa|8!|N ~tptxa|8!|N ~xptxa|8!|N |!!\AXaTPLH|+x|}xH<\@8BDB<AD8a@v?|H%<\ybx?\xK|ex8idxdxK<\?|y[vx?<xK|ex8itxDxK<\y{vx?xK|ex8ixdxKHLPaTAX!\8!`|N 8`N N 8`N N 8`N clN lN |!LHD|+xH<]a88BHB<A<8a8ulH (||xApx<]<<u\x|8hK|exxxK<]v\8xK8@\hxDHL8!P|N xDHL8!P|N |!\XT!PALaHD@<|~xH?<]sb{K|{xsxK|@@<]<}<<sc{sz?}K|exxxK|~x?r|z?]K|yx?<]rr8gxK|ex>#x~xK8l4H r|z?=K|wxrr8gxK|ex?=~x~ijxK8l0H r|z?=K|wxrr8gxK|ex?=~x~ijxK8l8H ir|z?=K|wxrr8gxK|ex?=~x~ijxK8l(H %r|z?K|{xrXr8hxK|ex?cxDxK8l,H <@DaHAL!PTX\8!`|N <@DaHAL!PTX\8!`|N |!H|Hlhd`8h<a88d| c=ggg(@Alahd`A$a <^9@a`dhlA8@"\9@H!p|aA8!|N 8aPHQT KAlahd`A$a ?8@a`dhlA8@>\D9@Hp|aA8!|N |!aLHD@|+x|}xH<\88BwB<A<8a8m?|H=<\păbm?xK|et8`xdxK@DHaL8!P|N |!<8H<^mD?K<^m@=ZD8K8<8!@|N |!LHD8H|xtp<^<lȀl|}xKTb>(AX<^l?xKl<^Y,8Kp@(<^"Y,<^<~l考lt8xK<^l?xKlKTb>(At<^l?xK<^lԀlKTb>(AD<^l?xKl8K8DHL8!P|N 8DHL8!P|N <@`B@C8C N |!LHH<^a@8BuPB<AD8a@kDH(|}xAh<^<~kLkHxKTb>(AD<^"W<^<~klj8xKxHL8!P|N xHL8!P|N |!\!XATaPLHD|~xH<]<}lcp?Kl?KmxK(A0||x<]lKTb>(A<]mxKTb>(A<]lxK(A<]l?}xK|zx<]<hbpekK|exCxdxKTb>(@<]<}<hcpekK|exxdxKTb>(AH<]m?}xK|zx<]<hbpekK|exCxdxKTb>(A<]<}<hcpekK|exxdxKTb>(@<]lxK||xH?m;CxK(Al?m?CxK|yx<]<hbpk;K|ex#xxKTb>(A?mCxK||x|{xx(@t?mcxxKH<]ixxK<]mxKDHLaPAT!X\8!`|N <]mxKK|!!\AXaTPLH}>Kx|}xH|H?i;`AaA,a40(;@A8aK(||xA8?cxK8c@DHaL8!P|N x<]<gdXK|exxxK@DHaL8!P|N |!aLHD@H;HT<^g ?~xK|}x<^<b|bjeeK|exxdxKTb>(Axx|}x<^<~<b|cjeeK|exxdxKTb>(@ (@lx@DHaL8!P|N |!aLHD@H(|+x||xAp(A<(@<^f;`xexK<^fxexKH\<^f8xK<^f8xKH0<^f;`xexK<^fxexKT<^d8xK@DHaL8!P|N |H|H(ADxx<[c8|X pK8@DHaL8!P|N p8@DHaL8!P|N |!aLHD@8|;x|+x||xHh<[<{ba|XKTb>(ADxx<[b|X pK8@DHaL8!P|N p8@DHaL8!P|N |!LHD|+x|}xHxt<\<|aH`P}XKTb>(AP8At?aH}X$(xKDHL8!P|N <\b`xKDHL8!P|N |!aLHD@|3x|+x||xHh<[<{a_||XKTb>(A<xx<[a|XK@DHaL8!P|N 8`@DHaL8!P|N |!aLHD@8|;x|+x||xHh<[<{`,^Ȁ|XKTb>(ADxx<[`,|X pK8@DHaL8!P|N p8@DHaL8!P|N |!ALaHD@<|;x|3x|+x|{xHH(ADxxx(A<xx<[^؀|XK@DHaL8!P|N 8`@DHaL8!P|N cXN |!|dx8@X|+x|ExK8!@|N CR|CtN RN CP|CtN PN CQ|CtN cTN |!LHDH|xtp<^a88BfhB<A<8a8ZAt|xpA$,( t|xpH}(|}xAp<^<~^cb?K^?K_;xxK<^_xxKxDHL8!P|N xDHL8!P|N |!p!A|axtpl`XH<^<~??Gd#H[X|aH?~@pK[?^K8RH<^[X|aH"H?^@pK[;ZRKDxH<^[X|aH"G?^@pK[;:RK$xH<^[X|aH"H ?>@pK[;RKxHU<^[X|aHH$? x@pK[:RK~xH![X|aH> x@pK[:RK~ijxH<^[X|aHBG> pK[:RK~ijxH<^[X|aH"H(>@pK[:RK~ijxH<^<~Yxcal>K<@?݁wR䁘RR܀R؀^t`B/;@<<A$A(A0A4G\FH,? ?$(!0A48aDAPA8a(A8Ax<YPX#C (,!0A4"B 8cxKVx(((|dx@8aH?>C0x**?Y8adxH?Ap ăaȃA8!Ѐ|N <]<}X,V{XKTb>(@l<]BE":" : ăaȃA8!Ѐ|N 8apHpKx?X,XCxxHăaȃA8!Ѐ|N |!aLHD@|~xH<]W?K|{xWK|@@cx<]S8K<]88B^B<A<8a8S|HՃ@DHaL8!P|N |!a|xtpHQ<^<BSPUT>(||x@8aXx|ExH`<@Ah;`AlahA$a hlxxK<^bK<^U\8xKptxa|8!|N 8a@x|ExHH<@AP;`ATaPA$a PTxxKK|!lhd`!\AXaTPLH@80!(|~xH<]Q\?KQK(A;?}Q\?]xKQ;@ExKA?=A;ؓA:A:A|uxA̓AГAԀQ\xK|{xR ~ųxx~xK(AĀAB; (;A|xxAB|@A<]Q\xKHA<}~.U>~xKQ<]8F|KTb>(@4<]U>~xKQ<]8FKTb>(A>R8aX~xH!R`X8ah~xH Rp!h8ax~xH<]<}x"? UQ*op*~xA~xA8~xK>R8a~xH>U8axH!>U*/p*AP8~xK~ճx;;9(@<]R 888cxK(@L(Ad<]U?}~xKQ<]8F|KTb>(@<]U?}~xKQ<]8FKTb>(@!(08@HLPaTAX!\`dhl8!p|N !(08@HLPaTAX!\`dhl8!p|N 8~xKKh8~xK~ճxK\| A a$(<]<} B?D#? 8aH<]<}<RT؃J8a~xH!8*Aa $PA(a,04T! A$8<@xxK!(08@HLPaTAX!\`dhl8!p|N |!P!Aa|~xHܐؐԐ<]P;xxH午^Q(@Ѐ\| A a$(<]<} B:4#:,8aPHP`TdXh\l<]<}OcE<]`dhl $(,";`dhlK^Q(@@<]<}OcE8@ (,048<\ 8A(A <@@Ap<]?}"EQ <]aptx|a $(,?]ptx|:dxKApatx|Aa $(::4ptx|8a@pH<]"EQ AaA a$(,xK<]Q\| A a$(, xK^Q(AaA!8!|N <\ |<]a`b:dd*!hlKp<]<}OcE8@ (,048<\ 8A(@H<@?]`]dxHL8!P|N xHL8!P|N 8@]`]dxHL8!P|N |!\|~xH|HL|~xH<]D`?KG ?K<]GDC;KTb>(Ah?}D`?}xKG ?}KGDKT{>(A4;`<]<}Fc;<] $(,"0 ?]K?=<]D`F;:xK\ A(,04:<\ a8<@>~xx~x~xKD`F;WsxK\ A(,04)<\ a8<@~xx~ųx~ƳxKD`YF4;xK\ A(,04<\ a8<@#xDx~ųx~ƳxKA?]?=<]D`F;:xK\ A(,04:<\ a8<@>~xx~x~xKD`F;xK\ A(,04<\ a8<@~xx~x~ƳxKD`YF4;xK\ A(,04<\ a8<@#xDx~x~ƳxKWb(@<]D`?}xK<]GxCKTb>(A<]D`?}xKGxKTb>(Ax<]<}<D`cFE;; xK\ A(,048<\ a8!(@LT>| PTXa\A`!dhlptxa|8!|N ;`K?]?=<]D`F;:xK\ A(,04:<\ a8<@>~xx~x~xKD`F;xK\ A(,04<\ a8<@~xx~x~ƳxKD`YF4;xK\ A(,04<\ a8<@#xDx~x~ƳxKKh<]<}<D`Fe;;@xK\ A(,048<\ a8| PTXa\A`!dhlptxa|8!|N |!<~(8C5A <^8B5b<8!@|N |!<~(8C4A <^8B4Āb<8!@|N |!!\AXaTPLH|~xH<]<}:cBt?K;?K:?K|{x(+4K|ex<]+@cxDxK<]4\;cxKcxHLPaTAX!\8!`|N |!`!Aa|xph`H<^<~??'<#';0|A ?~@pK:?^K82Hѽ<^;0|A "'?>@pK:;2KxHэ<^;0|A '? x@pK::2K~xHY;0|A > x@pK::3K~ijxH-><^9PbAD>K<@?݁w3222>L`B/;@<<A$A(A0A4'4F(? ?$(!0A48aDAPAp x`K82HЉ<^;0|A "'?>@pK:;92K$xHY<^;0|A "'?>@pK:;92K$xH)<^;0|A B(?> xK:;92K$xH<^;0|A B'?> pK:;92K$xH<^;0|A B(?> xK:;92K$xHϙ<^;0|A "( ?>@pK:;2KxHi<^?>ty2'D?> K:;92K$xH5<^;0|A "($?>@pK::2K~xH>ty2?> K:;92K$xH<^;0|A B((?> xK:;92K$xHέ<^;0|A "(?>@pK:;y2KdxH}<^9PbA,?~K:?~K82HU<^;\{2<@AX<A\?XA$ (,X\K;0|A >p2 p@xK|exxxK`hpx|aA!8!|N |!|!xAtaplhd}^Sx|+x||xHh!<[6?[xK5`<[8&KTb>;A(A4<[6<@A A@ADa@A$a @DxK<[6xKTb>(A<[9xK(@<[6xK(AT<[<{9ȃ#6?xK|exx$xK|}x98K<[<{7c.\K<[X8B@ԀB<{A\<[6<{  $(B" #"8aHHـAHaLPTA$a(,08aXHLP!TxxxH5dhlapAt!x|8!|N |!\XT|~xH|H!̀c<aL8a848H!$,0!(?!?H˕A8a<@DAa $(] 8<@D< xHɕTX\8!`|N |!\XT|~xH<]H8B=܀B<AL8aH6(?AA$,( Hʍ3xKTb>(A;<]<}4 c+h?K68a8\ A$(,0;< xHUA8a<@DAa $a8<@DxHȝTX\8!`|N TX\8!`|N |!!AܓaؓԓГ!Aa|&T@>|3x|+x||xHhA$! <[3A(Aa$ A(a0,$;!!$ ;p#xDxHAa$ A a($,$ V>xHƽp0(!t!!x! !|!$AL<[5LCxKTb>(A<["*H(<["@*H<["@*<[ 38a`Y A$(,0W>9 )DxH`dhl APo\?C0X?!X(V>(@?=,(*HL?[?3x8 >K3o€oA<D?C0K8@<[3x8 K8!@3x(x(K$p$V>(@H9 O*.*1(`<[<{5Hc80?K|}x<[5D>?K5@**?AaA a$?[?{xK5| aA!̃Ѓԃa؃A܃!8!|N ?,(p*PTK09.*/*A(`K|!`!Aa|xph|+x|}xH?|1D;@ExK<\1@?<K1DlxxExK1K+?<K|vx1L?K.(y3 K|yxT!P?.$W>|^4>: p@xK<\Wz|14|%.xP#xK.$@pP#x xK<\.?#xKP!T?AXA\!`d1DxExK10AX\`dA $(,X\`dK1H~óxK~óxhpx|aA!8!|N |!l!hAda`\XT|+x|}xH<\+l8a8xH(A8<\!h8aPxH<\!XAb(?\!h8a`xH]!hd8apxHI|;*(!AaAa $aHTb>(@t<\%9 AaA a$(,xxKaA8!|N aA8!|N |(@A |(@@|(@8`A8`N 8`N |!LHD|~xH<]#@?K$<]8xKDHL8!P|N |!LHD|~xH<]<} ,c&4?K#?K<] #\8xK<]!dxKDHL8!P|N |!H|H(A<\<|c$?|K?|K|zx<\"\b?<xK|exxdxK"X?xExKxExxKHLPaTAX!\8!`|N HLPaTAX!\8!`|N |!A\aXTPL@H<^<~?? D# H8|#(?~@pK?^K8 H<^8|#(" L?^@pK;ZKDxH<^8|#(" P?@pK;KxHe@LPTaXA\8!`|N |!p|!xAtaplhdX|~xH<]8a@AA(0,$?!xH]xKDa@|\|@l|zx; <]CxxKTb>(A4<]8aH>xxHT7d<]*T?x",>KDx",>K8>>K>>(t" 46 D>@pK|vx(t"7 H>@pK|ux<]Hb"<>Kl>~ųx~xK<>K<]HLPT $(,"ȀHLPT>KЀx",K;9|@@XdhlapAt!x|8!|N |!LH|~xH|xtp<]KTb>(At8Ap<}@8c$|c<aD8a@ $(, HHL8!P|N HL8!P|N |!lhd`!\AXaTPLH}>Kx|}xH<\p?|K<\8HKTb>;a(@\<\?\xKTb>z(A<\K|zx?<<\b?KL?K>K|vx<\>xK>8|+xK|ex~óx~xK>>~óxExK<\<|<ĀcW5 K|ex>~óxDxKwH?\K|yx<\pB>xK|ex#xDx~ƳxKK|exxK<\;<\!(;8B#;<*8a@@BAD[ A $(, xH1HLPaTAX!\`dhl8!p|N <\<<B%KK |!!\AXaTPLH}^Sx}=Kx||xHh<[88aAA(0,$;@!?;xH\08Y!@<{BADA,8a@!$,(! ;`A8<xxH՛|0HLPaTAX!\8!`|N |!!lAhad`\X}^Sx}=Kx||xHh<[8aAA(0,$;@!?;xHU\08Y蓁P<{BATAa!a$,(! 8aP8A<@;`xxH|0X\`adAh!l8!p|N |!lhdX|#xH!<]H8BB<AL8A88H!$,0!(!||x|CxH^0(@8Ax<}8aP" $(,!0=]" HD!T (p@ (D<]LA<:<8<@D Xdhl8!p|N Ca|CtN aN C`|CtN `N |!LHH<^a@8BpB<AD8a@H(|}xAL<^<~cKTb>(@H<@?]d]hxHL8!P|N xHL8!P|N 8@]d]hxHL8!P|N |!\|~xH|HL|~xH<]P?K?K<]4;KTb>(A?}P?}xK?}K4KT{>(A;`<]<}c<] $(,"Ѐ ?]K?=<]P:xK\ A(,04:<\ a8<@>~xx~x~xKPWsxK\ A(,04)<\ a8<@~xx~ųx~ƳxKPY4xK\ A(,04<\ a8<@#xDx~ųx~ƳxKAP?]?=<]P$:xK\ A(,04:<\ a8<@>~xx~x~xKP(xK\ A(,04<\ a8<@~xx~x~ƳxKPY4(xK\ A(,04<\ a8<@#xDx~x~ƳxKWb(@l<]P?}xK<]hKTb>(A<<]P?}xKhKTb>(Ax<]<}<PcE; xK\ A(,048<\ a8!(Ax<]<}<PcE; xK\ A(,048<\ a8| PTXa\A`!dhlptxa|8!|N ;`K?]?=<]P:xK\ A(,04:<\ a8<@>~xx~x~xKP xK\ A(,04<\ a8<@~xx~x~ƳxKPY4 xK\ A(,04<\ a8<@#xDx~x~ƳxKK|!<~(8CdA <^8B`b<8!@|N |!<~(8CA <^8Bb<8!@|N |!!\AXaTPLH|~xH<]<}cp?K?K?K|{xp<]@8BB<AD8a@t?]H|excxxK?<] ̃\"4xK|ex?cxDxK<]<}<lc\>0K|ex<]<cxDxK<]cxKcxHLPaTAX!\8!`|N |!`!Aa|xph`H<^<~??8#󴀝,| ?~@pK?^K8DH<^,| "?>@pK;HKxH<^,| ? x@pK:LK~xHU,| > x@pK:PK~ijxH)><^Lb @>K<@?݁wPLHD H`B/;@<<A$A(A0A40F? ?$(!0A48aDAPAp x`K8 H<^,| "?>@pK;9 K$xHU<^,| "?>@pK;9K$xH%<^,| B?> xK;9$K$xH<^,| B|?> pK;9K$xH<^,| B?> xK;9@pK;(KxHe<^? py(@?> K;9,K$xH1<^,| " ?>@pK:0K~xH py0?> K;94K$xH<^,| B$?> xK;9K$xH<^,| "?>@pK;yKdxHy<^Lb (?~K?~K88HQ<^X{8<@AX<A\?^XA$ (X\?>K,|  l8?~ p@xK|exxxK<^<T{ P ?~K|exxxK|}xL{ ?K|{x<^<~HD80xK|ex?cxxK8@Ha`hpx|aA!8!|N |!p!Aa|xth|~xH<]xK(A$;|{x<] ?]K<]8,KTb>(A4<]<@A APATaPA$a PTcxK<]cxKTb>(A0<]<}@CxK|excxDxK|{x<]<}pc$?]K|yx<]\ l:?]?K<]hZT$?]#x pKd?#xK<]`\8aX\ A$(,0<]< xHAXa\`dA a$(,8@| a048 `hl8!p|N |!|xtp!lAhad`\XP|~xH<]!B**H<]<<d$?]K|exxdxK||x<]Tb?}K|zx<]AP;?}?=K<]L[89?}CxKH?}CxK<]tb?}K`?}xK;LT~> rH(@;<]?}*L<]"똀AHaLA a$<]y a(,04;LH9Y 8>x pKL<]p(L>bT>K|ux^ P6?K<]L^8?~x pKH>~xKAHaLA a$Yy A(a,04LH9Y 8x pK<~xKH~xK<](A;<]<}c?K8a8\ A$(,0;< xH=A8a<@DAa $a8<@DxHTX\8!`|N TX\8!`|N |!lhd`!\AXaTPLH|&T@>D|~xH<]p;xxHY<]?}xK|zx?}xKKTb>(@ <] xK|{x<]H?=xK?=K<]B)|CxK@hTb>(@ <]?=xKlK\| Aa $8| HHdTb>(@ D<]?=xKlK\| Aa $8| H<]?=xK|xx9 <]8bHa|exx$xKTb>(A <]?=xKH?=KK(A `; >\<]?xKH?K|wx%xK|@@>; \| A(a,04;<\ 8!Cxx&xK>\| A(a,04<\ 8<@Cxx&xKxKKTb>(@ \| ,A0a4(:; <\ 8Cxx~xK>\| A(a,04<\ 8<@Cxx~xKxKKTb>(@ \| A,a04(; <\ 8!Cxx&xKĀ\| A(a,04<\ 8<@Cx%x&xKă\\| A(A,a04<\ 8!<@cx%x&xKă\\| A(A,a04<\ 8!(A\| A,a04(; <\ 8!Cxx&xKĀ\| A(a,04<\ 8!<@Cxx&xKĀ\| A(a,04<\ 8<@Cx%x&xKĀ\| A(a,04<\ 8\?:\| A(a,04<\ 8<@Cx%x~xKĀ\| A(a,04<\ 8| HLPaTAX!\`dhl8!p|N <]xKK4<]?=xKlKK|<]?=xKlKK\| ,A0a4(:; <\ 8!<@?Cx%x~xKĀ\| A(a,04<\ 8| HLPaTAX!\`dhl8!p|N |!0A̒aȒĒ!Aa!xH;C\||x(@<^?~xK$?~K<^Te>Pb(@ <^88ڀ(@?~(xK|{x?<^lb ?^K?>K`?K|wx>><^Pv<8K|ex>~xxK<^<~<pc@84tK|ex>~xxKltH?K;@K`>K|sxx?AX>^\<^X$ >X\xK؀v<>K鐂 pK|ex~cxxK8?~x~exKlx?K8?ex~xK`;a`K|yxL<^} a$(? pcx$xHxH{Uh=Ҝl= !H{u!p1H{e!t<^HApatA a$pt#xK!xaA!ĂaȂA8!Ѐ|N  = !HP<^<~<LTPc8pKK<^@8ڀDKK|!LHH<^a@8B B<AD8a@4Hy(|}xAL<^<~开cKTb>(@H<@?]\]`xHL8!P|N xHL8!P|N 8@]\]`xHL8!P|N |!\|~xH|H#xdx~x~xKă|t6>xKAA,40(?Aa8<@!:#xdxx~xKă|t6xKAA,40(Aa8<@!#xdxx~xKă|txKAA,40(Aa8<@!xdx~x~xKătvxKAA,40(Aa8<@!cxx~x~xKătxKAA,40(Aa8<@!xx~x~xKX\`adAh!lptx|8!|N |!H|H!plhd=dlph$(  x@pK4;KxHr<^܌||"?@pK4:K~xHr<^܌||">@pK4:K~ijxHr<^<~ڬc>KWԁxЁ̀Ȁߨ=?;@<<A$A(0A4ȐF? ?$(!0A4a8ADAP|~xH8@AX<A\?A`;a|Ad;@Ah;!XAlApAtK|xx%xfxGxK(AA`;`(;@A|zxA`B|@A<]xKHpA\<}<ظ$~.8a@~xHpuH<@AP;ZAT;{aPA$a )PT~x$xK@|<]88X8|xK(@DT>| ăȃãAЃ!ԃ؂8!|N T>| ăȃãAЃ!ԃ؂8!|N |!LHD8|~xH<]<}考(~? pK<]$0~ p8K<]<}א׀~KTb>(A8<]א~8K8DHL8!P|N 8DHL8!P|N |!\XT!PALaHD@<|+x|}xH?|?\zL?<K,?K>K|vxzL?|K,;DK?K|{xh;Tx~ųxxKhxexxK<@DaHAL!PTX\8!`|N |!LHD|~xH<]<}<"H~ĨK<]<|8|;x|;xKDHL8!P|N |!LHD|~xH<]<~$8K<]ٴ|KDHL8!P|N |!LHD|+xHC ||x(A|<}<@Ԭ|CxKTb>(AXx<]<}@<| K(Ad?8xxKDHL8!P|N <]8xxKDHL8!P|N DHL8!P|N c N cN cN |!A\aXTPL|+xH<]a@8B B<AD8a@PHk!(||xA?}ӌ<]8LxK|zxӌ<]8\xK|~x?Ӵ;`CxKxexKÀӴ;xKxxKxLPTaXA\8!`|N xLPTaXA\8!`|N |!|+x88|;xHj8!@|N |!|+x88|;xHje8!@|N |!|+x88 |;xHj58!@|N |!H|H(@4<^l8xKxHL8!P|N xHL8!P|N |!aLHD@|~xH??}K<];8K?xK<]լKTb>(ADx<]?Kլ8K@DHaL8!P|N @DHaL8!P|N |!LHD8H|xtp<^<($|}xKTb>(AX<^D?xK<<^¼8Kp@(<^"<^<~H8xK<^D?xK8KTb>(At<^D?xK<^4$KTb>(AD<^D?xK48K8DHL8!P|N 8DHL8!P|N <@`B@C8C N |!LHH<^a@8BۀB<AD8a@ΤHf5(|}xAh<^<~άΨxKTb>(AD<^"<^<~̀X8xKxHL8!P|N xHL8!P|N |!aLHD@|~xH??}K<];8K?xK<]҄KTb>(ADx<]?K҄8K@DHaL8!P|N @DHaL8!P|N |!LHD8H|xtp<^<|}xKTb>(AX<^?xK<^¹d8Kp@(<^"d<^<~ ̬8xK<^?xKKTb>(At<^?xK<^ KTb>(AD<^?xK 8K8DHL8!P|N 8DHL8!P|N <@`B@C8C N |!LHH<^a@8B؈B<AD8a@|Hc (|}xAh<^<~˄ˀxKTb>(AD<^"<^<~ˤ08xKxHL8!P|N xHL8!P|N |!\!XATaPLHD|3x|+x||xHh<[<{c\?[K|yx<[lBh?xK|ex#xDxK|zxd?;xK<[`\?;xK|exCxxK<[Xˀ?xK|exCxxK<[<˄bT?K|exCxxK<[PL?xK|exCxxK CxKDHLaPAT!X\8!`|N |!PAa!Aa|ph|&T@>d|+xH<]<}Xcπ?KT?K<]DŽb$?Kȼ?Kx?K|{xT?@@?@@AD<]@A$ @Dp$K<]ɔ8cxK<]; cxK!H<]!LP?@`!T*X>\>vϤ̼>K|tx̴>}AHLA $<]HLpK̰p$APaTA a$>]PTW>~xK̰)AXa\A a$X\~xK̰AHaLA a$HL~xK!HLPTXA\̼vϤK|~x̴AHLA $HLK̰APaTA a$PTxK̰AXa\A a$X\xK̰AHaLA a$HLxKrT@<]h?K<]̨<`?K?K?xK<]<}c<~xK<]cxKcxdT>| hp|aA!aA8!|N <]?K<]̨T@.TP>H,@8K8!@|N 8KK|!!Aaܓؓ|&T@>}>Kx|}xH<\<|cT@.P>TBP>,|{x@<\?<<|±ɰc?Ex pKɰx?x pKɰxex pK<\ɨ?xKɤ9888K<\"@<\"AT>| ȃԃ؃܃aA!8!|N <\?<<|±ɰcx?Ex pKɰx|?x pKɰxex pKK<\<|<<<<tcxD|%ɸg?KŘ?K?Ѐ}$?K<}$?K8 K<\ɴ?CxKȀ}$KT>| ȃԃ؃܃aA!8!|N |!H|H$&%T@.'P>T@.P>TP>,A8<a88d̨cK>Ex&xK8 HT<^<<D|ĜbxE(&,?^pK|yx<^<D|Ĝz0B4%8?^pK|vx̀x;ZK>%x~ƳxKDxHTM<^D|ĜU<"@?^`xpK|yx<^D|ĜZD"H?^`pK|vx̀x;ZK>%x~ƳxKDxHS<^<D|ĜBL%P?^`pK|yx<^<D|Ĝ:BT%X?^`pK|vx̀x;ZK>%x~ƳxKDxHSE<^<D|Ĝu\B`%?^pK|yx<^<D|ĜzdBh%l?^pK|vx̀x;ZK>%x~ƳxKDxHR<^D|ĜUp"t?^`pK|yx<^D|ĜZx"|?^`pK|vx̀x;ZK>%x~ƳxKDxHRE<^<D|Ĝu8B%?^pK|yx<^<D|ĜzB%?^pK|vx̀x;ZK?%x~ƳxKDxHQ̀xĨ?~K?~K8HQ<^<~<cȃE؃;?K;K$8?><^><^<~"C><^;¶Tc@.P>TBPb>,A<\t!T*T<\<|\c?|KX?|KA<\@x<\?xK|dxD8a@APTX\A$(,0PTX!\HO@PDTHXL\PTX\ hptxa|8!|N |!a\XTPHC$&%TB@.'P>T@.P>TBP>,|}x@P?~@;{{<^aD8a@dHN|{xcxPTXa\8!`|N <^<~c`?K?K?K|{x`<^H;<^L?d8aHHM|ex,cxxK<^?xcxKKL|!|xthH<^a`8BøB<Ad8a`AA$,( HM=(|}xA<^8xK?8a@xHMIH8aPxHM5\<^$"`AT8@]xxhtx|8!|N xhtx|8!|N 8@]xxhtx|8!|N |!LH<^<~􀃭p8a@HLq<^@"<^B* *L8!P|N |!LH<^<~8a@HL<^@"<^B* *L8!P|N |!@!Aa!AaxpH<^<~<<$c\ ?~K|exxxK|}x?|?^K|yx?<^8pxK|ex>#x~xK8HJ=|?>K|wx8xK|ex?>~x~xK8HI|>K|ux8xK|ex>~x~xK8HI|>K|txx8xK|ex>~x~dxK8HIq|>K|txx8xK|ex>~x~dxK8pHI-|>K|txx8xK|ex>~x~dxK8HH逛|>K|txx8xK|ex>~x~dxK8HH|>K|sxX8xK|ex>~cx~DxK8HHa|>~K|rx88xK|ex>~~Cx~$xK8HH|>^K|qx8xK|ex>^~#x~xK8HGـ|>^K|qx8xK|ex>^~#x~xK8HG|?K|{xX8 xK|ex?cxDxK8??HGI<^<~c]< ?K?K8tHG?􀖬8a@HG􀙬D8aHHGL􀗬8aPHG<^T.x*¢*p*<^x8aX;`HGe􀔬X;ahxHGM`􀓬*cxHG5h<^*p*|pxaA!aA!8!|N |!a쓁蓡H(|}xA |#x<^8` |BT:|c.|C|IN ?xxHFY؃䃁a8!|N <^88axxHF\x(Al<^?~xK.rHF)ۧ<^|pAxKp( rHE?P*Hh<^?~xK.rHE<^xxAxKx( rHE?^*] ؃䃁a8!|N <^|x(@8aX?~xHD݀`8ahxHD?<^\<At?~LB((B*d(=}] ؃䃁a8!|N ?ޝ>=> = ؃䃁a8!|N ?ޝ>=> = ؃䃁a8!|N ?~88axHC88axHC88axHCyx(@?\A?> ** (Н=н ؃䃁a8!|N <^88axHB\x(@0<^B\?a!c(]}= ؃䃁a8!|N <^B"=" = ؃䃁a8!|N 8a8?~xHB%@8aHxHB?<^<\AT?~LB((B(d*KH!?Aa(("*Kx<^\?!^a!(K(h4|!a\XTP|3x|#x||xHh<[H8B B<AL8a8X8HHA<[\xxxHA PTXa\8!`|N |!\X|~xH<]88aHxH@^x(A<]<}<"܁؀?AHaLPTAa $8@9@aHLPTA8A@=H9@H=݃X\8!`|N <]<}<"<]aHLPTa $9`9@aHLPTa8A@"HH=aX\8!`|N |!\X|~xH<]88aHxH?q^x(A<]<}<"p䠀?AHaLPTAa $8@9@aHLPTA8A@=9@H<X\8!`|N <]<}<"䠈<]aHLPTa $9`9@aHLPTa8A@"H A8a<@DAa $a8<@DH<5^x(A<]08aH?xH=<]T<<}B*<]#*B0*@d<]`?xK\<]’xKp@?XxKhtx|8!|N ^x(@<]08aX?xH<`<<](<}B(#4*@d<]`?xK\<]’xKp@4<]XxKhtx|8!|N htx|8!|N |!|xthH<^a`8BB<Ad8a`4H;(|}xA<^L8xK?8a@xH;рH8aPxH;\<^$"AT8@]xxhtx|8!|N xhtx|8!|N 8@]xxhtx|8!|N |!A\aXTPL|~xH<]<}cD?K?K?K|{xD<]@8BB<AD8a@H?H:]|excxxK<]?<tb`ܢ\EK|ex?]cxxK<]b4?KTb>~dܢ\(@<]<@<"K|excxxK<]B<}< \cxKcxLPTaXA\8!`|N <]<<"K|excxxKK|!LHH<^<~c?K,?K8H8u<^}8@A@<@AD@A$ @DKHL8!P|N |!aLHD@HCH|}x|(@A8|+x<~?~|CxK;`HxKxexKÀ}H(A$<^<^8KTb>(A\<^<~<c|?KK|exxxK@DHaL8!P|N <^쀽HxK@DHaL8!P|N |!LHD|+xH<]a88B܀B<A<8a8H7A(||xATx<]<<Ť8LK|exxxKxDHL8!P|N xDHL8!P|N |!88HH68!@|N |!LHD|~xH<]Ѐ~H?K88\B<A<8a8H6EDHL8!P|N |!aLHD@|+x|}xH<\88BtB<A<8a80?|H5<\lb(?xK|ex8ܓxdxK@DHaL8!P|N |!LHDH;xH2]||xxxH2mH2 |}xxH2<^0xKDHL8!P|N |!(@<]<}hc?K|{x<]<}<ldE`xK|exxxK|excxDxK<@DaHAL8!P|N <@DaHAL8!P|N c\N |!LHD|+xH<]a88BB<A<8a80H1(||xATx<]<<,ş|8K|exxxKxDHL8!P|N xDHL8!P|N |!|+x988\H18!@|N |!LHD|~xH<]H~\?K88\B<A<8a8#xDx~x~xK<^b?^K=d;AxK|yx tCxxH!ՀAxa|A(a,04x|!A8<@#xxx~xKK??~ [t=`8axH!aAaA(a,04;!A8<@:#xDx~x~xK<^<~c?K=h;K|zx txxH ɃAa(A,a04!A8<@Cxxx~xK̃Ѓԃa؃A܃!8!|N |!!\AXaTPLH|+x|}xH<\@8B؀B<AD8a@?|H?\z?<xK|ex8}xdxK<\z?<xK|ex8}xdxK<\z?<xK|ex8}xdxK<\z?<xK|ex8~xdxK<\z?\xK|ex8~xdxK<\?|[?<xK|ex8~(xDxK<\[?<xK|ex8~8xDxK<\[?<xK|ex8~HxDxK<\{?\xK|ex8~XxdxK<\?||[x?<xK8~hxDxK<\t{x?xK8~xxdxKHLPaTAX!\8!`|N |!2(|~xA,(AP<]"g<]<}{ 8xKxLPTaXA\8!`|N xLPTaXA\8!`|N |!|+x88D|;xH98!@|N |!|+x988HH 8!@|N |!88HHa8!@|N |!P!Aax!p}>Kx|}xHܐؐԐ?|?\wz}?<K{?<K|0?xK}l?K|0?<xK}h?Kz?<xK|wxv9}`8a@xHŀA@aDHLA$a(,08aP@DH!L;~x%x xH}wz}!T?<K}\<\x("d((`zd<\`d $;"`d?Kh8ahY?AlwAԀ܀؀АA$,( ԁ܀؀xH wz}K{K!pxaA!8!|N |!`!Aa|xph|~xH<]u?KudK(A8<]zxKTb>(A?z?}xK{K|vxsȀ{{?K|{x{8w?xK|ux{:xK|fxcx$x~xKs?}K|zxy$b~óxKd!`w|?P?}T?=!X?\APaTX\A a$(,PTX\Cx pKy ~óxK{4y{~ųxK|exzxKhpx|aA!8!|N hpx|aA!8!|N |!A\aXTPL|~xH<]<}qcx?Kr@?Kp?K|{xr<]@8BB<AD8a@r?]H |excxxKx?xexKxxKLPTaXA\8!`|N |!!\AXaTPLH|~xH<]<}p$cw?Kq\?Kp?K|{xq<]@8BB<AD8a@qH|excxxK^1(AP<]wxK(A8<]<}<wpE`xK|excxxK<]<p~H8hK(A?<]p~H;BhExK|yx<]pwcxExK|ex#xxKTb>(@<<]"^<]<}wqP8xK<]wxexKcxHLPaTAX!\8!`|N |!A\aXTPL|~xH?o~D?}Ko~H;{~Ko~@?Ko~<;A@Ko~8Ko~4K@[ADnCxHLPTaXA\8!`|N |!aLHD@|~xH<]88B~0B<A<8a8u H(||xA<]nX~H;`HKxexK?o$~D;`DKxexKÀo$~4;`4KxexKÀo$~8;`8KxexKÀo$~<;`?(\)??zG?%?}?^YYBBBHHA@A?J?*?r?f?>>x?? C0>L>33= >>?@´B?ZH>># >>>AA@>?{?l?s>?= ? =q>B =?'>l>?~?d?Y?z?T?C?8?$?G?>?j?b?]?N>>>>?x>?i><>(? >>>? >?K>>h?y?v?S?dZ1A  4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4a(     P p   K@  @`$$  0P0P0Pp" "   P p $ $/ // 0 0 0 000P0g0p!0!44 4! 404P4p4566 6@6`6::;;0;P;pA@A`AAAA[6G+ H HUJ" J0O0OP'O!OO'P!P0PP)P PP)Q R Sx WWW WXX0XPXdXXX]]$]@]`]]]]G?     ,` H X 0      + > J _( m             0'D H  ` |      7nQp?b+:Ro{J  ?.Y9>R}>.EZ`Yf>IT?!,@TFg08>JRqY'P<@h;F^EZF < Y2&l.F<,EF4FBFT  `4S5Gh !! 1!M!c!t!!!!""9"a-x"k""""#.#?#JN #h#y###$$5$W$$$S$%%:%m86%%%%%& &*&6&D&M&Z&{&&&&&'1f''R'j''-<''''( (2(B(Z(n((((()F)J)U)e))))8)))***'/N*>*R*f*o*******+S00011!1(1:1F1S1111S<1222'20 2F2M2]2g42x332267<|7707G7d77777+8):P888F8V8p888;Fv< Y>>%>0>M>Y>>?F?~ABBLB[BjBsBBBBBBCCC4CWCdCmD#DODDDDDEFGGGGGHH>HLHfB'HI0I<IXIjItIIJKAKUKLLYxL"L1L<LRL`LMMM1MJM_MMMN+N@NMNVNeN|QHQcQQR5RCRRRRRRRSSTT T4TB[T[TnTVTTTTTUU%U8ZUIU]UpUUUUZXXZ:XZFZT[Z$ZYY YPYaYYYYYZZ\DZZZ [ g p+.ULGuF'T[ +8+&+7+J+i2-4+=???C}EFJK^LlSS#S)Q HH Q pH 8!\IPhUPUP d'-6\J(:D0X-m\J:uDlz`G '%CL\JHlX\x++h-\C2|83h4pxl5tU6P8U+J\H:2h-;Ph;:<D 2 @ChD([6C}4HEXl;plXEG FL%HH`H-HdH<HD0HUI PPx2JJdKtKxKUKPUKPH8KLxLhLLLMLl(NNK^|O*[6Q!0@Q<(QQLTQX-S2`SU:SDUUp8V8 Y d'[6[FL4[2Q 02Q p02!02U02U02 02-602:02-m02:u02lz02G '02CL020(2++0<2C20P240d2U602U+J0x2-;P02:<02202C02[6C}02l;p02G F02HH02-H02<H02UI 022JJ02KtK02UK02UK02KL02LL02MLl02NK^02[6Q!0H2QQ02-S202:S02UU02 Y 02[6[F0  $2F         \    2F     `  <    H&!` 385x30 ' 3L*$  -hQRHbQ@Q8 1h 2 4 96H +97\  59 ":Y9=9L,9<9QC ELTF\TQfd9 P, SI@V(,G<9GTQI`SJ,TQJLGhGxKPx5KH Jh Q MRD;=L =@KTGhGxTx5T;=YHY2=@] S`M^l38Rh TGhGx`x5` ``h k0<,lhf$=@` =@c GhGxnx5nGxn`r85(rRs8~38n|5N,tx5dvPTQnM*>38,3L****$*5)30*o3L)38&38"T" ""k "-x 4'\-< ,;d+ \ 9* * D*' /N ,*R +*3L+38!5D! 90%9$59!9X!9P"38h"99$,Y$,Yl&p,m30#y#L#9 $,$W,$,$,%,%:96,%ʸ,%d&9& '3L%m30~@'38}&ZN},%9} %|(29|'38|4(n {(B30z#38z(Z(y|Jy$(,)e,h),<9xTTQ330(23 H2p2x  9038P0383?P1F3L3V5V(,23it1S9192g5\430TTQ0 2g5430`L5(~385N,L5d55530GhGxx5TTQSV(,<9TTQ030<8838083L(8F388V3L:P3877 6, $,\#9 p$,%,! 9$,X$W,%:9 95h8p3L8)  630 738 99 P7,7=@ V(,#<9T(TQ) :D7G3L+HF38+<703L+4<^38+(Y,(%,TQ+P ;=;Fv 4<,=<h 5(,GhGx-,x5-$RI> I0?bIX: I I> I J  J8?.?J` ?J 3LGx38Gl 9JTKTQM8 GC,UCQS0C RD  RC,WCmS8D#EJ[lDOE\D]Y2=@X7G3L_XF38_L703L_D<^38_8Y`8%`TQ_` =@orTFv h<,sh i,4N@N¸N+N NM9ȜNe9V(,TQ8 :h \Q Ҁ 9ҨQМTTQѼRR 4 90SD9ؤS@TTTQ<<9S38 13L =@h T ߈T ߀T xV pT hUV `T4NXTV PTNHU]3L@Tn384UI3L,T[38 Z3L[38 U83LTB38 9dUp<U݀UUULV38DV(,T@TQߐZlX (XZ: hXZF Z3L,[38<lZT ([3LZ$38hZ3LY38Z$38ZT Z3LY38YLZ Z|\D ZF Z: [38X <[3LZ3L ZdXXY2=@Z9<9Y 9h  9Z[TTTQxhxxxy(yXyyyzzHzxzz{{8{h{{{|(\x|X|||}}H}x}}~~8~h~~~(XHxK@K@K@K@K@K@K@K@K@K@K@ K@0K@@K@PK@`K@pK@K@K@K@K@K@K@K@K@K@K@ K@0K@@K@PK@`K@pK@K@K@K@K@K@K@K@K@K@K@ K@0K@@K@PK@`K@pK@K@K@K@5@RbDt+H+LNP2TNX5Nh*R[^T*>NX+NY)NZ&N[+J\/N+`*'+d*+h*+l"+p"k+t-x+x)2|+V-<3$,N42\32`22d33$t2x3$x5Nh42l8FNP88NQ:PNR2T7JXFN\<^N];;`>+:+>Q  Q ?NE4N0FN`<^Na;;dHN\;;\J\JbJnJb*fJ )JNxQQHRQ\ T[^PT[^TT[^XV[^\T[^`T4VdTVhTnNlT[Nm[NnTBNo Z$N0YN1[N2ZT[^4ZF[^8Z:[^<X[^@Z[iD\D+HTo@+-$-<-Q-x-"k-".&.]).).*.*.*'/'/N/X+/*>/*R/2x33333457:8:P:e8F:88::<^;F;@ @+ @l>@:@>@<^;F;*fJJ\JJnKQQRSZ TBVJ[[T[VgTnVTVT4VTVVWTW1TWNTWs X[[[Z:[ZF\#\D\WZ\Y\ZT\Z$\        H `    l9N\l9Vhl9gl9oDl9Xl9Tl9838ll9`l96CCRl9Tl9jl9,KCl9NNNNDl9l9=L =[4=BT=Ut=?=+&= g)=?>c>CF^QFLB'38O4 B4OhB[9RTB Q79Q`Qc ӼRP38ՄRd380Rw38R38Ԉ'384H>38`@` @`@`@`@`@` @`$@`(@`,@`0@`4@`8@`<@`@@`D@`H@`L@`P@`T@`X@`\@``@`d@`h@`l@`p@`t@`x@`|@`@` @`@`@`@`@`@a@a@a @a0@a@@aP@a`@ap@a@a@a@a@a@a@a@a@b@b@b @b0@b@@bP@b`@bp@b@b@b@b@b@b@b@b@c@c@c @c0@c@@cP@c`@cp@c@c@c@c@c@c@c@c@d@d@d @d0@d@@dP@d`@dp@d@d@d@d@d@d@d@d@e@e@e @e0@e@@eP@e`@ep@e@e@e@e@e@e@e@e@f@f@f @f0@f@@fP@f`@fp@f@f@f@f@f@f@f@f@g@g@g @g0@g@@gP@g`@gp@g@g@g@g@g@g@g@g@h@h@h @h0@h@@hP@h`@hp@h@h@p@p@p@p @p@p@p@p@p @p$@p(@p,@p0@p4@p8@p<@p@@pD@pH@pL@pP@pT@pX@p\@p`@pd@ph@pl@pp@pt@px@p|@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@q@q@q@q @q@q@q@q@q @q$@q(@q,@q0@q4@q8@q<@q@@qD@qH@qL@qP@qT@qX@q\@q`@qd@qh@ql@qp@qt@qx@q|@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@r@r@r@r @r@r@r@r@r @r$@r(@r,@r0@r4@r8@r<@r@@rD@rH@rL@rP@rT@rX@r\@r`@rd@rh@rl@rp@rt@rx@r|@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@s@s@s@s @s@s@s@s@s @s$@s(@s,@s0@s4@s8@s<@s@@sD@sH@sL@sP@sT@sX@s\@s`@sd@sh@sl@sp@st@sx@s|@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@t@t@t@t @t@t@t@t@t @t$@t(@t,@t0@t4@t8@t<@t@@tD@tH@tL@tP@tT@tX@t\@t`@td@th@tl@tp@tt@tx@t|@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@u@u@u@u @u@u@u@u@u @u$@u(@u,@u0@u4@u8@u<@u@@uD@uH@uL@uP@uT@uX@u\@u`@ud@uh@ul@up@ut@ux@u|@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@v@v@v@v @v@v@v@v@v @v$@v(@v,@v0@v4@v8@v<@v@@vD@vH@vL@vP@vT@vX@v\@v`@vd@vh@vl@vp@vt@vx@v|@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@w@w@w@w @w@w@w@w@w @w$@w(@w,@w0@w4@w8@w<@w@@wD@wH@wL@wP@wT@wX@w\@w`@wd@wh@wl@wp@wt@wx@w|@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@x@x@x@x @x@x@x@x@x @x$@x(@x,@x0@x4@x8@x<@x@@xD@xH@xL@xP@xT@xX@x\@x`@xd@xh@xl@xp@x@x@x@x@x@x@x@x@x@x@x@x@x@x@x@x@y@y@y @y(@y,@y0@yD@yP@yX@y\@y`@yt@y@y@y@y@y@y@y@y@y@y@y@y@y@z@z@z@z @z4@z@@zH@zL@zP@zp@zx@z|@z@z@z@z@z@z@z@z@z@z@z@z@{@{@{ @{@{ @{$@{0@{4@{8@{<@{@@{P@{T@{`@{d@{h@{l@{p@{@{@{@{@{@{@{@{@{@{@{@{@{@{@{@{@{@{@|@|@|@| @|$@|(@|,@|0@|D@|P@|X@|\@|`@|p@|t@|@|@|@|@|@|@|@|@|@|@|@|@|@|@|@|@}@}@}@}@}@}@} @}4@}@@}H@}L@}P@}`@}d@}p@}x@}|@}@}@}@}@}@}@}@}@}@}@}@}@}@~@~@~ @~@~ @~$@~4@~8@~<@~@@~T@~`@~h@~l@~p@~@~@~@~@~@~@~@~@~@~@~@~@~@@@ @(@,@0@D@P@X@\@`@p@t@@@@@@@@@@@@@@@@@@@@@@@ @4@@@H@L@P@`@d@p@t@x@|@@@@@@@@@@@@@@@ @@8@<@@@h@l@p@@@@@@@@@@(@,@0@D@X@\@`@@@@@@@@@@@@@@ @H@L@P@d@x@|@@@@@@@@@@@@ @@8@<@@@T@h@l@p@@@@@@@@@@@@(@,@0@X@\@`@@@@@@@@@@@@@ @4@H@L@P@x@|@@@@@@@@@@ @@8@<@@@h@l@p@@@@@@@@@@@@@(@,@0@X@\@`@@@@@@@@@@@@ @P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@$@(@,@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@ @$@(@,@0@4@8@<@@@D@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@8@<@@@D@H@L@X@\@`@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@ @$@(@,@0@4@8@<@@@D@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@H@L@P@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@ @@,@<@L@\@l@|@@@@@@@@@ @@,@<@L@\@l@|@@@@@@@@@ @@,@<@L@\@l@|@@@@@@@@@@@@@@ @@@(@,@8@<@H@L@X@\@h@l@x@|@@@@@@@@@@@@@@@@@@ @@@(@,@8@<@H@L@X@\@h@l@x@|@@@@@@@@@@@@@@@@@@ @@@(@,@8@<@H@L@X@\@h@l@x@|@@@@@@@@@@@@@@@@@@@@@@ @(@,@4@8@@@D@L@P@\@`@l@p@x@|@@@@@@@@@@@@@@@@@@@@@@@@ @@@ @$@,@0@<@@@H@L@T@X@`@d@l@p@|@@@@@@@@@@@@@@@@@@@@@@ @@@@$@(@0@4@<@@@L@P@\@`@h@l@t@x@@@@@@@@@@@@@@@@@@@@ @@@ @$@,@0@8@<@D@H@P@T@\@`@h@l@t@x@@@@@@@@@@@@@@@@@@@@@@@@ @@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@ @$@(@,@0@4@8@<@@@D@P@T@X@\@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@X@d@p@|@@@@@@@@@@@@@@ @@@ @$@0@4@8@D@H@L@X@\@`@l@p@t@@@@@@@@@@@@@@@@@@@@@@@@@@@@$@(@,@0@4@8@<@@@D@P@T@X@\@`@d@x@|@@@@@@@@@@@@@@@@@(@,@0@<@@@D@H@L@P@\@`@d@h@l@p@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@cdcdcf KYn. d4$ $N.\dU$\$$N$.d$$$N$.d$$$N$.d$$8N8.d$$$N$.$e $$e/$$N$dcdeldef KYn.He$H$N.f$$$N$.<fG$<$$N$.`fg$`$$N$.f$$8N8.f$$$N$.f$$$N$dcdfdgf KYn.g~$$LNL.Pg$P$N.g$$N.g$$lNl.Lh$L$N. h@$ $N.hi$$N.h$$N.h$$N.h$$N.8i$8$N.@iQ$@$N.Hi$H$8N8.i$$0N0.j$$N.xj5$x$pNp.j^$$ N .j$$pNp.dj$d$N.j$$PNP.`k$`$0N0.k($$(N(.kF$$0N0.ku$$ N .'k$'$4N4.*$k$*$$DND.-hk$-h$N.1hl($1h$hNh.2lP$2$N.4l$4$N.6Hl$6H$N.7\l$7\$N.9 m $9 $N.:m5$:$N.=mm$=$N.Cm$C$XNX.ELm$EL$N.F\m$F\n$(N(n\ n& hn& hdcdndnf KYn.Go:$G$XNX.Go`$G$dNd.I@o$I@$ N .I`o$I`o˄$Ndcdp dpf KYn.J,p$J,$ N dcdpdpf KYn.JLq5$JLqX$Ndcdqdqf KYn.Jr.$J$XNX.KHrW$KH$N.KPr~$KP$N.KTr$KT$|N|.Lr$L$N.N\s$N\$N.Q s<$Q $8N8.RDsg$RDs$Ns& hs& ht& ht& ht& ht(& ht6& htC& hdcdtQdtmf KYn.Rt$R$xNx.S`u$S`$PNP.Tu?$T$N.Tuh$T$N.Tu$T$N.Vhu$Vh$N.YHu$YH$@N@.]v#$]$N.^lv^$^l$Nv& hv& hv& hv& hv& hv& hv& hdcdvdwf KYn.``w$``$XNX.`w$`$N.`w$`$N.`x!$`$N.cx\$c$N.f$x$f$$N.gx$g$8N8.k0x$k0$8N8.lhy&$lhyZ$Ny& hy& hy& hy& hy& hy& hy& hy& hz& hz& hdcdz#dz=f KYn.n|z$n|$N.nz$n$N.n{$n$N.n{?$n$N.n{j$n$N.oD{$oD$N.r8{$r8$N.r{$r$pNp.s8|*$s8$@N@.tx|V$tx$N.vP|{$vP|$xNx|& h}& i}& i}#& i}8& i }H& i}X& idcd}id}wf KYn.x}$x$\N\.y$~$y$$XNX.y|~$y|$N.z~B$z$\N\.z~o$z$N.{~${$N.|4~$|4$N.|~$|$`N`.} $} $ N .},0$},$\N\.}Q$}$N.~@v$~@$N.$$N.$$xNx.$$dNd.d.$d$N.Y$$N.$$N.$$HNH.$$N.p"$p$N.XE$X$pNp.$$hNh.0$0$N.$$8N8. $$N.%$$N.,:$,$N.S$$N.Dl$D$N.$$N.\$\$N.d$d$0N0.$$ N . $$ N ./$$N.U$$N.~$$N.$$N.$$ N .$$N.X $X$<N<.&$$0N0.C$$0N0.`$$0N0.$|$$$0N0.T$T$0N0.$$(N(.$$0N0.6$$(N(.f$$0N0.4$4$(N(.\$\$0N0.$$(N(.$$N./$$N.DP$D$lNl.p$$N.P$P$N.h$h$HNH.$$HNH.=$$tNt.l`$l$tNt.$$lNl.L$L$@N@.$$HNH.$$N.R$$N.$$N.$$N.ʸ $ʸ$ N .:$$ N .|Y$|$N.w$$N.$$hNh.h$h$N.$$N.$'$Nh& hu& i& i& i & i$& i(& i,dcddf KYn.^$$DND.\~$\$|N|.$$N.$$N.($($N.0$0$$N$.T6$T$N.U$$0N0.Hw$H$(N(.p$p$0N0.$$(N(.$$N.P$P$N.$$N.PC$P$N.d$$N.$$0N0.$$N.t$t$PNP.$$ N & i0& i4-& i8@& i<dcdRdif KYn.$$N.$$N.,$$N.V$$N.$$N.$$N.$$N.$$N.%$$lNl.LH$L$N.$$pNp.L$L$HNH.$$ N .$$N,& i@9& iDF& iHV& iLf& iPdcdwdf KYn.T$T$XNX.'$$dNd.H$$ N .0f$0$Ndcddf KYn.$$N. <$ $lNl. Pu$ P$N. $ $N. $ $N. $ $N.h$h$N.lG$l$(N(.m$$N.X$X$N.$$N.3$$N.h$$N.\$\$N. $ $N.?$$N.h$$0N0.$$ N .$$N.$$ N .($($N.0;$0$ N .<]$<$N.D$D$N.`$`$N.p$p$HNH.$$4N4.b$$N.$$N.$$N.#$#$N.($($8N8.)"$)H$dNd& iT& iX& i\& i`& id& ih& il& ip& it& ix(& i|;& idcdHd[f KYn.+($+($ N .+4$+4$N.+< $+<$ N .+HF$+H$N.+Pp$+P$N.,($,($|N|.,$,$Ndcddf KYn.-$Z$-$$N.-,~$-,$N.-0$-0$4N4.-d$-d$N.4x $4x$XNX.4+$4$XNX.5(N$5($XNX.6v$6$N.;$;$ N .=<$=<$N.>,$>,$tNt'& i5& iH& iX& ip& i& i& i& i& i& i& i& i& i& i& i)& i4& idcd?dUf KYn.?$?+$<N<dcdpdf KYn.C$C$pNp.FL5$FLe$ N dcddf KYn.Gl>$Gl$ N .Gxp$Gx$N.G$G$N.I$I$0N0.I0$I0$(N(.IX8$IX$0N0.Iq$I$(N(.I$I$0N0.I$I$(N(.J $J$0N0.J8:$J8$(N(.J`f$J`$<N<.J$J$PNP.J$J$N.K$K$N.M8$M8K$Ndcddf KYn.O4T$O4$4N4.Ohz$Oh$Ndcddf KYn.Q45$Q4$,N,.Q`C$Q`$dNd.Qi$Q$N.RT$RT$4N4dcddf KYn.RC$R$8N8.Rg$R$$N$.R$R$LNL.S0$S0$N.S8$S8$\N\.T'$T$N.UL$U$hNh.W$W$N& i& i& idcd#d@f KYn.X$X$N.[l$[l$0N0.\C$\$8N8.]$]$dNddcddf KYn._8Z$_8$ N ._D$_D$N._L$_L$ N ._X$_X$N._`$_`$N.`88$`8$|N|.`W$`$Ndcd{df KYn.a4$a4$N.a<<$a<$N.a@i$a@$4N4.at$at$N.h|$h|$XNX.h $h$XNX.i,3$i,$XNX.j`$j$$N$.o$o$N.rT$rT$@N@.s$s$$N$.t"$t$N.xDQ$xD$tNt& i& i& i& i& i& i& i& i& i,& i?& iS& jb& jp& j& j & j& j& jdcddf KYn.y)$y$N.TC$T$Ndcdcdxf KYn.@$@$N.$$|N|..$$NdcdOdhf KYn.$$N.$$xNx.,H$,$Nm& j{& j & j$& j(& j,& j0& j4& j8& j<& j@dcddf KYn.$$Ndcddf KYn.C$$N.e$$N.$$N.T$T$pNp.$$N.$$N.$$N.8$$N.Z$$N.~$$0N0. $ $0N0.P$P$0N0dcddf KYn.y$$8N8.$Մ$Ndcdd.f KYn.t$t$N.L$L$dNd.$$ N .$$Ndcd(d>f KYn.$$N.t$t$dNd.$$ N .$$Ndcd=dPf KYn.$$pNpdcdDd\f KYn.4$4$N.$$pNp.-$$N.pa$p$N.$$dNd.`$`$N.H$H$8N8& jD&& jH5& jLI& jP\& jTj& jX& j\& j`& jddcddf KYn.\$$dNd.$$`N`.D$D$`N`.$$N.¸$¸$TNT. +$ $N.ȜY$Ȝ$@N@.{$$@N@.$$N.8$8$$N$& jh& jl& jp& jt,& jx5& j|A& jK& j_& jj& js& j& j& j& j& jdcddf KYn.\T$\$N.‚$«$N& jdcddf KYn.МÆ$М$ N .Ѽì$Ѽ$N.Ҁ$Ҁ$(N(.Ҩ$Ҩ$tNt.$$Ndcd)d@f KYn.Ӽķ$Ӽ݄$xNxdcdd f KYn.4ł$4$TNT.Ԉū$Ԉ$TNT.$$TNT.0$0$TNT.Մ+$ՄW$TNTdcdƁdƕf KYn. $$hNh.@+$@$N.4R$4$N.<q$<$N.Ǖ$$0N0.0Ǹ$0$tNt.ؤ$ؤ$N.T$T$Ndcd!d9f KYn.ȱ$$N.$$N. $ $N./$$0N0dcdXdhf KYn.D$D$N.L$L$N.$$N.9$$N.݀^$݀$N.<ʂ$<$N.ʩ$$ N .$$N. $ $ N .$$N. '$ $ N .,H$,$N.4m$4$ N .@ˋ$@$N.H˭$H$N.P$P$N.X$X$N.`$`$N.h7$h$N.pZ$p$N.xz$x$N.߀̕$߀$N.߈̶$߈$N.ߐ$ߐ$N.d$d$N.$$$N$.@-$@$hNhdcdOdcf KYn.$$DND.$$|N|.h$h$DND.<$$|N|.(c$($DND.l΄$l$|N|.Ω$$DND.,$,$|N|.$$DND.$$|N|.h9$h$DND.Z$$|N|.($($DND.lϟ$l$|N|dcddf KYn.S$$ N .y$$N.Ф$$N.d$d$N. $ $N.$$4N4.I$$N.r$$N.і$$ N .ѻ$$N.$$N.$$N.'$$ N .J$$N.q$$N.Җ$$ N .ҽ$$TNT.L$L$0N0.| $|$0N0.9$$(N(.e$$4N4.Ӝ$$N.$$N.$$N.$$N.T3$T$PNP.Z$$NdcdԄdԠf KYn.$$tNtd 4- dE lX y\0$SHs<`%GnPL  2\8@PHx'S~d`>r'*$-h1h2[46H7\9 :6=ZCELF\G G %I@ EI` mJ, JL J KH KP 'KT ]L N\ Q RD R GS` rT T T Vh YH V] ^l `` ` $` T` c f$ g)k0Ylhn|nnn@njoDr8rs8,txQvPxy$y|z z4{V|4{|} },}~@;jd*WpX#T0, D":\[dInX$6Tm94j\D5Pphl!BLm-|ʸ|8Yh\ 0W(z0THp<XPP0tMr  D h   L!!DL!f!!T!""!0"G"k " P" " #, #Mh#vl##X$&$b$$\%3 %n%%%& &C(&j0&<&D&`&p'G'''(#()((Q)(w+((+4(+<(+H)+P)<,()V,)u-$)-,)-0)-d*$4x*F4*i5(*6*;*=<+>,+B?+C+FL, Gl,=Gx,sG,I,I0-IX->I-sI-I-J.J8.3J`.hJ.J.K.M8/O4/>Oh/oQ`/Q/RT/R0R0+R0eS00S80T0U1W1RX1[l1\2+]2__82_D2_L2_X3_`3=`83\`3a43a<3a@4 at4Qh|4xh4i,4j4o5-rT5^s5t5xD5y6 T6+@6P6l666,77E7g77T7888:8\88 8P899Ct9fL9999t: :+:Q:4::;!p;R;v`;H;;<-DҨ>7>YӼ>4>Ԉ>>0?(Մ?T?v@?4?<?@0@ ؤ@FT@l@@ @ADA.LAMAtA݀A<ABB$ BABb B,B4B@BHC PC0XCO`CrhCpCxC߀C߈DߐD4dDMDh@DDDhDE(E7lE\E},EEEhF F2(FRlFvFFFdG GAGlGGGHH*HJHmHHHILI,|I\IIIJ J5JVTJ}JJ hJ hJ hK hK hK" hK1 hK> hKK hKX hKf hKs hK hK hK hK hK hK hK hK hK hL hL  hL hL$ hL4 hLA hLM hL] hLj hLw iL iL iL i L iL iL iL iL i M  i$M i(M0 i,MB i0MS i4Md i8Mw i<M i@M iDM iHM iLM iPM iTM iXM i\M i`N idN% ihN7 ilNH ipNX itNb ixNr i|N iN iN iN iN iN iN iO iO iO' iO: iOM iOa iOp iO~ iO iO iO iO iO iO iO iO iO iP iP iP3 iPC iPT iPf iPy iP iP jP jP jP j P jP jP jP jQ j Q j$Q% j(Q2 j,QD j0QO j4QZ j8Qe j<Qp j@Q~ jDQ jHQ jLQ jPQ jTQ jXQ j\R j`R/ jdR; jhRM jlR^ jpRm jtR{ jxR j|R jR jR jR jR jR jR jR jR jS  jSSCSkSSST T4~hTXxT~T{T{T{U|(U6|U]}U}HUHUUVyXV1y(VTxVy|XV~V{VxWW.{8WP{hWv(W~W~WWxhX%xXMyXryXyXzXzHYzxYE~8YnXYzYzY|Z |Z7Zc}xZ}Z}Z`[Q4[[9 [] [|[[ [[ \ \! \: \T \r\ \ \ \ ] ]]9]d]]]] ^ ^% ^? ^] ^y ^ ^ ^^ _ _$ _A _^ _ _ _ _ ` ` `7`U`n ` ` ````aaa4aSa\ acav a a aaaaab  b b0 bG bf bbbbbbbbbbcc'c:cScgcy` fP` fP` fP` fP` fP` fPa fPa fPa( fPa8 fPaH fPaX fPah fPax fPa fPa fPa fPa fPa fPa fPa fPa fPb fPb fPb( fPb8 fPbH fPbX fPbh fPbx fPb fPb fPb fPb fPb fPb fPb fPb fPc fPc fPc( fPc8 fPcH fPcX fPch fPcx fPc fPc fPc fPc fPc fPc fPc fPc fPd fPd fPd( fPd8 fPdH fPdX fPdh fPdx fPd fPd fPd fPd fPd fPd fPd fPd fPe fPe fPe( fPe8 fPeH fPeX fPeh fPex fPe fPe fPe fPe fPe fPe fPe fPe fPf fPf fPf( fPf8 fPfH fPfX fPfh fPfx fPf fPf fPf fPf fPf fPf fPf fPf fPg fPg fPg( fPg8 fPgH fPgX fPgh fPgx fPg fPg fPg fPg fPg fPg fPg fPg fPh fPh fPh( fPh8 fPhH fPhX fPhh fPhx fP N O P Q R S T U W X [ \ ] ^ _ ` a g h i j k l m n o p q r s t U g O N Q P ] m \ a [ _ k h j i ` ^ R T S t q X W n r o s p l d Y Z e b V c                       H 6 ~@                                                          ! " # $ % & ' ( ) * + , - . / 0 1 2 3 4 5 6 7 8 9 : ; < = > ? @ A B C D E F G H I J K L M N O P Q R S T U V W X Y Z [ \ ] ^ _ ` a b c d e f g h i j k l m n o p q r s t __mh_dylib_headerdyld_stub_binding_helpercfm_stub_binding_helper__dyld_func_lookup-[BWToolbarShowColorsItem image]-[BWToolbarShowColorsItem itemIdentifier]-[BWToolbarShowColorsItem label]-[BWToolbarShowColorsItem paletteLabel]-[BWToolbarShowColorsItem target]-[BWToolbarShowColorsItem action]-[BWToolbarShowColorsItem toolTip]-[BWToolbarShowFontsItem image]-[BWToolbarShowFontsItem itemIdentifier]-[BWToolbarShowFontsItem label]-[BWToolbarShowFontsItem paletteLabel]-[BWToolbarShowFontsItem target]-[BWToolbarShowFontsItem action]-[BWToolbarShowFontsItem toolTip]-[BWSelectableToolbar documentToolbar]-[BWSelectableToolbar editableToolbar]-[BWSelectableToolbar awakeFromNib]-[BWSelectableToolbar selectFirstItem]-[BWSelectableToolbar selectInitialItem]-[BWSelectableToolbar toggleActiveView:]-[BWSelectableToolbar identifierAtIndex:]-[BWSelectableToolbar setEnabled:forIdentifier:]-[BWSelectableToolbar validateToolbarItem:]-[BWSelectableToolbar enabledByIdentifier]-[BWSelectableToolbar toolbarDefaultItemIdentifiers:]-[BWSelectableToolbar toolbarAllowedItemIdentifiers:]-[BWSelectableToolbar toolbar:itemForItemIdentifier:willBeInsertedIntoToolbar:]-[BWSelectableToolbar toolbarSelectableItemIdentifiers:]-[BWSelectableToolbar selectedIndex]-[BWSelectableToolbar setSelectedIndex:]-[BWSelectableToolbar isPreferencesToolbar]-[BWSelectableToolbar setDocumentToolbar:]-[BWSelectableToolbar setEditableToolbar:]-[BWSelectableToolbar initWithCoder:]-[BWSelectableToolbar setHelper:]-[BWSelectableToolbar helper]-[BWSelectableToolbar setEnabledByIdentifier:]-[BWSelectableToolbar switchToItemAtIndex:animate:]-[BWSelectableToolbar labels]-[BWSelectableToolbar setIsPreferencesToolbar:]-[BWSelectableToolbar selectableItemIdentifiers]-[BWSelectableToolbar windowDidResize:]-[BWSelectableToolbar setSelectedItemIdentifierWithoutAnimation:]-[BWSelectableToolbar setSelectedItemIdentifier:]-[BWSelectableToolbar dealloc]-[BWSelectableToolbar setItemSelectors]-[BWSelectableToolbar selectItemAtIndex:]-[BWSelectableToolbar toolbarIndexFromSelectableIndex:]-[BWSelectableToolbar initialSetup]-[BWSelectableToolbar initWithIdentifier:]-[BWSelectableToolbar _defaultItemIdentifiers]-[BWSelectableToolbar encodeWithCoder:]-[BWAddRegularBottomBar awakeFromNib]-[BWAddRegularBottomBar drawRect:]-[BWAddRegularBottomBar bounds]-[BWAddRegularBottomBar initWithCoder:]-[BWRemoveBottomBar bounds]-[BWInsetTextField initWithCoder:]-[BWTransparentButtonCell interiorColor]-[BWTransparentButtonCell controlSize]-[BWTransparentButtonCell setControlSize:]-[BWTransparentButtonCell drawBezelWithFrame:inView:]-[BWTransparentButtonCell drawImage:withFrame:inView:]+[BWTransparentButtonCell initialize]-[BWTransparentButtonCell _textAttributes]-[BWTransparentButtonCell drawTitle:withFrame:inView:]-[BWTransparentCheckboxCell isInTableView]-[BWTransparentCheckboxCell interiorColor]-[BWTransparentCheckboxCell controlSize]-[BWTransparentCheckboxCell setControlSize:]-[BWTransparentCheckboxCell _textAttributes]+[BWTransparentCheckboxCell initialize]-[BWTransparentCheckboxCell drawImage:withFrame:inView:]-[BWTransparentCheckboxCell drawInteriorWithFrame:inView:]-[BWTransparentCheckboxCell drawTitle:withFrame:inView:]-[BWTransparentPopUpButtonCell interiorColor]-[BWTransparentPopUpButtonCell controlSize]-[BWTransparentPopUpButtonCell setControlSize:]-[BWTransparentPopUpButtonCell drawImageWithFrame:inView:]-[BWTransparentPopUpButtonCell drawBezelWithFrame:inView:]-[BWTransparentPopUpButtonCell imageRectForBounds:]+[BWTransparentPopUpButtonCell initialize]-[BWTransparentPopUpButtonCell _textAttributes]-[BWTransparentPopUpButtonCell titleRectForBounds:]-[BWTransparentSliderCell _usesCustomTrackImage]-[BWTransparentSliderCell setTickMarkPosition:]-[BWTransparentSliderCell controlSize]-[BWTransparentSliderCell setControlSize:]-[BWTransparentSliderCell initWithCoder:]+[BWTransparentSliderCell initialize]-[BWTransparentSliderCell stopTracking:at:inView:mouseIsUp:]-[BWTransparentSliderCell startTrackingAt:inView:]-[BWTransparentSliderCell knobRectFlipped:]-[BWTransparentSliderCell drawKnob:]-[BWTransparentSliderCell drawBarInside:flipped:]-[BWSplitView awakeFromNib]-[BWSplitView setDelegate:]-[BWSplitView subviewIsCollapsible:]-[BWSplitView collapsibleSubviewIsCollapsed]-[BWSplitView collapsibleSubviewIndex]-[BWSplitView collapsibleSubview]-[BWSplitView hasCollapsibleSubview]-[BWSplitView setCollapsibleSubviewCollapsedHelper:]-[BWSplitView animationEnded]-[BWSplitView animationDuration]-[BWSplitView hasCollapsibleDivider]-[BWSplitView collapsibleDividerIndex]-[BWSplitView setCollapsibleSubviewCollapsed:]-[BWSplitView setMinSizeForCollapsibleSubview:]-[BWSplitView removeMinSizeForCollapsibleSubview]-[BWSplitView restoreAutoresizesSubviews:]-[BWSplitView splitView:shouldHideDividerAtIndex:]-[BWSplitView splitView:canCollapseSubview:]-[BWSplitView splitView:constrainSplitPosition:ofSubviewAt:]-[BWSplitView splitViewWillResizeSubviews:]-[BWSplitView subviewIsResizable:]-[BWSplitView validateAndCalculatePreferredProportionsAndSizes]-[BWSplitView clearPreferredProportionsAndSizes]-[BWSplitView splitView:resizeSubviewsWithOldSize:]-[BWSplitView setColorIsEnabled:]-[BWSplitView setColor:]-[BWSplitView color]-[BWSplitView minValues]-[BWSplitView maxValues]-[BWSplitView minUnits]-[BWSplitView maxUnits]-[BWSplitView secondaryDelegate]-[BWSplitView setSecondaryDelegate:]-[BWSplitView collapsibleSubviewCollapsed]-[BWSplitView dividerCanCollapse]-[BWSplitView setDividerCanCollapse:]-[BWSplitView collapsiblePopupSelection]-[BWSplitView setCollapsiblePopupSelection:]-[BWSplitView setCheckboxIsEnabled:]-[BWSplitView colorIsEnabled]-[BWSplitView initWithCoder:]+[BWSplitView initialize]-[BWSplitView setMinValues:]-[BWSplitView setMaxValues:]-[BWSplitView setMinUnits:]-[BWSplitView setMaxUnits:]-[BWSplitView setResizableSubviewPreferredProportion:]-[BWSplitView resizableSubviewPreferredProportion]-[BWSplitView setNonresizableSubviewPreferredSize:]-[BWSplitView nonresizableSubviewPreferredSize]-[BWSplitView setStateForLastPreferredCalculations:]-[BWSplitView stateForLastPreferredCalculations]-[BWSplitView setToggleCollapseButton:]-[BWSplitView toggleCollapseButton]-[BWSplitView dealloc]-[BWSplitView checkboxIsEnabled]-[BWSplitView setDividerStyle:]-[BWSplitView resizeAndAdjustSubviews]-[BWSplitView correctCollapsiblePreferredProportionOrSize]-[BWSplitView validatePreferredProportionsAndSizes]-[BWSplitView recalculatePreferredProportionsAndSizes]-[BWSplitView subviewMaximumSize:]-[BWSplitView subviewMinimumSize:]-[BWSplitView resizableSubviews]-[BWSplitView splitViewDidResizeSubviews:]-[BWSplitView splitView:effectiveRect:forDrawnRect:ofDividerAtIndex:]-[BWSplitView splitView:constrainMinCoordinate:ofSubviewAt:]-[BWSplitView splitView:constrainMaxCoordinate:ofSubviewAt:]-[BWSplitView splitView:shouldCollapseSubview:forDoubleClickOnDividerAtIndex:]-[BWSplitView splitView:additionalEffectiveRectOfDividerAtIndex:]-[BWSplitView mouseDown:]-[BWSplitView toggleCollapse:]-[BWSplitView adjustSubviews]-[BWSplitView subviewIsCollapsed:]-[BWSplitView drawDimpleInRect:]-[BWSplitView drawGradientDividerInRect:]-[BWSplitView drawDividerInRect:]-[BWSplitView encodeWithCoder:]-[BWTexturedSlider trackHeight]-[BWTexturedSlider setTrackHeight:]-[BWTexturedSlider setSliderToMinimum]-[BWTexturedSlider setSliderToMaximum]-[BWTexturedSlider indicatorIndex]-[BWTexturedSlider initWithCoder:]+[BWTexturedSlider initialize]-[BWTexturedSlider setMinButton:]-[BWTexturedSlider minButton]-[BWTexturedSlider setMaxButton:]-[BWTexturedSlider maxButton]-[BWTexturedSlider dealloc]-[BWTexturedSlider resignFirstResponder]-[BWTexturedSlider becomeFirstResponder]-[BWTexturedSlider scrollWheel:]-[BWTexturedSlider setEnabled:]-[BWTexturedSlider setIndicatorIndex:]-[BWTexturedSlider drawRect:]-[BWTexturedSlider hitTest:]-[BWTexturedSlider encodeWithCoder:]-[BWTexturedSliderCell controlSize]-[BWTexturedSliderCell setControlSize:]-[BWTexturedSliderCell numberOfTickMarks]-[BWTexturedSliderCell setNumberOfTickMarks:]-[BWTexturedSliderCell _usesCustomTrackImage]-[BWTexturedSliderCell trackHeight]-[BWTexturedSliderCell setTrackHeight:]-[BWTexturedSliderCell initWithCoder:]+[BWTexturedSliderCell initialize]-[BWTexturedSliderCell stopTracking:at:inView:mouseIsUp:]-[BWTexturedSliderCell startTrackingAt:inView:]-[BWTexturedSliderCell drawKnob:]-[BWTexturedSliderCell drawBarInside:flipped:]-[BWTexturedSliderCell encodeWithCoder:]-[BWAddSmallBottomBar awakeFromNib]-[BWAddSmallBottomBar drawRect:]-[BWAddSmallBottomBar bounds]-[BWAddSmallBottomBar initWithCoder:]-[BWAnchoredButtonBar awakeFromNib]-[BWAnchoredButtonBar drawResizeHandleInRect:withColor:]-[BWAnchoredButtonBar viewDidMoveToSuperview]-[BWAnchoredButtonBar isInLastSubview]-[BWAnchoredButtonBar dividerIndexNearestToHandle]-[BWAnchoredButtonBar splitView]-[BWAnchoredButtonBar setSelectedIndex:]+[BWAnchoredButtonBar wasBorderedBar]-[BWAnchoredButtonBar splitView:constrainMinCoordinate:ofSubviewAt:]-[BWAnchoredButtonBar splitView:constrainMaxCoordinate:ofSubviewAt:]-[BWAnchoredButtonBar splitView:resizeSubviewsWithOldSize:]-[BWAnchoredButtonBar splitView:canCollapseSubview:]-[BWAnchoredButtonBar splitView:constrainSplitPosition:ofSubviewAt:]-[BWAnchoredButtonBar splitView:shouldCollapseSubview:forDoubleClickOnDividerAtIndex:]-[BWAnchoredButtonBar splitView:shouldHideDividerAtIndex:]-[BWAnchoredButtonBar splitViewDelegate]-[BWAnchoredButtonBar setSplitViewDelegate:]-[BWAnchoredButtonBar handleIsRightAligned]-[BWAnchoredButtonBar setHandleIsRightAligned:]-[BWAnchoredButtonBar isResizable]-[BWAnchoredButtonBar setIsResizable:]-[BWAnchoredButtonBar isAtBottom]-[BWAnchoredButtonBar selectedIndex]-[BWAnchoredButtonBar initWithFrame:]+[BWAnchoredButtonBar initialize]-[BWAnchoredButtonBar splitView:effectiveRect:forDrawnRect:ofDividerAtIndex:]-[BWAnchoredButtonBar splitView:additionalEffectiveRectOfDividerAtIndex:]-[BWAnchoredButtonBar dealloc]-[BWAnchoredButtonBar setIsAtBottom:]-[BWAnchoredButtonBar drawLastButtonInsetInRect:]-[BWAnchoredButtonBar drawRect:]-[BWAnchoredButtonBar encodeWithCoder:]-[BWAnchoredButtonBar initWithCoder:]-[BWAnchoredButton isAtRightEdgeOfBar]-[BWAnchoredButton setIsAtRightEdgeOfBar:]-[BWAnchoredButton isAtLeftEdgeOfBar]-[BWAnchoredButton setIsAtLeftEdgeOfBar:]-[BWAnchoredButton initWithCoder:]-[BWAnchoredButton frame]-[BWAnchoredButton mouseDown:]-[BWAnchoredButtonCell controlSize]-[BWAnchoredButtonCell setControlSize:]-[BWAnchoredButtonCell highlightRectForBounds:]-[BWAnchoredButtonCell drawBezelWithFrame:inView:]-[BWAnchoredButtonCell textColor]-[BWAnchoredButtonCell imageColor]-[BWAnchoredButtonCell _textAttributes]+[BWAnchoredButtonCell initialize]-[BWAnchoredButtonCell drawImage:withFrame:inView:]-[BWAnchoredButtonCell titleRectForBounds:]-[BWAnchoredButtonCell drawWithFrame:inView:]-[NSColor(BWAdditions) bwDrawPixelThickLineAtPosition:withInset:inRect:inView:horizontal:flip:]-[NSImage(BWAdditions) bwRotateImage90DegreesClockwise:]-[NSImage(BWAdditions) bwTintedImageWithColor:]-[BWSelectableToolbarHelper isPreferencesToolbar]-[BWSelectableToolbarHelper setIsPreferencesToolbar:]-[BWSelectableToolbarHelper init]-[BWSelectableToolbarHelper setContentViewsByIdentifier:]-[BWSelectableToolbarHelper contentViewsByIdentifier]-[BWSelectableToolbarHelper setWindowSizesByIdentifier:]-[BWSelectableToolbarHelper windowSizesByIdentifier]-[BWSelectableToolbarHelper setSelectedIdentifier:]-[BWSelectableToolbarHelper selectedIdentifier]-[BWSelectableToolbarHelper setOldWindowTitle:]-[BWSelectableToolbarHelper oldWindowTitle]-[BWSelectableToolbarHelper setInitialIBWindowSize:]-[BWSelectableToolbarHelper initialIBWindowSize]-[BWSelectableToolbarHelper dealloc]-[BWSelectableToolbarHelper encodeWithCoder:]-[BWSelectableToolbarHelper initWithCoder:]-[NSWindow(BWAdditions) bwIsTextured]-[NSWindow(BWAdditions) bwResizeToSize:animate:]-[NSView(BWAdditions) bwBringToFront]-[NSView(BWAdditions) bwAnimator]-[NSView(BWAdditions) bwTurnOffLayer]+[BWTransparentTableView cellClass]-[BWTransparentTableView backgroundColor]-[BWTransparentTableView _alternatingRowBackgroundColors]-[BWTransparentTableView _highlightColorForCell:]-[BWTransparentTableView addTableColumn:]+[BWTransparentTableView initialize]-[BWTransparentTableView highlightSelectionInClipRect:]-[BWTransparentTableView drawBackgroundInClipRect:]-[BWTransparentTableViewCell drawInteriorWithFrame:inView:]-[BWTransparentTableViewCell editWithFrame:inView:editor:delegate:event:]-[BWTransparentTableViewCell selectWithFrame:inView:editor:delegate:start:length:]-[BWTransparentTableViewCell drawingRectForBounds:]-[BWAnchoredPopUpButton isAtRightEdgeOfBar]-[BWAnchoredPopUpButton setIsAtRightEdgeOfBar:]-[BWAnchoredPopUpButton isAtLeftEdgeOfBar]-[BWAnchoredPopUpButton setIsAtLeftEdgeOfBar:]-[BWAnchoredPopUpButton initWithCoder:]-[BWAnchoredPopUpButton frame]-[BWAnchoredPopUpButton mouseDown:]-[BWAnchoredPopUpButtonCell controlSize]-[BWAnchoredPopUpButtonCell setControlSize:]-[BWAnchoredPopUpButtonCell highlightRectForBounds:]-[BWAnchoredPopUpButtonCell drawBorderAndBackgroundWithFrame:inView:]-[BWAnchoredPopUpButtonCell textColor]-[BWAnchoredPopUpButtonCell imageColor]-[BWAnchoredPopUpButtonCell _textAttributes]+[BWAnchoredPopUpButtonCell initialize]-[BWAnchoredPopUpButtonCell drawImageWithFrame:inView:]-[BWAnchoredPopUpButtonCell imageRectForBounds:]-[BWAnchoredPopUpButtonCell titleRectForBounds:]-[BWAnchoredPopUpButtonCell drawArrowInFrame:]-[BWAnchoredPopUpButtonCell drawWithFrame:inView:]-[BWCustomView drawRect:]-[BWCustomView drawTextInRect:]-[BWUnanchoredButton initWithCoder:]-[BWUnanchoredButton frame]-[BWUnanchoredButton mouseDown:]-[BWUnanchoredButtonCell drawBezelWithFrame:inView:]-[BWUnanchoredButtonCell highlightRectForBounds:]+[BWUnanchoredButtonCell initialize]-[BWUnanchoredButtonContainer awakeFromNib]-[BWSheetController awakeFromNib]-[BWSheetController encodeWithCoder:]-[BWSheetController openSheet:]-[BWSheetController closeSheet:]-[BWSheetController messageDelegateAndCloseSheet:]-[BWSheetController delegate]-[BWSheetController sheet]-[BWSheetController parentWindow]-[BWSheetController initWithCoder:]-[BWSheetController setParentWindow:]-[BWSheetController setSheet:]-[BWSheetController setDelegate:]+[BWTransparentScrollView _verticalScrollerClass]-[BWTransparentScrollView initWithCoder:]-[BWAddMiniBottomBar awakeFromNib]-[BWAddMiniBottomBar drawRect:]-[BWAddMiniBottomBar bounds]-[BWAddMiniBottomBar initWithCoder:]-[BWAddSheetBottomBar awakeFromNib]-[BWAddSheetBottomBar drawRect:]-[BWAddSheetBottomBar bounds]-[BWAddSheetBottomBar initWithCoder:]-[BWTokenFieldCell setUpTokenAttachmentCell:forRepresentedObject:]-[BWTokenAttachmentCell arrowInHighlightedState:]-[BWTokenAttachmentCell pullDownImage]-[BWTokenAttachmentCell drawTokenWithFrame:inView:]-[BWTokenAttachmentCell interiorBackgroundStyle]+[BWTokenAttachmentCell initialize]-[BWTokenAttachmentCell pullDownRectForBounds:]-[BWTokenAttachmentCell _textAttributes]-[BWTransparentScroller initWithFrame:]+[BWTransparentScroller scrollerWidthForControlSize:]+[BWTransparentScroller scrollerWidth]+[BWTransparentScroller initialize]-[BWTransparentScroller rectForPart:]-[BWTransparentScroller _drawingRectForPart:]-[BWTransparentScroller drawKnob]-[BWTransparentScroller drawKnobSlot]-[BWTransparentScroller drawRect:]-[BWTransparentScroller initWithCoder:]-[BWTransparentTextFieldCell _textAttributes]+[BWTransparentTextFieldCell initialize]-[BWToolbarItem setIdentifierString:]-[BWToolbarItem initWithCoder:]-[BWToolbarItem identifierString]-[BWToolbarItem dealloc]-[BWToolbarItem encodeWithCoder:]+[NSString(BWAdditions) bwRandomUUID]+[NSEvent(BWAdditions) bwShiftKeyIsDown]+[NSEvent(BWAdditions) bwCommandKeyIsDown]+[NSEvent(BWAdditions) bwOptionKeyIsDown]+[NSEvent(BWAdditions) bwControlKeyIsDown]+[NSEvent(BWAdditions) bwCapsLockKeyIsDown]-[BWHyperlinkButton awakeFromNib]-[BWHyperlinkButton openURLInBrowser:]-[BWHyperlinkButton urlString]-[BWHyperlinkButton initWithCoder:]-[BWHyperlinkButton setUrlString:]-[BWHyperlinkButton dealloc]-[BWHyperlinkButton resetCursorRects]-[BWHyperlinkButton encodeWithCoder:]-[BWHyperlinkButtonCell drawBezelWithFrame:inView:]-[BWHyperlinkButtonCell setBordered:]-[BWHyperlinkButtonCell isBordered]-[BWHyperlinkButtonCell _textAttributes]-[BWGradientBox isFlipped]-[BWGradientBox setFillColor:]-[BWGradientBox setFillStartingColor:]-[BWGradientBox setFillEndingColor:]-[BWGradientBox setTopBorderColor:]-[BWGradientBox setBottomBorderColor:]-[BWGradientBox hasFillColor]-[BWGradientBox setHasFillColor:]-[BWGradientBox hasGradient]-[BWGradientBox setHasGradient:]-[BWGradientBox hasBottomBorder]-[BWGradientBox setHasBottomBorder:]-[BWGradientBox hasTopBorder]-[BWGradientBox setHasTopBorder:]-[BWGradientBox bottomInsetAlpha]-[BWGradientBox setBottomInsetAlpha:]-[BWGradientBox topInsetAlpha]-[BWGradientBox setTopInsetAlpha:]-[BWGradientBox bottomBorderColor]-[BWGradientBox topBorderColor]-[BWGradientBox fillColor]-[BWGradientBox fillEndingColor]-[BWGradientBox fillStartingColor]-[BWGradientBox initWithCoder:]-[BWGradientBox dealloc]-[BWGradientBox drawRect:]-[BWGradientBox encodeWithCoder:]-[BWStyledTextField hasShadow]-[BWStyledTextField setHasShadow:]-[BWStyledTextField shadowIsBelow]-[BWStyledTextField setShadowIsBelow:]-[BWStyledTextField shadowColor]-[BWStyledTextField setShadowColor:]-[BWStyledTextField hasGradient]-[BWStyledTextField setHasGradient:]-[BWStyledTextField startingColor]-[BWStyledTextField setStartingColor:]-[BWStyledTextField endingColor]-[BWStyledTextField setEndingColor:]-[BWStyledTextField solidColor]-[BWStyledTextField setSolidColor:]-[BWStyledTextFieldCell changeShadow]-[BWStyledTextFieldCell setStartingColor:]-[BWStyledTextFieldCell setEndingColor:]-[BWStyledTextFieldCell setSolidColor:]-[BWStyledTextFieldCell setHasGradient:]-[BWStyledTextFieldCell setShadowIsBelow:]-[BWStyledTextFieldCell setShadowColor:]-[BWStyledTextFieldCell solidColor]-[BWStyledTextFieldCell hasGradient]-[BWStyledTextFieldCell endingColor]-[BWStyledTextFieldCell startingColor]-[BWStyledTextFieldCell shadow]-[BWStyledTextFieldCell hasShadow]-[BWStyledTextFieldCell setHasShadow:]-[BWStyledTextFieldCell shadowColor]-[BWStyledTextFieldCell shadowIsBelow]-[BWStyledTextFieldCell initWithCoder:]-[BWStyledTextFieldCell setShadow:]-[BWStyledTextFieldCell setPreviousAttributes:]-[BWStyledTextFieldCell previousAttributes]-[BWStyledTextFieldCell drawInteriorWithFrame:inView:]-[BWStyledTextFieldCell applyGradient]-[BWStyledTextFieldCell awakeFromNib]-[BWStyledTextFieldCell _textAttributes]-[BWStyledTextFieldCell dealloc]-[BWStyledTextFieldCell copyWithZone:]-[BWStyledTextFieldCell encodeWithCoder:]+[NSApplication(BWAdditions) bwIsOnLeopard]dyld__mach_header_scaleFactor_documentToolbar_editableToolbar_enabledColor_disabledColor_buttonFillN_buttonLeftP_buttonFillP_buttonRightP_buttonLeftN_buttonRightN_enabledColor_disabledColor_contentShadow_checkboxOffN_checkboxOnP_checkboxOnN_checkboxOffP_enabledColor_disabledColor_popUpFillN_popUpLeftP_popUpFillP_pullDownRightP_popUpRightP_popUpLeftN_pullDownRightN_popUpRightN_thumbPImage_thumbNImage_triangleThumbPImage_triangleThumbNImage_trackFillImage_trackLeftImage_trackRightImage_gradient_borderColor_dimpleImageBitmap_dimpleImageVector_gradientStartColor_gradientEndColor_smallPhotoImage_largePhotoImage_quietSpeakerImage_loudSpeakerImage_thumbPImage_thumbNImage_trackFillImage_trackLeftImage_trackRightImage_wasBorderedBar_gradient_topLineColor_borderedTopLineColor_resizeHandleColor_resizeInsetColor_bottomLineColor_sideInsetColor_topColor_middleTopColor_middleBottomColor_bottomColor_fillGradient_bottomBorderColor_sideInsetColor_borderedTopBorderColor_borderedSideBorderColor_topBorderColor_sideBorderColor_enabledTextColor_disabledTextColor_enabledImageColor_disabledImageColor_contentShadow_pressedColor_fillStop1_fillStop2_fillStop3_fillStop4_rowColor_altRowColor_highlightColor_fillGradient_bottomBorderColor_sideInsetColor_borderedTopBorderColor_borderedSideBorderColor_topBorderColor_sideBorderColor_enabledTextColor_disabledTextColor_enabledImageColor_disabledImageColor_contentShadow_pressedColor_pullDownArrow_fillStop1_fillStop2_fillStop3_fillStop4_fillGradient_topInsetColor_topBorderColor_borderColor_bottomInsetColor_fillStop1_fillStop2_fillStop3_fillStop4_pressedColor_highlightedArrowColor_arrowGradient_blueStrokeGradient_blueInsetGradient_blueGradient_highlightedBlueStrokeGradient_highlightedBlueInsetGradient_highlightedBlueGradient_textShadow_slotVerticalFill_backgroundColor_minKnobHeight_minKnobWidth_slotTop_slotBottom_slotLeft_slotHorizontalFill_slotRight_knobTop_knobVerticalFill_knobBottom_knobLeft_knobHorizontalFill_knobRight_textShadow.objc_category_name_NSApplication_BWAdditions.objc_category_name_NSColor_BWAdditions.objc_category_name_NSEvent_BWAdditions.objc_category_name_NSImage_BWAdditions.objc_category_name_NSString_BWAdditions.objc_category_name_NSView_BWAdditions.objc_category_name_NSWindow_BWAdditions.objc_class_name_BWAddMiniBottomBar.objc_class_name_BWAddRegularBottomBar.objc_class_name_BWAddSheetBottomBar.objc_class_name_BWAddSmallBottomBar.objc_class_name_BWAnchoredButton.objc_class_name_BWAnchoredButtonBar.objc_class_name_BWAnchoredButtonCell.objc_class_name_BWAnchoredPopUpButton.objc_class_name_BWAnchoredPopUpButtonCell.objc_class_name_BWCustomView.objc_class_name_BWGradientBox.objc_class_name_BWHyperlinkButton.objc_class_name_BWHyperlinkButtonCell.objc_class_name_BWInsetTextField.objc_class_name_BWRemoveBottomBar.objc_class_name_BWSelectableToolbar.objc_class_name_BWSelectableToolbarHelper.objc_class_name_BWSheetController.objc_class_name_BWSplitView.objc_class_name_BWStyledTextField.objc_class_name_BWStyledTextFieldCell.objc_class_name_BWTexturedSlider.objc_class_name_BWTexturedSliderCell.objc_class_name_BWTokenAttachmentCell.objc_class_name_BWTokenField.objc_class_name_BWTokenFieldCell.objc_class_name_BWToolbarItem.objc_class_name_BWToolbarShowColorsItem.objc_class_name_BWToolbarShowFontsItem.objc_class_name_BWTransparentButton.objc_class_name_BWTransparentButtonCell.objc_class_name_BWTransparentCheckbox.objc_class_name_BWTransparentCheckboxCell.objc_class_name_BWTransparentPopUpButton.objc_class_name_BWTransparentPopUpButtonCell.objc_class_name_BWTransparentScrollView.objc_class_name_BWTransparentScroller.objc_class_name_BWTransparentSlider.objc_class_name_BWTransparentSliderCell.objc_class_name_BWTransparentTableView.objc_class_name_BWTransparentTableViewCell.objc_class_name_BWTransparentTextFieldCell.objc_class_name_BWUnanchoredButton.objc_class_name_BWUnanchoredButtonCell.objc_class_name_BWUnanchoredButtonContainer_BWSelectableToolbarItemClickedNotification_compareViews.objc_class_name_NSAffineTransform.objc_class_name_NSAnimationContext.objc_class_name_NSApplication.objc_class_name_NSArchiver.objc_class_name_NSArray.objc_class_name_NSBezierPath.objc_class_name_NSBundle.objc_class_name_NSButton.objc_class_name_NSButtonCell.objc_class_name_NSColor.objc_class_name_NSCursor.objc_class_name_NSCustomView.objc_class_name_NSDictionary.objc_class_name_NSEvent.objc_class_name_NSFont.objc_class_name_NSGradient.objc_class_name_NSGraphicsContext.objc_class_name_NSImage.objc_class_name_NSMutableArray.objc_class_name_NSMutableAttributedString.objc_class_name_NSMutableDictionary.objc_class_name_NSNotificationCenter.objc_class_name_NSNumber.objc_class_name_NSObject.objc_class_name_NSPopUpButton.objc_class_name_NSPopUpButtonCell.objc_class_name_NSScreen.objc_class_name_NSScrollView.objc_class_name_NSScroller.objc_class_name_NSShadow.objc_class_name_NSSlider.objc_class_name_NSSliderCell.objc_class_name_NSSortDescriptor.objc_class_name_NSSplitView.objc_class_name_NSString.objc_class_name_NSTableView.objc_class_name_NSTextField.objc_class_name_NSTextFieldCell.objc_class_name_NSTokenAttachmentCell.objc_class_name_NSTokenField.objc_class_name_NSTokenFieldCell.objc_class_name_NSToolbar.objc_class_name_NSToolbarItem.objc_class_name_NSURL.objc_class_name_NSUnarchiver.objc_class_name_NSValue.objc_class_name_NSView.objc_class_name_NSWindowController.objc_class_name_NSWorkspace_CFMakeCollectable_CFRelease_CFUUIDCreate_CFUUIDCreateString_CGContextRestoreGState_CGContextSaveGState_CGContextSetShouldSmoothFonts_Gestalt_NSApp_NSClassFromString_NSDrawThreePartImage_NSFontAttributeName_NSForegroundColorAttributeName_NSInsetRect_NSIntegralRect_NSIsEmptyRect_NSOffsetRect_NSPointInRect_NSRectFill_NSRectFillUsingOperation_NSShadowAttributeName_NSUnderlineStyleAttributeName_NSWindowDidResizeNotification_NSZeroRect___CFConstantStringClassReference_ceilf_floorf_fmaxf_fminf_modf_objc_assign_global_objc_copyStruct_objc_enumerationMutation_objc_getProperty_objc_msgSendSuper_objc_msgSendSuper_stret_objc_msgSend_stret_objc_setProperty_roundf/Users/brandon/Temp/bwtoolkit/BWToolbarShowColorsItem.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWToolbarShowColorsItem.o-[BWToolbarShowColorsItem image]-[BWToolbarShowColorsItem itemIdentifier]-[BWToolbarShowColorsItem label]-[BWToolbarShowColorsItem paletteLabel]-[BWToolbarShowColorsItem target]-[BWToolbarShowColorsItem action]-[BWToolbarShowColorsItem toolTip]/System/Library/Frameworks/AppKit.framework/Headers/NSMenu.hBWToolbarShowFontsItem.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWToolbarShowFontsItem.o-[BWToolbarShowFontsItem image]-[BWToolbarShowFontsItem itemIdentifier]-[BWToolbarShowFontsItem label]-[BWToolbarShowFontsItem paletteLabel]-[BWToolbarShowFontsItem target]-[BWToolbarShowFontsItem action]-[BWToolbarShowFontsItem toolTip]BWSelectableToolbar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWSelectableToolbar.o-[BWSelectableToolbar documentToolbar]-[BWSelectableToolbar editableToolbar]-[BWSelectableToolbar awakeFromNib]-[BWSelectableToolbar selectFirstItem]-[BWSelectableToolbar selectInitialItem]-[BWSelectableToolbar toggleActiveView:]-[BWSelectableToolbar identifierAtIndex:]-[BWSelectableToolbar setEnabled:forIdentifier:]-[BWSelectableToolbar validateToolbarItem:]-[BWSelectableToolbar enabledByIdentifier]-[BWSelectableToolbar toolbarDefaultItemIdentifiers:]-[BWSelectableToolbar toolbarAllowedItemIdentifiers:]-[BWSelectableToolbar toolbar:itemForItemIdentifier:willBeInsertedIntoToolbar:]-[BWSelectableToolbar toolbarSelectableItemIdentifiers:]-[BWSelectableToolbar selectedIndex]-[BWSelectableToolbar setSelectedIndex:]-[BWSelectableToolbar isPreferencesToolbar]-[BWSelectableToolbar setDocumentToolbar:]-[BWSelectableToolbar setEditableToolbar:]-[BWSelectableToolbar initWithCoder:]-[BWSelectableToolbar setHelper:]-[BWSelectableToolbar helper]-[BWSelectableToolbar setEnabledByIdentifier:]-[BWSelectableToolbar switchToItemAtIndex:animate:]-[BWSelectableToolbar labels]-[BWSelectableToolbar setIsPreferencesToolbar:]-[BWSelectableToolbar selectableItemIdentifiers]-[BWSelectableToolbar windowDidResize:]-[BWSelectableToolbar setSelectedItemIdentifierWithoutAnimation:]-[BWSelectableToolbar setSelectedItemIdentifier:]-[BWSelectableToolbar dealloc]-[BWSelectableToolbar setItemSelectors]-[BWSelectableToolbar selectItemAtIndex:]-[BWSelectableToolbar toolbarIndexFromSelectableIndex:]-[BWSelectableToolbar initialSetup]-[BWSelectableToolbar initWithIdentifier:]-[BWSelectableToolbar _defaultItemIdentifiers]-[BWSelectableToolbar encodeWithCoder:]/System/Library/Frameworks/Foundation.framework/Headers/NSNotification.h_BWSelectableToolbarItemClickedNotification_documentToolbar_editableToolbarBWAddRegularBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWAddRegularBottomBar.o-[BWAddRegularBottomBar awakeFromNib]-[BWAddRegularBottomBar drawRect:]-[BWAddRegularBottomBar bounds]-[BWAddRegularBottomBar initWithCoder:]/System/Library/Frameworks/Foundation.framework/Headers/NSURL.hBWRemoveBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWRemoveBottomBar.o-[BWRemoveBottomBar bounds]BWInsetTextField.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWInsetTextField.o-[BWInsetTextField initWithCoder:]/System/Library/Frameworks/AppKit.framework/Headers/NSTextField.hBWTransparentButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWTransparentButtonCell.o-[BWTransparentButtonCell interiorColor]-[BWTransparentButtonCell controlSize]-[BWTransparentButtonCell setControlSize:]-[BWTransparentButtonCell drawBezelWithFrame:inView:]-[BWTransparentButtonCell drawImage:withFrame:inView:]+[BWTransparentButtonCell initialize]-[BWTransparentButtonCell _textAttributes]-[BWTransparentButtonCell drawTitle:withFrame:inView:]/System/Library/Frameworks/Foundation.framework/Headers/NSFormatter.h_enabledColor_disabledColor_buttonFillN_buttonLeftP_buttonFillP_buttonRightP_buttonLeftN_buttonRightNBWTransparentCheckboxCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWTransparentCheckboxCell.o-[BWTransparentCheckboxCell isInTableView]-[BWTransparentCheckboxCell interiorColor]-[BWTransparentCheckboxCell controlSize]-[BWTransparentCheckboxCell setControlSize:]-[BWTransparentCheckboxCell _textAttributes]+[BWTransparentCheckboxCell initialize]-[BWTransparentCheckboxCell drawImage:withFrame:inView:]-[BWTransparentCheckboxCell drawInteriorWithFrame:inView:]-[BWTransparentCheckboxCell drawTitle:withFrame:inView:]_enabledColor_disabledColor_contentShadow_checkboxOffN_checkboxOnP_checkboxOnN_checkboxOffPBWTransparentPopUpButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWTransparentPopUpButtonCell.o-[BWTransparentPopUpButtonCell interiorColor]-[BWTransparentPopUpButtonCell controlSize]-[BWTransparentPopUpButtonCell setControlSize:]-[BWTransparentPopUpButtonCell drawImageWithFrame:inView:]-[BWTransparentPopUpButtonCell drawBezelWithFrame:inView:]-[BWTransparentPopUpButtonCell imageRectForBounds:]+[BWTransparentPopUpButtonCell initialize]-[BWTransparentPopUpButtonCell _textAttributes]-[BWTransparentPopUpButtonCell titleRectForBounds:]/System/Library/Frameworks/Foundation.framework/Headers/NSValue.h_enabledColor_disabledColor_popUpFillN_popUpLeftP_popUpFillP_pullDownRightP_popUpRightP_popUpLeftN_pullDownRightN_popUpRightNBWTransparentSliderCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWTransparentSliderCell.o-[BWTransparentSliderCell _usesCustomTrackImage]-[BWTransparentSliderCell setTickMarkPosition:]-[BWTransparentSliderCell controlSize]-[BWTransparentSliderCell setControlSize:]-[BWTransparentSliderCell initWithCoder:]+[BWTransparentSliderCell initialize]-[BWTransparentSliderCell stopTracking:at:inView:mouseIsUp:]-[BWTransparentSliderCell startTrackingAt:inView:]-[BWTransparentSliderCell knobRectFlipped:]-[BWTransparentSliderCell drawKnob:]-[BWTransparentSliderCell drawBarInside:flipped:]/System/Library/Frameworks/Foundation.framework/Headers/NSDictionary.h_thumbPImage_thumbNImage_triangleThumbPImage_triangleThumbNImage_trackFillImage_trackLeftImage_trackRightImageBWSplitView.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWSplitView.o-[BWSplitView awakeFromNib]-[BWSplitView setDelegate:]-[BWSplitView subviewIsCollapsible:]-[BWSplitView collapsibleSubviewIsCollapsed]-[BWSplitView collapsibleSubviewIndex]-[BWSplitView collapsibleSubview]-[BWSplitView hasCollapsibleSubview]-[BWSplitView setCollapsibleSubviewCollapsedHelper:]-[BWSplitView animationEnded]-[BWSplitView animationDuration]-[BWSplitView hasCollapsibleDivider]-[BWSplitView collapsibleDividerIndex]-[BWSplitView setCollapsibleSubviewCollapsed:]-[BWSplitView setMinSizeForCollapsibleSubview:]-[BWSplitView removeMinSizeForCollapsibleSubview]-[BWSplitView restoreAutoresizesSubviews:]-[BWSplitView splitView:shouldHideDividerAtIndex:]-[BWSplitView splitView:canCollapseSubview:]-[BWSplitView splitView:constrainSplitPosition:ofSubviewAt:]-[BWSplitView splitViewWillResizeSubviews:]-[BWSplitView subviewIsResizable:]-[BWSplitView validateAndCalculatePreferredProportionsAndSizes]-[BWSplitView clearPreferredProportionsAndSizes]-[BWSplitView splitView:resizeSubviewsWithOldSize:]-[BWSplitView setColorIsEnabled:]-[BWSplitView setColor:]-[BWSplitView color]-[BWSplitView minValues]-[BWSplitView maxValues]-[BWSplitView minUnits]-[BWSplitView maxUnits]-[BWSplitView secondaryDelegate]-[BWSplitView setSecondaryDelegate:]-[BWSplitView collapsibleSubviewCollapsed]-[BWSplitView dividerCanCollapse]-[BWSplitView setDividerCanCollapse:]-[BWSplitView collapsiblePopupSelection]-[BWSplitView setCollapsiblePopupSelection:]-[BWSplitView setCheckboxIsEnabled:]-[BWSplitView colorIsEnabled]-[BWSplitView initWithCoder:]+[BWSplitView initialize]-[BWSplitView setMinValues:]-[BWSplitView setMaxValues:]-[BWSplitView setMinUnits:]-[BWSplitView setMaxUnits:]-[BWSplitView setResizableSubviewPreferredProportion:]-[BWSplitView resizableSubviewPreferredProportion]-[BWSplitView setNonresizableSubviewPreferredSize:]-[BWSplitView nonresizableSubviewPreferredSize]-[BWSplitView setStateForLastPreferredCalculations:]-[BWSplitView stateForLastPreferredCalculations]-[BWSplitView setToggleCollapseButton:]-[BWSplitView toggleCollapseButton]-[BWSplitView dealloc]-[BWSplitView checkboxIsEnabled]-[BWSplitView setDividerStyle:]-[BWSplitView resizeAndAdjustSubviews]-[BWSplitView correctCollapsiblePreferredProportionOrSize]-[BWSplitView validatePreferredProportionsAndSizes]-[BWSplitView recalculatePreferredProportionsAndSizes]-[BWSplitView subviewMaximumSize:]-[BWSplitView subviewMinimumSize:]-[BWSplitView resizableSubviews]-[BWSplitView splitViewDidResizeSubviews:]-[BWSplitView splitView:effectiveRect:forDrawnRect:ofDividerAtIndex:]-[BWSplitView splitView:constrainMinCoordinate:ofSubviewAt:]-[BWSplitView splitView:constrainMaxCoordinate:ofSubviewAt:]-[BWSplitView splitView:shouldCollapseSubview:forDoubleClickOnDividerAtIndex:]-[BWSplitView splitView:additionalEffectiveRectOfDividerAtIndex:]-[BWSplitView mouseDown:]-[BWSplitView toggleCollapse:]-[BWSplitView adjustSubviews]-[BWSplitView subviewIsCollapsed:]-[BWSplitView drawDimpleInRect:]-[BWSplitView drawGradientDividerInRect:]-[BWSplitView drawDividerInRect:]-[BWSplitView encodeWithCoder:]/System/Library/Frameworks/Foundation.framework/Headers/NSDate.h_scaleFactor_gradient_borderColor_dimpleImageBitmap_dimpleImageVector_gradientStartColor_gradientEndColorBWTexturedSlider.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWTexturedSlider.o-[BWTexturedSlider trackHeight]-[BWTexturedSlider setTrackHeight:]-[BWTexturedSlider setSliderToMinimum]-[BWTexturedSlider setSliderToMaximum]-[BWTexturedSlider indicatorIndex]-[BWTexturedSlider initWithCoder:]+[BWTexturedSlider initialize]-[BWTexturedSlider setMinButton:]-[BWTexturedSlider minButton]-[BWTexturedSlider setMaxButton:]-[BWTexturedSlider maxButton]-[BWTexturedSlider dealloc]-[BWTexturedSlider resignFirstResponder]-[BWTexturedSlider becomeFirstResponder]-[BWTexturedSlider scrollWheel:]-[BWTexturedSlider setEnabled:]-[BWTexturedSlider setIndicatorIndex:]-[BWTexturedSlider drawRect:]-[BWTexturedSlider hitTest:]-[BWTexturedSlider encodeWithCoder:]_smallPhotoImage_largePhotoImage_quietSpeakerImage_loudSpeakerImageBWTexturedSliderCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWTexturedSliderCell.o-[BWTexturedSliderCell controlSize]-[BWTexturedSliderCell setControlSize:]-[BWTexturedSliderCell numberOfTickMarks]-[BWTexturedSliderCell setNumberOfTickMarks:]-[BWTexturedSliderCell _usesCustomTrackImage]-[BWTexturedSliderCell trackHeight]-[BWTexturedSliderCell setTrackHeight:]-[BWTexturedSliderCell initWithCoder:]+[BWTexturedSliderCell initialize]-[BWTexturedSliderCell stopTracking:at:inView:mouseIsUp:]-[BWTexturedSliderCell startTrackingAt:inView:]-[BWTexturedSliderCell drawKnob:]-[BWTexturedSliderCell drawBarInside:flipped:]-[BWTexturedSliderCell encodeWithCoder:]_thumbPImage_thumbNImage_trackFillImage_trackLeftImage_trackRightImageBWAddSmallBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWAddSmallBottomBar.o-[BWAddSmallBottomBar awakeFromNib]-[BWAddSmallBottomBar drawRect:]-[BWAddSmallBottomBar bounds]-[BWAddSmallBottomBar initWithCoder:]BWAnchoredButtonBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWAnchoredButtonBar.o-[BWAnchoredButtonBar awakeFromNib]-[BWAnchoredButtonBar drawResizeHandleInRect:withColor:]-[BWAnchoredButtonBar viewDidMoveToSuperview]-[BWAnchoredButtonBar isInLastSubview]-[BWAnchoredButtonBar dividerIndexNearestToHandle]-[BWAnchoredButtonBar splitView]-[BWAnchoredButtonBar setSelectedIndex:]+[BWAnchoredButtonBar wasBorderedBar]-[BWAnchoredButtonBar splitView:constrainMinCoordinate:ofSubviewAt:]-[BWAnchoredButtonBar splitView:constrainMaxCoordinate:ofSubviewAt:]-[BWAnchoredButtonBar splitView:resizeSubviewsWithOldSize:]-[BWAnchoredButtonBar splitView:canCollapseSubview:]-[BWAnchoredButtonBar splitView:constrainSplitPosition:ofSubviewAt:]-[BWAnchoredButtonBar splitView:shouldCollapseSubview:forDoubleClickOnDividerAtIndex:]-[BWAnchoredButtonBar splitView:shouldHideDividerAtIndex:]-[BWAnchoredButtonBar splitViewDelegate]-[BWAnchoredButtonBar setSplitViewDelegate:]-[BWAnchoredButtonBar handleIsRightAligned]-[BWAnchoredButtonBar setHandleIsRightAligned:]-[BWAnchoredButtonBar isResizable]-[BWAnchoredButtonBar setIsResizable:]-[BWAnchoredButtonBar isAtBottom]-[BWAnchoredButtonBar selectedIndex]-[BWAnchoredButtonBar initWithFrame:]+[BWAnchoredButtonBar initialize]-[BWAnchoredButtonBar splitView:effectiveRect:forDrawnRect:ofDividerAtIndex:]-[BWAnchoredButtonBar splitView:additionalEffectiveRectOfDividerAtIndex:]-[BWAnchoredButtonBar dealloc]-[BWAnchoredButtonBar setIsAtBottom:]-[BWAnchoredButtonBar drawLastButtonInsetInRect:]-[BWAnchoredButtonBar drawRect:]-[BWAnchoredButtonBar encodeWithCoder:]-[BWAnchoredButtonBar initWithCoder:]/System/Library/Frameworks/AppKit.framework/Headers/NSSplitView.h_wasBorderedBar_gradient_topLineColor_borderedTopLineColor_resizeHandleColor_resizeInsetColor_bottomLineColor_sideInsetColor_topColor_middleTopColor_middleBottomColor_bottomColorBWAnchoredButton.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWAnchoredButton.o-[BWAnchoredButton isAtRightEdgeOfBar]-[BWAnchoredButton setIsAtRightEdgeOfBar:]-[BWAnchoredButton isAtLeftEdgeOfBar]-[BWAnchoredButton setIsAtLeftEdgeOfBar:]-[BWAnchoredButton initWithCoder:]-[BWAnchoredButton frame]-[BWAnchoredButton mouseDown:]BWAnchoredButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWAnchoredButtonCell.o-[BWAnchoredButtonCell controlSize]-[BWAnchoredButtonCell setControlSize:]-[BWAnchoredButtonCell highlightRectForBounds:]-[BWAnchoredButtonCell drawBezelWithFrame:inView:]-[BWAnchoredButtonCell textColor]-[BWAnchoredButtonCell imageColor]-[BWAnchoredButtonCell _textAttributes]+[BWAnchoredButtonCell initialize]-[BWAnchoredButtonCell drawImage:withFrame:inView:]-[BWAnchoredButtonCell titleRectForBounds:]-[BWAnchoredButtonCell drawWithFrame:inView:]_fillGradient_bottomBorderColor_sideInsetColor_borderedTopBorderColor_borderedSideBorderColor_topBorderColor_sideBorderColor_enabledTextColor_disabledTextColor_enabledImageColor_disabledImageColor_contentShadow_pressedColor_fillStop1_fillStop2_fillStop3_fillStop4NSColor+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/NSColor+BWAdditions.o-[NSColor(BWAdditions) bwDrawPixelThickLineAtPosition:withInset:inRect:inView:horizontal:flip:]/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBase.hNSImage+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/NSImage+BWAdditions.o-[NSImage(BWAdditions) bwRotateImage90DegreesClockwise:]-[NSImage(BWAdditions) bwTintedImageWithColor:]/System/Library/Frameworks/AppKit.framework/Headers/NSGraphics.hBWSelectableToolbarHelper.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWSelectableToolbarHelper.o-[BWSelectableToolbarHelper isPreferencesToolbar]-[BWSelectableToolbarHelper setIsPreferencesToolbar:]-[BWSelectableToolbarHelper init]-[BWSelectableToolbarHelper setContentViewsByIdentifier:]-[BWSelectableToolbarHelper contentViewsByIdentifier]-[BWSelectableToolbarHelper setWindowSizesByIdentifier:]-[BWSelectableToolbarHelper windowSizesByIdentifier]-[BWSelectableToolbarHelper setSelectedIdentifier:]-[BWSelectableToolbarHelper selectedIdentifier]-[BWSelectableToolbarHelper setOldWindowTitle:]-[BWSelectableToolbarHelper oldWindowTitle]-[BWSelectableToolbarHelper setInitialIBWindowSize:]-[BWSelectableToolbarHelper initialIBWindowSize]-[BWSelectableToolbarHelper dealloc]-[BWSelectableToolbarHelper encodeWithCoder:]-[BWSelectableToolbarHelper initWithCoder:]/System/Library/Frameworks/ApplicationServices.framework/Headers/../Frameworks/CoreGraphics.framework/Headers/CGGeometry.hNSWindow+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/NSWindow+BWAdditions.o-[NSWindow(BWAdditions) bwIsTextured]-[NSWindow(BWAdditions) bwResizeToSize:animate:]NSView+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/NSView+BWAdditions.o_compareViews-[NSView(BWAdditions) bwBringToFront]-[NSView(BWAdditions) bwAnimator]-[NSView(BWAdditions) bwTurnOffLayer]BWTransparentTableView.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWTransparentTableView.o+[BWTransparentTableView cellClass]-[BWTransparentTableView backgroundColor]-[BWTransparentTableView _alternatingRowBackgroundColors]-[BWTransparentTableView _highlightColorForCell:]-[BWTransparentTableView addTableColumn:]+[BWTransparentTableView initialize]-[BWTransparentTableView highlightSelectionInClipRect:]-[BWTransparentTableView drawBackgroundInClipRect:]/System/Library/Frameworks/AppKit.framework/Headers/NSTableColumn.h_rowColor_altRowColor_highlightColorBWTransparentTableViewCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWTransparentTableViewCell.o-[BWTransparentTableViewCell drawInteriorWithFrame:inView:]-[BWTransparentTableViewCell editWithFrame:inView:editor:delegate:event:]-[BWTransparentTableViewCell selectWithFrame:inView:editor:delegate:start:length:]-[BWTransparentTableViewCell drawingRectForBounds:]BWAnchoredPopUpButton.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWAnchoredPopUpButton.o-[BWAnchoredPopUpButton isAtRightEdgeOfBar]-[BWAnchoredPopUpButton setIsAtRightEdgeOfBar:]-[BWAnchoredPopUpButton isAtLeftEdgeOfBar]-[BWAnchoredPopUpButton setIsAtLeftEdgeOfBar:]-[BWAnchoredPopUpButton initWithCoder:]-[BWAnchoredPopUpButton frame]-[BWAnchoredPopUpButton mouseDown:]BWAnchoredPopUpButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWAnchoredPopUpButtonCell.o-[BWAnchoredPopUpButtonCell controlSize]-[BWAnchoredPopUpButtonCell setControlSize:]-[BWAnchoredPopUpButtonCell highlightRectForBounds:]-[BWAnchoredPopUpButtonCell drawBorderAndBackgroundWithFrame:inView:]-[BWAnchoredPopUpButtonCell textColor]-[BWAnchoredPopUpButtonCell imageColor]-[BWAnchoredPopUpButtonCell _textAttributes]+[BWAnchoredPopUpButtonCell initialize]-[BWAnchoredPopUpButtonCell drawImageWithFrame:inView:]-[BWAnchoredPopUpButtonCell imageRectForBounds:]-[BWAnchoredPopUpButtonCell titleRectForBounds:]-[BWAnchoredPopUpButtonCell drawArrowInFrame:]-[BWAnchoredPopUpButtonCell drawWithFrame:inView:]_fillGradient_bottomBorderColor_sideInsetColor_borderedTopBorderColor_borderedSideBorderColor_topBorderColor_sideBorderColor_enabledTextColor_disabledTextColor_enabledImageColor_disabledImageColor_contentShadow_pressedColor_pullDownArrow_fillStop1_fillStop2_fillStop3_fillStop4BWCustomView.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWCustomView.o-[BWCustomView drawRect:]-[BWCustomView drawTextInRect:]BWUnanchoredButton.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWUnanchoredButton.o-[BWUnanchoredButton initWithCoder:]-[BWUnanchoredButton frame]-[BWUnanchoredButton mouseDown:]BWUnanchoredButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWUnanchoredButtonCell.o-[BWUnanchoredButtonCell drawBezelWithFrame:inView:]-[BWUnanchoredButtonCell highlightRectForBounds:]+[BWUnanchoredButtonCell initialize]_fillGradient_topInsetColor_topBorderColor_borderColor_bottomInsetColor_fillStop1_fillStop2_fillStop3_fillStop4_pressedColorBWUnanchoredButtonContainer.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWUnanchoredButtonContainer.o-[BWUnanchoredButtonContainer awakeFromNib]BWSheetController.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWSheetController.o-[BWSheetController awakeFromNib]-[BWSheetController encodeWithCoder:]-[BWSheetController openSheet:]-[BWSheetController closeSheet:]-[BWSheetController messageDelegateAndCloseSheet:]-[BWSheetController delegate]-[BWSheetController sheet]-[BWSheetController parentWindow]-[BWSheetController initWithCoder:]-[BWSheetController setParentWindow:]-[BWSheetController setSheet:]-[BWSheetController setDelegate:]BWTransparentScrollView.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWTransparentScrollView.o+[BWTransparentScrollView _verticalScrollerClass]-[BWTransparentScrollView initWithCoder:]/System/Library/Frameworks/AppKit.framework/Headers/NSRulerMarker.hBWAddMiniBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWAddMiniBottomBar.o-[BWAddMiniBottomBar awakeFromNib]-[BWAddMiniBottomBar drawRect:]-[BWAddMiniBottomBar bounds]-[BWAddMiniBottomBar initWithCoder:]BWAddSheetBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWAddSheetBottomBar.o-[BWAddSheetBottomBar awakeFromNib]-[BWAddSheetBottomBar drawRect:]-[BWAddSheetBottomBar bounds]-[BWAddSheetBottomBar initWithCoder:]BWTokenFieldCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWTokenFieldCell.o-[BWTokenFieldCell setUpTokenAttachmentCell:forRepresentedObject:]/System/Library/Frameworks/AppKit.framework/Headers/NSImage.hBWTokenAttachmentCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWTokenAttachmentCell.o-[BWTokenAttachmentCell arrowInHighlightedState:]-[BWTokenAttachmentCell pullDownImage]-[BWTokenAttachmentCell drawTokenWithFrame:inView:]-[BWTokenAttachmentCell interiorBackgroundStyle]+[BWTokenAttachmentCell initialize]-[BWTokenAttachmentCell pullDownRectForBounds:]-[BWTokenAttachmentCell _textAttributes]_highlightedArrowColor_arrowGradient_blueStrokeGradient_blueInsetGradient_blueGradient_highlightedBlueStrokeGradient_highlightedBlueInsetGradient_highlightedBlueGradient_textShadowBWTransparentScroller.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWTransparentScroller.o-[BWTransparentScroller initWithFrame:]+[BWTransparentScroller scrollerWidthForControlSize:]+[BWTransparentScroller scrollerWidth]+[BWTransparentScroller initialize]-[BWTransparentScroller rectForPart:]-[BWTransparentScroller _drawingRectForPart:]-[BWTransparentScroller drawKnob]-[BWTransparentScroller drawKnobSlot]-[BWTransparentScroller drawRect:]-[BWTransparentScroller initWithCoder:]_slotVerticalFill_backgroundColor_minKnobHeight_minKnobWidth_slotTop_slotBottom_slotLeft_slotHorizontalFill_slotRight_knobTop_knobVerticalFill_knobBottom_knobLeft_knobHorizontalFill_knobRightBWTransparentTextFieldCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWTransparentTextFieldCell.o-[BWTransparentTextFieldCell _textAttributes]+[BWTransparentTextFieldCell initialize]/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileDescriptor.h_textShadowBWToolbarItem.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWToolbarItem.o-[BWToolbarItem setIdentifierString:]-[BWToolbarItem initWithCoder:]-[BWToolbarItem identifierString]-[BWToolbarItem dealloc]-[BWToolbarItem encodeWithCoder:]NSString+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/NSString+BWAdditions.o+[NSString(BWAdditions) bwRandomUUID]/usr/include/objc/objc.hNSEvent+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/NSEvent+BWAdditions.o+[NSEvent(BWAdditions) bwShiftKeyIsDown]+[NSEvent(BWAdditions) bwCommandKeyIsDown]+[NSEvent(BWAdditions) bwOptionKeyIsDown]+[NSEvent(BWAdditions) bwControlKeyIsDown]+[NSEvent(BWAdditions) bwCapsLockKeyIsDown]/Users/brandon/Temp/bwtoolkit//BWHyperlinkButton.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWHyperlinkButton.o-[BWHyperlinkButton awakeFromNib]-[BWHyperlinkButton openURLInBrowser:]-[BWHyperlinkButton urlString]-[BWHyperlinkButton initWithCoder:]-[BWHyperlinkButton setUrlString:]-[BWHyperlinkButton dealloc]-[BWHyperlinkButton resetCursorRects]-[BWHyperlinkButton encodeWithCoder:]BWHyperlinkButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWHyperlinkButtonCell.o-[BWHyperlinkButtonCell drawBezelWithFrame:inView:]-[BWHyperlinkButtonCell setBordered:]-[BWHyperlinkButtonCell isBordered]-[BWHyperlinkButtonCell _textAttributes]BWGradientBox.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWGradientBox.o-[BWGradientBox isFlipped]-[BWGradientBox setFillColor:]-[BWGradientBox setFillStartingColor:]-[BWGradientBox setFillEndingColor:]-[BWGradientBox setTopBorderColor:]-[BWGradientBox setBottomBorderColor:]-[BWGradientBox hasFillColor]-[BWGradientBox setHasFillColor:]-[BWGradientBox hasGradient]-[BWGradientBox setHasGradient:]-[BWGradientBox hasBottomBorder]-[BWGradientBox setHasBottomBorder:]-[BWGradientBox hasTopBorder]-[BWGradientBox setHasTopBorder:]-[BWGradientBox bottomInsetAlpha]-[BWGradientBox setBottomInsetAlpha:]-[BWGradientBox topInsetAlpha]-[BWGradientBox setTopInsetAlpha:]-[BWGradientBox bottomBorderColor]-[BWGradientBox topBorderColor]-[BWGradientBox fillColor]-[BWGradientBox fillEndingColor]-[BWGradientBox fillStartingColor]-[BWGradientBox initWithCoder:]-[BWGradientBox dealloc]-[BWGradientBox drawRect:]-[BWGradientBox encodeWithCoder:]BWStyledTextField.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWStyledTextField.o-[BWStyledTextField hasShadow]-[BWStyledTextField setHasShadow:]-[BWStyledTextField shadowIsBelow]-[BWStyledTextField setShadowIsBelow:]-[BWStyledTextField shadowColor]-[BWStyledTextField setShadowColor:]-[BWStyledTextField hasGradient]-[BWStyledTextField setHasGradient:]-[BWStyledTextField startingColor]-[BWStyledTextField setStartingColor:]-[BWStyledTextField endingColor]-[BWStyledTextField setEndingColor:]-[BWStyledTextField solidColor]-[BWStyledTextField setSolidColor:]BWStyledTextFieldCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWStyledTextFieldCell.o-[BWStyledTextFieldCell changeShadow]-[BWStyledTextFieldCell setStartingColor:]-[BWStyledTextFieldCell setEndingColor:]-[BWStyledTextFieldCell setSolidColor:]-[BWStyledTextFieldCell setHasGradient:]-[BWStyledTextFieldCell setShadowIsBelow:]-[BWStyledTextFieldCell setShadowColor:]-[BWStyledTextFieldCell solidColor]-[BWStyledTextFieldCell hasGradient]-[BWStyledTextFieldCell endingColor]-[BWStyledTextFieldCell startingColor]-[BWStyledTextFieldCell shadow]-[BWStyledTextFieldCell hasShadow]-[BWStyledTextFieldCell setHasShadow:]-[BWStyledTextFieldCell shadowColor]-[BWStyledTextFieldCell shadowIsBelow]-[BWStyledTextFieldCell initWithCoder:]-[BWStyledTextFieldCell setShadow:]-[BWStyledTextFieldCell setPreviousAttributes:]-[BWStyledTextFieldCell previousAttributes]-[BWStyledTextFieldCell drawInteriorWithFrame:inView:]-[BWStyledTextFieldCell applyGradient]-[BWStyledTextFieldCell awakeFromNib]-[BWStyledTextFieldCell _textAttributes]-[BWStyledTextFieldCell dealloc]-[BWStyledTextFieldCell copyWithZone:]-[BWStyledTextFieldCell encodeWithCoder:]NSApplication+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/NSApplication+BWAdditions.o+[NSApplication(BWAdditions) bwIsOnLeopard]single module././@LongLink0000000000000000000000000000016300000000000011565 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/unison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000755006131600613160000000000012050210656033517 5ustar bcpiercebcpierce././@LongLink0000000000000000000000000000021000000000000011556 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWTransparentButton.hunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000035311361646373033537 0ustar bcpiercebcpierce// // BWTransparentButton.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTransparentButton : NSButton { } @end ././@LongLink0000000000000000000000000000020500000000000011562 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWInsetTextField.hunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000035011361646373033534 0ustar bcpiercebcpierce// // BWInsetTextField.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWInsetTextField : NSTextField { } @end ././@LongLink0000000000000000000000000000021000000000000011556 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/NSColor+BWAdditions.hunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000112211361646373033532 0ustar bcpiercebcpierce// // NSColor+BWAdditions.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface NSColor (BWAdditions) // Use this method to draw 1 px wide lines independent of scale factor. Handy for resolution independent drawing. Still needs some work - there are issues with drawing at the edges of views. - (void)bwDrawPixelThickLineAtPosition:(int)posInPixels withInset:(int)insetInPixels inRect:(NSRect)aRect inView:(NSView *)view horizontal:(BOOL)isHorizontal flip:(BOOL)shouldFlip; @end ././@LongLink0000000000000000000000000000020000000000000011555 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWSplitView.hunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000276011361646373033543 0ustar bcpiercebcpierce// // BWSplitView.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) and Fraser Kuyvenhoven. // All code is provided under the New BSD license. // #import @interface BWSplitView : NSSplitView { NSColor *color; BOOL colorIsEnabled, checkboxIsEnabled, dividerCanCollapse, collapsibleSubviewCollapsed; id secondaryDelegate; NSMutableDictionary *minValues, *maxValues, *minUnits, *maxUnits; NSMutableDictionary *resizableSubviewPreferredProportion, *nonresizableSubviewPreferredSize; NSArray *stateForLastPreferredCalculations; int collapsiblePopupSelection; float uncollapsedSize; // Collapse button NSButton *toggleCollapseButton; BOOL isAnimating; } @property (retain) NSMutableDictionary *minValues, *maxValues, *minUnits, *maxUnits; @property (retain) NSMutableDictionary *resizableSubviewPreferredProportion, *nonresizableSubviewPreferredSize; @property (retain) NSArray *stateForLastPreferredCalculations; @property (retain) NSButton *toggleCollapseButton; @property (assign) id secondaryDelegate; @property BOOL collapsibleSubviewCollapsed; @property int collapsiblePopupSelection; @property BOOL dividerCanCollapse; // The split view divider color @property (copy) NSColor *color; // Flag for whether a custom divider color is enabled. If not, the standard divider color is used. @property BOOL colorIsEnabled; // Call this method to collapse or expand a subview configured as collapsible in the IB inspector. - (IBAction)toggleCollapse:(id)sender; @end ././@LongLink0000000000000000000000000000021000000000000011556 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWSelectableToolbar.hunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000230211361646373033533 0ustar bcpiercebcpierce// // BWSelectableToolbar.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @class BWSelectableToolbarHelper; // Notification that gets sent when a toolbar item has been clicked. You can get the button that was clicked by getting the object // for the key @"BWClickedItem" in the supplied userInfo dictionary. extern NSString * const BWSelectableToolbarItemClickedNotification; @interface BWSelectableToolbar : NSToolbar { BWSelectableToolbarHelper *helper; NSMutableArray *itemIdentifiers; NSMutableDictionary *itemsByIdentifier, *enabledByIdentifier; BOOL inIB; // For the IB inspector int selectedIndex; BOOL isPreferencesToolbar; } // Call one of these methods to set the active tab. - (void)setSelectedItemIdentifier:(NSString *)itemIdentifier; // Use if you want an action in the tabbed window to change the tab. - (void)setSelectedItemIdentifierWithoutAnimation:(NSString *)itemIdentifier; // Use if you want to show the window with a certain item selected. // Programmatically disable or enable a toolbar item. - (void)setEnabled:(BOOL)flag forIdentifier:(NSString *)itemIdentifier; @end ././@LongLink0000000000000000000000000000020500000000000011562 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWTokenFieldCell.hunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000035511361646373033541 0ustar bcpiercebcpierce// // BWTokenFieldCell.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTokenFieldCell : NSTokenFieldCell { } @end ././@LongLink0000000000000000000000000000020700000000000011564 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWUnanchoredButton.hunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000040211361646373033532 0ustar bcpiercebcpierce// // BWUnanchoredButton.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWUnanchoredButton : NSButton { NSPoint topAndLeftInset; } @end ././@LongLink0000000000000000000000000000020200000000000011557 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWToolbarItem.hunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000040011361646373033530 0ustar bcpiercebcpierce// // BWToolbarItem.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWToolbarItem : NSToolbarItem { NSString *identifierString; } @end ././@LongLink0000000000000000000000000000022100000000000011560 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWTransparentPopUpButtonCell.hunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000040611361646373033536 0ustar bcpiercebcpierce// // BWTransparentPopUpButtonCell.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTransparentPopUpButtonCell : NSPopUpButtonCell { } @end ././@LongLink0000000000000000000000000000020500000000000011562 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWAnchoredButton.hunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000056711361646373033546 0ustar bcpiercebcpierce// // BWAnchoredButton.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWAnchoredButton : NSButton { BOOL isAtLeftEdgeOfBar; BOOL isAtRightEdgeOfBar; NSPoint topAndLeftInset; } @property BOOL isAtLeftEdgeOfBar; @property BOOL isAtRightEdgeOfBar; @end ././@LongLink0000000000000000000000000000021600000000000011564 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/NSApplication+BWAdditions.hunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000040111361646373033531 0ustar bcpiercebcpierce// // NSApplication+BWAdditions.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface NSApplication (BWAdditions) + (BOOL)bwIsOnLeopard; @end ././@LongLink0000000000000000000000000000021200000000000011560 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWStyledTextFieldCell.hunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000107111361646373033535 0ustar bcpiercebcpierce// // BWStyledTextFieldCell.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWStyledTextFieldCell : NSTextFieldCell { BOOL shadowIsBelow, hasShadow, hasGradient; NSColor *shadowColor, *startingColor, *endingColor, *solidColor; NSShadow *shadow; NSMutableDictionary *previousAttributes; } @property BOOL shadowIsBelow, hasShadow, hasGradient; @property (nonatomic, retain) NSColor *shadowColor, *startingColor, *endingColor, *solidColor; @end ././@LongLink0000000000000000000000000000021400000000000011562 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWTransparentScrollView.hunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000036711361646373033544 0ustar bcpiercebcpierce// // BWTransparentScrollView.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTransparentScrollView : NSScrollView { } @end ././@LongLink0000000000000000000000000000021700000000000011565 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWTransparentTextFieldCell.hunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000040011361646373033530 0ustar bcpiercebcpierce// // BWTransparentTextFieldCell.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTransparentTextFieldCell : NSTextFieldCell { } @end ././@LongLink0000000000000000000000000000021600000000000011564 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWTransparentCheckboxCell.hunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000043511361646373033540 0ustar bcpiercebcpierce// // BWTransparentCheckboxCell.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import #import "BWTransparentCheckbox.h" @interface BWTransparentCheckboxCell : NSButtonCell { } @end ././@LongLink0000000000000000000000000000021100000000000011557 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWTexturedSliderCell.hunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000755006131600613160000000045711361646373033547 0ustar bcpiercebcpierce// // BWTexturedSliderCell.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTexturedSliderCell : NSSliderCell { BOOL isPressed; int trackHeight; } @property int trackHeight; @end ././@LongLink0000000000000000000000000000021200000000000011560 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWTransparentScroller.hunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000040211361646373033532 0ustar bcpiercebcpierce// // BWTransparentScroller.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTransparentScroller : NSScroller { BOOL isVertical; } @end ././@LongLink0000000000000000000000000000020200000000000011557 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWGradientBox.hunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000124711361646373033542 0ustar bcpiercebcpierce// // BWGradientBox.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWGradientBox : NSView { NSColor *fillStartingColor, *fillEndingColor, *fillColor; NSColor *topBorderColor, *bottomBorderColor; float topInsetAlpha, bottomInsetAlpha; BOOL hasTopBorder, hasBottomBorder, hasGradient, hasFillColor; } @property (nonatomic, retain) NSColor *fillStartingColor, *fillEndingColor, *fillColor, *topBorderColor, *bottomBorderColor; @property float topInsetAlpha, bottomInsetAlpha; @property BOOL hasTopBorder, hasBottomBorder, hasGradient, hasFillColor; @end ././@LongLink0000000000000000000000000000021700000000000011565 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWTransparentTableViewCell.hunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000043411361646373033537 0ustar bcpiercebcpierce// // BWTransparentTableViewCell.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTransparentTableViewCell : NSTextFieldCell { BOOL mIsEditingOrSelecting; } @end ././@LongLink0000000000000000000000000000021400000000000011562 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWToolbarShowColorsItem.hunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000037011361646373033536 0ustar bcpiercebcpierce// // BWToolbarShowColorsItem.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWToolbarShowColorsItem : NSToolbarItem { } @end ././@LongLink0000000000000000000000000000021000000000000011556 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWTransparentSlider.hunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000035311361646373033537 0ustar bcpiercebcpierce// // BWTransparentSlider.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTransparentSlider : NSSlider { } @end ././@LongLink0000000000000000000000000000021600000000000011564 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWAnchoredPopUpButtonCell.hunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000040011361646373033530 0ustar bcpiercebcpierce// // BWAnchoredPopUpButtonCell.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWAnchoredPopUpButtonCell : NSPopUpButtonCell { } @end ././@LongLink0000000000000000000000000000021200000000000011560 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/NSTokenAttachmentCell.hunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000323111361646373033535 0ustar bcpiercebcpierce/* * Generated by class-dump 3.1.2. * * class-dump is Copyright (C) 1997-1998, 2000-2001, 2004-2007 by Steve Nygard. */ #import @interface NSTokenAttachmentCell : NSTextAttachmentCell { id _representedObject; id _textColor; id _reserved; struct { unsigned int _selected:1; unsigned int _edgeStyle:2; unsigned int _reserved:29; } _tacFlags; } + (void)initialize; - (id)initTextCell:(id)fp8; - (id)init; - (void)dealloc; - (id)representedObject; - (void)setRepresentedObject:(id)fp8; - (int)interiorBackgroundStyle; - (BOOL)_hasMenu; - (id)tokenForegroundColor; - (id)tokenBackgroundColor; - (id)textColor; - (void)setTextColor:(id)fp8; - (id)pullDownImage; - (id)menu; - (NSSize)cellSizeForBounds:(NSRect)fp8; - (NSSize)cellSize; - (NSRect)drawingRectForBounds:(NSRect)fp8; - (NSRect)titleRectForBounds:(NSRect)fp8; - (NSRect)cellFrameForTextContainer:(id)fp8 proposedLineFragment:(NSRect)fp12 glyphPosition:(NSPoint)fp28 characterIndex:(unsigned int)fp36; - (NSPoint)cellBaselineOffset; - (NSRect)pullDownRectForBounds:(NSRect)fp8; - (void)drawTokenWithFrame:(NSRect)fp8 inView:(id)fp24; - (void)drawInteriorWithFrame:(NSRect)fp8 inView:(id)fp24; - (void)drawWithFrame:(NSRect)fp8 inView:(id)fp24; - (void)drawWithFrame:(NSRect)fp8 inView:(id)fp24 characterIndex:(unsigned int)fp28 layoutManager:(id)fp32; - (void)encodeWithCoder:(id)fp8; - (id)initWithCoder:(id)fp8; - (BOOL)wantsToTrackMouseForEvent:(id)fp8 inRect:(NSRect)fp12 ofView:(id)fp28 atCharacterIndex:(unsigned int)fp32; - (BOOL)trackMouse:(id)fp8 inRect:(NSRect)fp12 ofView:(id)fp28 atCharacterIndex:(unsigned int)fp32 untilMouseUp:(BOOL)fp36; @end ././@LongLink0000000000000000000000000000020600000000000011563 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWHyperlinkButton.hunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000045611361646373033543 0ustar bcpiercebcpierce// // BWHyperlinkButton.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWHyperlinkButton : NSButton { NSString *urlString; } @property (copy, nonatomic) NSString *urlString; @end ././@LongLink0000000000000000000000000000021000000000000011556 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/NSImage+BWAdditions.hunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000076311361646373033544 0ustar bcpiercebcpierce// // NSImage+BWAdditions.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface NSImage (BWAdditions) // Draw a solid color over an image - taking into account alpha. Useful for coloring template images. - (NSImage *)bwTintedImageWithColor:(NSColor *)tint; // Rotate an image 90 degrees clockwise or counterclockwise - (NSImage *)bwRotateImage90DegreesClockwise:(BOOL)clockwise; @end ././@LongLink0000000000000000000000000000021400000000000011562 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWTransparentButtonCell.hunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000042711361646373033541 0ustar bcpiercebcpierce// // BWTransparentButtonCell.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import #import "BWTransparentButton.h" @interface BWTransparentButtonCell : NSButtonCell { } @end ././@LongLink0000000000000000000000000000021300000000000011561 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWToolbarShowFontsItem.hunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000036711361646373033544 0ustar bcpiercebcpierce// // BWToolbarShowFontsItem.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWToolbarShowFontsItem : NSToolbarItem { } @end ././@LongLink0000000000000000000000000000021200000000000011560 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWTokenAttachmentCell.hunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000043611361646373033541 0ustar bcpiercebcpierce// // BWTokenAttachmentCell.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import #import "NSTokenAttachmentCell.h" @interface BWTokenAttachmentCell : NSTokenAttachmentCell { } @end ././@LongLink0000000000000000000000000000020700000000000011564 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/NSView+BWAdditions.hunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000054511361646373033542 0ustar bcpiercebcpierce// // NSView+BWAdditions.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface NSView (BWAdditions) - (void)bwBringToFront; // Returns animator proxy and calls setWantsLayer:NO on the view when the animation completes - (id)bwAnimator; @end ././@LongLink0000000000000000000000000000020100000000000011556 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWTokenField.hunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000034111361646373033534 0ustar bcpiercebcpierce// // BWTokenField.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTokenField : NSTokenField { } @end ././@LongLink0000000000000000000000000000021100000000000011557 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/NSWindow+BWAdditions.hunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000046711361646373033545 0ustar bcpiercebcpierce// // NSWindow+BWAdditions.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface NSWindow (BWAdditions) - (void)bwResizeToSize:(NSSize)newSize animate:(BOOL)animateFlag; - (BOOL)bwIsTextured; @end ././@LongLink0000000000000000000000000000021300000000000011561 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWUnanchoredButtonCell.hunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000043611361646373033541 0ustar bcpiercebcpierce// // BWUnanchoredButtonCell.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import #import "BWAnchoredButtonCell.h" @interface BWUnanchoredButtonCell : BWAnchoredButtonCell { } @end ././@LongLink0000000000000000000000000000021500000000000011563 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWTransparentPopUpButton.hunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000037311361646373033541 0ustar bcpiercebcpierce// // BWTransparentPopUpButton.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTransparentPopUpButton : NSPopUpButton { } @end ././@LongLink0000000000000000000000000000021100000000000011557 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWAnchoredButtonCell.hunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000036211361646373033537 0ustar bcpiercebcpierce// // BWAnchoredButtonCell.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWAnchoredButtonCell : NSButtonCell { } @end ././@LongLink0000000000000000000000000000020600000000000011563 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWStyledTextField.hunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000124311361646373033536 0ustar bcpiercebcpierce// // BWStyledTextField.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWStyledTextField : NSTextField { } - (BOOL)hasGradient; - (void)setHasGradient:(BOOL)flag; - (NSColor *)startingColor; - (void)setStartingColor:(NSColor *)color; - (NSColor *)endingColor; - (void)setEndingColor:(NSColor *)color; - (NSColor *)solidColor; - (void)setSolidColor:(NSColor *)color; - (BOOL)hasShadow; - (void)setHasShadow:(BOOL)flag; - (BOOL)shadowIsBelow; - (void)setShadowIsBelow:(BOOL)flag; - (NSColor *)shadowColor; - (void)setShadowColor:(NSColor *)color; @end ././@LongLink0000000000000000000000000000020600000000000011563 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWSheetController.hunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000170311361646373033537 0ustar bcpiercebcpierce// // BWSheetController.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWSheetController : NSObject { NSWindow *sheet; NSWindow *parentWindow; id delegate; } @property (nonatomic, retain) IBOutlet NSWindow *sheet, *parentWindow; @property (nonatomic, retain) IBOutlet id delegate; - (IBAction)openSheet:(id)sender; - (IBAction)closeSheet:(id)sender; - (IBAction)messageDelegateAndCloseSheet:(id)sender; // The optional delegate should implement the method: // - (BOOL)shouldCloseSheet:(id)sender // Return YES if you want the sheet to close after the button click, NO if it shouldn't close. The sender // object is the button that requested the close. This is helpful because in the event that there are multiple buttons // hooked up to the messageDelegateAndCloseSheet: method, you can distinguish which button called the method. @end ././@LongLink0000000000000000000000000000021200000000000011560 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWTransparentCheckbox.hunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000035711361646373033543 0ustar bcpiercebcpierce// // BWTransparentCheckbox.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTransparentCheckbox : NSButton { } @end ././@LongLink0000000000000000000000000000020500000000000011562 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWTexturedSlider.hunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000755006131600613160000000075711361646373033552 0ustar bcpiercebcpierce// // BWTexturedSlider.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTexturedSlider : NSSlider { int trackHeight, indicatorIndex; NSRect sliderCellRect; NSButton *minButton, *maxButton; } @property int indicatorIndex; @property (retain) NSButton *minButton; @property (retain) NSButton *maxButton; - (int)trackHeight; - (void)setTrackHeight:(int)newTrackHeight; @end ././@LongLink0000000000000000000000000000021300000000000011561 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWTransparentTableView.hunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000036411361646373033541 0ustar bcpiercebcpierce// // BWTransparentTableView.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTransparentTableView : NSTableView { } @end ././@LongLink0000000000000000000000000000021400000000000011562 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWTransparentSliderCell.hunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000040711361646373033537 0ustar bcpiercebcpierce// // BWTransparentSliderCell.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTransparentSliderCell : NSSliderCell { BOOL isPressed; } @end ././@LongLink0000000000000000000000000000021000000000000011556 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWAnchoredButtonBar.hunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000124011361646373033533 0ustar bcpiercebcpierce// // BWAnchoredButtonBar.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWAnchoredButtonBar : NSView { BOOL isResizable, isAtBottom, handleIsRightAligned; int selectedIndex; id splitViewDelegate; } @property BOOL isResizable, isAtBottom, handleIsRightAligned; @property int selectedIndex; // The mode of this bar with a resize handle makes use of some NSSplitView delegate methods. Use the splitViewDelegate for any custom delegate implementations // you'd like to provide. @property (assign) id splitViewDelegate; + (BOOL)wasBorderedBar; @end ././@LongLink0000000000000000000000000000021200000000000011560 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWAnchoredPopUpButton.hunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000060611361646373033540 0ustar bcpiercebcpierce// // BWAnchoredPopUpButton.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWAnchoredPopUpButton : NSPopUpButton { BOOL isAtLeftEdgeOfBar; BOOL isAtRightEdgeOfBar; NSPoint topAndLeftInset; } @property BOOL isAtLeftEdgeOfBar; @property BOOL isAtRightEdgeOfBar; @end ././@LongLink0000000000000000000000000000020700000000000011564 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWToolkitFramework.hunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000267011361646373033543 0ustar bcpiercebcpierce// // BWToolkitFramework.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // // This is a convenience header for importing the BWToolkit framework into your classes. #import "BWAnchoredButton.h" #import "BWAnchoredButtonBar.h" #import "BWAnchoredButtonCell.h" #import "BWAnchoredPopUpButton.h" #import "BWAnchoredPopUpButtonCell.h" #import "BWGradientBox.h" #import "BWHyperlinkButton.h" #import "BWHyperlinkButtonCell.h" #import "BWInsetTextField.h" #import "BWSelectableToolbar.h" #import "BWSheetController.h" #import "BWSplitView.h" #import "BWStyledTextField.h" #import "BWStyledTextFieldCell.h" #import "BWTexturedSlider.h" #import "BWTexturedSliderCell.h" #import "BWTokenAttachmentCell.h" #import "BWTokenField.h" #import "BWTokenFieldCell.h" #import "BWToolbarItem.h" #import "BWToolbarShowColorsItem.h" #import "BWToolbarShowFontsItem.h" #import "BWTransparentButton.h" #import "BWTransparentButtonCell.h" #import "BWTransparentCheckbox.h" #import "BWTransparentCheckboxCell.h" #import "BWTransparentPopUpButton.h" #import "BWTransparentPopUpButtonCell.h" #import "BWTransparentScroller.h" #import "BWTransparentScrollView.h" #import "BWTransparentSlider.h" #import "BWTransparentSliderCell.h" #import "BWTransparentTableView.h" #import "BWTransparentTableViewCell.h" #import "BWTransparentTextFieldCell.h" #import "BWUnanchoredButton.h" #import "BWUnanchoredButtonCell.h" ././@LongLink0000000000000000000000000000020600000000000011563 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/NSTokenAttachment.hunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000061511361646373033540 0ustar bcpiercebcpierce/* * Generated by class-dump 3.1.2. * * class-dump is Copyright (C) 1997-1998, 2000-2001, 2004-2007 by Steve Nygard. */ #import @interface NSTokenAttachment : NSTextAttachment { id _delegate; } - (id)initWithDelegate:(id)fp8; - (void)encodeWithCoder:(id)fp8; - (id)initWithCoder:(id)fp8; - (id)attachmentCell; - (id)delegate; - (void)setDelegate:(id)fp8; @end ././@LongLink0000000000000000000000000000021200000000000011560 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWHyperlinkButtonCell.hunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000036211361646373033537 0ustar bcpiercebcpierce// // BWHyperlinkButtonCell.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWHyperlinkButtonCell : NSButtonCell { } @end ././@LongLink0000000000000000000000000000016500000000000011567 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/unison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000755006131600613160000000000012050210656033517 5ustar bcpiercebcpierce././@LongLink0000000000000000000000000000022500000000000011564 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentSliderTrackRight.tiffunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000047411361646373033543 0ustar bcpiercebcpierceMM*>0 L*?0 & &@$,(=RS4iHH././@LongLink0000000000000000000000000000022400000000000011563 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentScrollerKnobLeft.tifunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000720011361646373033535 0ustar bcpiercebcpierceMM* P8 BH0  A!\TST24L0J@Ic/D6|hH?T'1z?@ 7J+%*\LdM$7[H0O\ j&R.4@R D<#ja` 2U(12=RS0is H8HHAdobe Photoshop CS4 Macintosh2008:11:02 20:27:55 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000022300000000000011562 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TexturedSliderSpeakerQuiet.pngunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000044211361646373033536 0ustar bcpiercebcpiercePNG  IHDR {D!tEXtSoftwareGraphicConverter (Intel)wIDATxb` ī@[GnE754nkj*RVQrSEUU$Z 7<)  RUS] ++{SFAlY( RdhdAJZ򦤔K!X HGOwY7!(fĂ() x PHX"B&OIENDB`././@LongLink0000000000000000000000000000022600000000000011565 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/GradientSplitViewDimpleBitmap.tifunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000674611361646373033553 0ustar bcpiercebcpierceMM*Z6 MX# ,-!A`/bA6N<@@P2*'V^(1f2=Sis HHHAdobe Photoshop CS3 Macintosh2008:02:01 16:09:56 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000022000000000000011557 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentCheckboxOnP.tiffunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000144611361646373033543 0ustar bcpiercebcpierceMM*( P8$ A@ B8 OϤI򅁁 aTo928+(!s\ GtoĒ_0FL ZV*%HK$J1D~l5-4!tT 5A 6 KºP*L a^G [ |<r 7++B=.`. [eXKC2Y-Y**pE^[A0x;`QyV{n7[e|M.7 oҁ4Oh z!nEx[#x&dFm  D@" BT@\y^0gx!$,@%"O\T 1uaZ'B#YRQK,̄/LjYqws: &%H&#`9Ӵ.J&n[zr(dTxfrd#(%S `E<(򁝨ހ& $(=RSiHH././@LongLink0000000000000000000000000000022100000000000011560 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentSliderThumbP.tiffunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000126011361646373033535 0ustar bcpiercebcpierceMM*  P8 )9 K (#1g.W UZR?O$ pa5]& $UDO S* m6@o6K_pL'~PgµXL@ VGN{pO+3 X}m1xE{3P @$.L:1*.>3y 6(⁞   & (=RSiHH././@LongLink0000000000000000000000000000022000000000000011557 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentCheckboxOnN.tiffunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000141611361646373033540 0ustar bcpiercebcpierceMM* P8$ A zEQg$ISif`@ : `0h5Tj$bZꔊAs\$m6b1T ,A+\q5`V!O'va1(zTV `c ko|.GHk_0'A`tF-{_{á۬0*E6U Ķ+#|xvpG; ۶uRֻJ[Q|.Qs z 9BQ)f" 8nPV+jᒍE~^0q6HFJ܁rg1b @J{gz g  & (=RSiHH././@LongLink0000000000000000000000000000021700000000000011565 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/ButtonBarPullDownArrow.pdfunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000002471611361646373033550 0ustar bcpiercebcpierce%PDF-1.7 % 1 0 obj <> endobj 12 0 obj <>stream application/pdf Adobe Photoshop CS3 Macintosh 2008-06-14T20:29:08-04:00 2008-06-14T20:29:31-04:00 2008-06-14T20:29:31-04:00 JPEG 3 5 /9j/4AAQSkZJRgABAgAASABIAAD/7QAMQWRvYmVfQ00AAf/uAA5BZG9iZQBkgAAAAAH/2wCEAAwI CAgJCAwJCQwRCwoLERUPDAwPFRgTExUTExgRDAwMDAwMEQwMDAwMDAwMDAwMDAwMDAwMDAwMDAwM DAwMDAwBDQsLDQ4NEA4OEBQODg4UFA4ODg4UEQwMDAwMEREMDAwMDAwRDAwMDAwMDAwMDAwMDAwM DAwMDAwMDAwMDAwMDP/AABEIAAMABQMBIgACEQEDEQH/3QAEAAH/xAE/AAABBQEBAQEBAQAAAAAA AAADAAECBAUGBwgJCgsBAAEFAQEBAQEBAAAAAAAAAAEAAgMEBQYHCAkKCxAAAQQBAwIEAgUHBggF AwwzAQACEQMEIRIxBUFRYRMicYEyBhSRobFCIyQVUsFiMzRygtFDByWSU/Dh8WNzNRaisoMmRJNU ZEXCo3Q2F9JV4mXys4TD03Xj80YnlKSFtJXE1OT0pbXF1eX1VmZ2hpamtsbW5vY3R1dnd4eXp7fH 1+f3EQACAgECBAQDBAUGBwcGBTUBAAIRAyExEgRBUWFxIhMFMoGRFKGxQiPBUtHwMyRi4XKCkkNT FWNzNPElBhaisoMHJjXC0kSTVKMXZEVVNnRl4vKzhMPTdePzRpSkhbSVxNTk9KW1xdXl9VZmdoaW prbG1ub2JzdHV2d3h5ent8f/2gAMAwEAAhEDEQA/AMyv7J+2b4/YW79s0z/Sdm708jbz7Ps3qb/5 v9X+2/zv6r6KS89SSU//2Q== uuid:3233F5DEE23BDD1188A5F807AAD5B5AB uuid:d364bcf4-ecbc-9348-b5a9-7f85a6b611f5 uuid:72448EAFE13BDD1188A5F807AAD5B5AB uuid:72448EAFE13BDD1188A5F807AAD5B5AB 1 720000/10000 720000/10000 2 256,257,258,259,262,274,277,284,530,531,282,283,296,301,318,319,529,532,306,270,271,272,305,315,33432;5F3E335AFF780C9D7CD7E1ADA05DBE38 5 3 1 36864,40960,40961,37121,37122,40962,40963,37510,40964,36867,36868,33434,33437,34850,34852,34855,34856,37377,37378,37379,37380,37381,37382,37383,37384,37385,37386,37396,41483,41484,41486,41487,41488,41492,41493,41495,41728,41729,41730,41985,41986,41987,41988,41989,41990,41991,41992,41993,41994,41995,41996,42016,0,2,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18,20,22,23,24,25,26,27,28,30;DECD3C4701D62E29B6EB81157F585A9F 3 sRGB IEC61966-2.1 Adobe Photoshop for Macintosh endstream endobj 2 0 obj <> endobj 5 0 obj <> endobj 7 0 obj <>stream q q 5 0 0 3 0 0 cm q 0.5000026 -0.0002287 m 0.0000771 1.0002303 l 0.9999280 1.0002303 l 0.5000026 -0.0002287 l h W n /Im0 Do Q Q Q endstream endobj 8 0 obj <>/ColorSpace<>/ProcSet[/PDF/Text/ImageB/ImageC/ImageI]/ExtGState<>>>>> endobj 10 0 obj [/ICCBased 9 0 R] endobj 9 0 obj <>stream HyTSwoɞc [5, BHBK!aPVX=u:XKèZ\;v^N߽~w.MhaUZ>31[_& (DԬlK/jq'VOV?:OsRUzdWRab5? Ζ&VϳS7Trc3MQ]Ymc:B :Ŀ9ᝩ*UUZ<"2V[4ZLOMa?\⎽"?.KH6|zӷJ.Hǟy~Nϳ}Vdfc n~Y&+`;A4I d|(@zPZ@;=`=v0v <\$ x ^AD W P$@P>T !-dZP C; t @A/a<v}a1'X Mp'G}a|OY 48"BDH4)EH+ҍ "~rL"(*DQ)*E]a4zBgE#jB=0HIpp0MxJ$D1(%ˉ^Vq%],D"y"Hi$9@"m!#}FL&='dr%w{ȟ/_QXWJ%4R(cci+**FPvu? 6 Fs2hriStݓ.ҍu_џ0 7F4a`cfb|xn51)F]6{̤0]1̥& "rcIXrV+kuu5E4v}}Cq9JN')].uJ  wG x2^9{oƜchk`>b$eJ~ :Eb~,m,-Uݖ,Y¬*6X[ݱF=3뭷Y~dó Qti zf6~`{v.Ng#{}}c1X%6fmFN9NN8SΥ'g\\R]Z\t]\7u}&ps[6v_`) {Q5W=b _zžAe#``/VKPo !]#N}R|:|}n=/ȯo#JuW_ `$ 6+P-AܠԠUA' %8佐b8]+<q苰0C +_ XZ0nSPEUJ#JK#ʢi$aͷ**>2@ꨖОnu&kj6;k%G PApѳqM㽦5͊---SbhZKZO9uM/O\^W8i׹ĕ{̺]7Vھ]Y=&`͖5_ Ыbhו ۶^ Mw7n<< t|hӹ훩' ZL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km  endstream endobj 6 0 obj <>stream endstream endobj 11 0 obj <> endobj xref 0 13 0000000003 65535 f 0000000016 00000 n 0000006676 00000 n 0000000004 00001 f 0000000000 00000 f 0000006727 00000 n 0000009859 00000 n 0000006851 00000 n 0000007032 00000 n 0000007211 00000 n 0000007177 00000 n 0000010121 00000 n 0000000077 00000 n trailer <<10B89CB6AA9C4EF8AF41B07220157CA1>]>> startxref 10293 %%EOF ././@LongLink0000000000000000000000000000021700000000000011565 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentPopUpLeftP.tiffunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000105411361646373033536 0ustar bcpiercebcpierceMM*. P0H% EtZ. @X" PdY|g'@# /7@ʕZ8t҉L+ZF]ԣTEAh4*4aQgvf $̿GF% oGXx`/k ]PpY񗅢^ $k Z>hB @+qo7鈘CTֳ%p_|7ܪ10Dp@ 'Ű0 Fp  &U(=RS$iHH././@LongLink0000000000000000000000000000021700000000000011565 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentPopUpLeftN.tiffunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000105411361646373033536 0ustar bcpiercebcpierceMM*. P02 C>p@ JAlzL%,Lu*G0qܤ/+)ˊ9Yi98h.،&J>u>tzh61 B`. {Dؼ 'Ű0 H@p0 &U(=RS$iHH././@LongLink0000000000000000000000000000023400000000000011564 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentScrollerKnobVerticalFill.tifunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000676411361646373033553 0ustar bcpiercebcpierceMM*X Ip=P-|D@B%|ѰR^<Ȁ Z2 &bj(1r2=RSis HHHAdobe Photoshop CS3 Macintosh2008:09:06 02:10:41 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000021700000000000011565 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentPopUpFillP.tiffunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000057411361646373033544 0ustar bcpiercebcpierceMM*~-W ]2NɤA$K#Q4%GZ CO4?Nv;M#n7LQg33 #\&Xdl(=RStiHH././@LongLink0000000000000000000000000000022100000000000011560 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentButtonRightP.tiffunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000137611361646373033545 0ustar bcpiercebcpierceMM* +Uu6[-vIg,v ,F_v8M'@,JAK5m.E>^Î?cĢY4``1}Te^cA$KPk@H*Q56f/g(zM'[x=o<Ѩ:,uQh} Q"a 2Ba@Ux%Rh CnR7V{Z/ $I?k@ `1Dyz=r4Ph4" M1s;Sp<7A$zn9qxfPپȘ5s @6{RGd9:#(5 M(>!(e-8n C 3h:rS:8g2Cl( .p'0\塺ᜎIXW rY}3yd9&j8l#ZȎ='+X(0  & (=RSiHH././@LongLink0000000000000000000000000000021700000000000011565 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentPopUpFillN.tiffunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000057011361646373033540 0ustar bcpiercebcpierceMM*zOhZ.0bR*.rАH%,D""x<)Ҁd2&BbHL(#fD@tԂ S|:A4} 0X&S`h(=RSpiHH././@LongLink0000000000000000000000000000022100000000000011560 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentButtonRightN.tiffunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000140611361646373033537 0ustar bcpiercebcpierceMM* +Uu6[-vIg,v ,F_v84 0P‚A 2y<˅dg3qz8* ^1$1bLT0WՌq EE%t"qHnL%Sbx& U^0DQ8iCbϗ\JX@[6T!|@U&@%,P %9f7҆Q%C!7}]A dZ5$iPXϢxc*c(GOd20Ǻ h: E|]̡L4@pv$!Gd9: d<HR4A(e-8nQzćx¸*9FnEN JZg"n8g#RxV~kFgIc|ᰎjD#8v#"8o#=.b8|8z#2LJ & (=RSiHH././@LongLink0000000000000000000000000000022500000000000011564 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentScrollerSlotRight.tifunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000717611361646373033551 0ustar bcpiercebcpierceMM* Chu]0W0,}F^V ( ^ҷ JyN@d3?CG GELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000017700000000000011572 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/Info.plistunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000125711361646373033543 0ustar bcpiercebcpierce CFBundleDevelopmentRegion English CFBundleExecutable BWToolkitFramework CFBundleIdentifier com.brandonwalkin.BWToolkitFramework CFBundleInfoDictionaryVersion 6.0 CFBundlePackageType FMWK CFBundleSignature ???? CFBundleVersion 1.2.5 NSPrincipalClass BWToolkit ././@LongLink0000000000000000000000000000021200000000000011560 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/ToolbarItemFonts.tiffunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000561411361646373033544 0ustar bcpiercebcpierceMM* P8$ BaPd6DbQ8p,"F])HdP`䕴"޲܎]/A3nlrOO*c?DT0RB.bO#jU8H:vVP`_g8CjD6.wYSmk7@7qCg5{Dk U"9X}2;La0z\!6BaI=zzpgڮ$' Kߜ W!8:{Ht*CuDMb\)2r_J|%ΫqwrC 4<*?Q /,9''* q Fxx-1eL 7#gQ/r3D'|坣LMI \."7r:*B:PwQ.d%n '+\H%gYB' Poͨc1DFtQHO~0dH(\H2]̏F\2=ιZ H0FmX]3_֪VH ,Uc@Du 0"L_HJYD0kl!a4P_1_ )@g}46iWUOzÀO gOG1$9$wNF/yz@bbP @ GN@@ 2 (12=RS,is H4HHAdobe Photoshop CS3 Macintosh2008:09:06 02:03:44 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000022000000000000011557 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentButtonLeftP.tiffunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000125411361646373033540 0ustar bcpiercebcpierceMM*  P8$Aca~.F"q8J h1 Q03s8 ? toW5G$39fGڭH!!S@דZ@j6ʎ' i@i.[x$VQ0*^KmS<yeEf+I%H{ӣ0Pa1S~|$@c2j` Oj, 1Wa.Elr EJ|=FPPD @va>@ 5>]!@PLl`3Wd4O3) `,("@.znS= bN ʸ/'Bsv;/',1 ǒڂ@q `}gn\%!C~h ; 4 8 1sLdA4e@z_)*`PaPVa FhNni ʴ0 ,IAN{Oy`tA `(h6 \sp+I%H:pK8nKUz]3h $E8u<ٌJb0 , I ju6KFj.(bb.eQRSfAb1mhd BB@mj9mFsj `0rpb H ` @j a `'6: @Z `J  & (=RSiHH././@LongLink0000000000000000000000000000022300000000000011562 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentScrollerSlotTop.tifunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000717011361646373033543 0ustar bcpiercebcpierceMM*  P8  p0T v07- ѰH< '>eOxr!@`6h |'O03֌yR^p6l 7!jO=? ]~@ Nm@ hHozV4^tg1w@ *Cq]ں>A 2 (12=RS(is H0HHAdobe Photoshop CS3 Macintosh2008:09:06 02:04:47 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000022100000000000011560 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TexturedSliderPhotoLarge.tifunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000117211361646373033537 0ustar bcpiercebcpierceMM*| OT2 Db0 6 DBR_O@ Q#/lU4mQ8);$D[w@M@^ [)|e.?ֆ: ?= @ ۧAr͂ 6HD۰Z٠$_j4}8@>y!d^+C0/$2 A J$$BGP2$( 1#. I  Z&Vbj(=RSriHH././@LongLink0000000000000000000000000000021600000000000011564 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TexturedSliderThumbN.tiffunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000153011361646373033535 0ustar bcpiercebcpierceMM*  P8J L"8a!6,gFS HG"'e@0J>0Pa1S~|$@c2j` Oj, 1Wa.Elr EJ|=FPPD @v)d@Lf5vAs<2X,M$kc⭠w;k%OCX0/@V> $Psv;/', hc}npePi( @6hsfP^ F #XTH@ %In`)*~K: `X ggAasm [?AYCˑkg1piR8v  2 (12<=RSPiHHAdobe Photoshop CS3 Macintosh2008:03:22 17:01:03././@LongLink0000000000000000000000000000020000000000000011555 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/License.rtfunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000434711361646373033546 0ustar bcpiercebcpierce{\rtf1\ansi\ansicpg1252\cocoartf1038\cocoasubrtf250 {\fonttbl\f0\fnil\fcharset0 Verdana;\f1\fnil\fcharset0 LucidaGrande;} {\colortbl;\red255\green255\blue255;\red73\green73\blue73;} {\*\listtable{\list\listtemplateid1\listhybrid{\listlevel\levelnfc23\levelnfcn23\leveljc0\leveljcn0\levelfollow0\levelstartat1\levelspace360\levelindent0{\*\levelmarker \{disc\}}{\leveltext\leveltemplateid1\'01\uc0\u8226 ;}{\levelnumbers;}\fi-360\li720\lin720 }{\listname ;}\listid1}} {\*\listoverridetable{\listoverride\listid1\listoverridecount0\ls1}} \deftab720 \pard\pardeftab720\sl400\sa280\ql\qnatural \f0\fs24 \cf2 Copyright (c) 2010, Brandon Walkin \f1 \uc0\u8232 \f0 All rights reserved.\ Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met:\ \pard\tx220\tx720\pardeftab720\li720\fi-720\sl400\sa20\ql\qnatural \ls1\ilvl0\cf2 {\listtext \'95 }Redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer.\ {\listtext \'95 }Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution.\ {\listtext \'95 }Neither the name of the Brandon Walkin nor the names of its contributors may be used to endorse or promote products derived from this software without specific prior written permission.\ \pard\pardeftab720\sl400\sa280\ql\qnatural \cf2 THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.}././@LongLink0000000000000000000000000000023600000000000011566 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentScrollerSlotHorizontalFill.tifunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000676611361646373033555 0ustar bcpiercebcpierceMM*Z Cp~ f3 FaȠ=Pp@ \2'dl(1t2=RSis HHHAdobe Photoshop CS4 Macintosh2008:11:02 20:23:10 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000022000000000000011557 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentButtonFillP.tiffunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000057411361646373033544 0ustar bcpiercebcpierceMM*~-W ]2NɤA$K#Q4%GZ CO4?Nv;M#n7LQg33 #\&Xdl(=RStiHH././@LongLink0000000000000000000000000000022100000000000011560 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentCheckboxOffP.tiffunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000107611361646373033542 0ustar bcpiercebcpierceMM*@ P8$ BaP@! L*M34.-IQho/d^\&ABK$J1D~l5-} ( 0#M[.W Q0O,F%b5aWj(zC! U rx[]%"!(z_^KGGUʅFF.O) zRQgRx-VjsvaL&K&XA$L8 16 ~ tE[-2G d@0?o& $&.(=RS6iHH././@LongLink0000000000000000000000000000022700000000000011566 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentPopUpPullDownRightP.tifunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000147011361646373033540 0ustar bcpiercebcpierceMM*-W  BaPd6{=_ 6ARmi%):M'BR( @pau@LY4hTh4nvH$jV*\N2#Q4^g "a,A6"Qh}C F qCw|$^1 / a1q>h:z^.$aGYbGe\p91gWv@Lf+ tCajӔt;|\v< 1gSvp7va3Zv H\Yv;dZF-ldtĒN,7C%"@&X5t `(,X3CT €ɐ  Ø2 <6DD? 1j :PT_)FD ꄈ(hHDjEg묤999ڃȃ9惝<2(12=RS0iHHAdobe Photoshop CS3 Macintosh2008:07:16 04:33:00././@LongLink0000000000000000000000000000022000000000000011557 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentButtonFillN.tiffunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000057011361646373033540 0ustar bcpiercebcpierceMM*z-W Z.0bR*.rАH%,D""x<)Ҁd2&BbHL(#fD@tԂ S|:A4} 0X&S`h(=RSpiHH././@LongLink0000000000000000000000000000022100000000000011560 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentCheckboxOffN.tiffunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000110211361646373033530 0ustar bcpiercebcpierceMM*D P8$ BaP@! L*M34.-IQh"EW#//Cau& Q#_gZzaGQSi(ΚV@ dN8jfI-Z%U$G MMJd0iq>9_<]+"p TwcI fX*:V?C,oB" KlIDÉso J[Ku!`c(;x6D  | ``n"& $*2(=RS:iHH././@LongLink0000000000000000000000000000022700000000000011566 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentPopUpPullDownRightN.tifunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000145211361646373033540 0ustar bcpiercebcpierceMM*Oh BaPd6|n b0nw; E :M'BP(2 a@9RR,#fV,/hT:|@!@VQ "W@" GQ)XZ@2dLBbA jQ rآWD"" (,»<8ilacCB"Q3T0K4mF`_11y6A'\.M&q PELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000023100000000000011561 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentSliderTriangleThumbP.tiffunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000240211361646373033534 0ustar bcpiercebcpierceMM* P0N'&C9F# `8Vnie4lڑhE(I"MgOñJ⊊U*ŒI d*D`0T'mxj_v2cN0K$kP&T^fWFZfA506Ta__;,aQ1vq8QrPF].VZϙfpYx[,p6TT_1W*x;9} 6AE!p&T9% V\500ؿXRU5 ȧH#=Hg>` fUgœ aC@80Fz98* at (1e#&i>TBH_%F2d- Q3SL-ˈ&(=RS҇is(HH(ADBEmntrRGB XYZ acspAPPLnone-ADBE cprt2desc0dwtptbkptrTRCgTRCbTRCrXYZgXYZbXYZtextCopyright 1999 Adobe Systems Incorporateddesc Apple RGBXYZ QXYZ curvcurvcurvXYZ yARXYZ V/XYZ &"p././@LongLink0000000000000000000000000000022500000000000011564 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentScrollerKnobRight.tifunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000721411361646373033542 0ustar bcpiercebcpierceMM* I0CQ6,eF]Ḳ았+\CZ1g7fD@)%?2(NpNgQE45yJ:,_blUX&Z@ bo@ ټ:W7YŃA%Bqc9ւ߭{H$L>v aPȌB# 2U(1 2(=RSELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000023100000000000011561 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentSliderTriangleThumbN.tiffunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000237011361646373033540 0ustar bcpiercebcpierceMM* P0N'&C9F# `8Vnie4lڑhE(߯/I&Q0 'إqEE*b$hdgOT_xW*6TZ\/KOEHRH M8f-e@jKE0v4%@1Q~U*|U)[B*.R~D|r`>F"WHiEEJrhvD >#|H!=B0{R& mhrKVic +\ &c OV @M=AhՀ b;. Y&"\ftTEdaQ 4r( f䢁D!r12&(=RSȇis(HH(ADBEmntrRGB XYZ acspAPPLnone-ADBE cprt2desc0dwtptbkptrTRCgTRCbTRCrXYZgXYZbXYZtextCopyright 1999 Adobe Systems Incorporateddesc Apple RGBXYZ QXYZ curvcurvcurvXYZ yARXYZ V/XYZ &"p././@LongLink0000000000000000000000000000022000000000000011557 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/Library-SheetController.tifunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000001605211361646373033542 0ustar bcpiercebcpierceMM*00 P8$ BaPd6DbQ8V-FcQv* cax ''# E _;M-)|-v=OT`B0bA C8 '}?@.7j?G$pͦ+`_fϩdrP1`>0A1]>=^@*PF@``X+?^\`dv4 H%WϭF兓D{ Krpdp` j~KYZZk{ajdyd@{^`IRIpz @d  w`p A`YAhк܇h2,0(spqI $r'f zB,y@P& m G J Sb4.,&+Hٯv^i`9x{1/fQVQ('"0u( GN/ uRSUDV̋Y.:.-G`Ix =C(p#`&uheMHD R9b vUr'Y^s2|_&^eZyΘ*Š6EJb((^ 6t{͸. nG(+ V&JS+Q{]hVV 4_+TEzf/~6N`.É&||@BC0y@ʀ>xL{ Fewh1dTn|@Pս*'p)-MPaЇ:d A(#.R 88! p9& BCpmH˹o B.e+F!H M 64#=#"i.P:GhPNrL{xq"b@ C xQvD` ~F3Y'#4E:XR;x-@ `c=lS/! gH\ü7\Lix|0EIg*L(T)BPNE AT#D@X#7q];9 U  f͂NS/K̊`r :xi<hiԨI4M 7D#~0 It 6@!>+9vhP,_`o!4`S ,7P= cH@蹳B0.bx5hȼ2:D4[*z@!17$XAVA$H`s 4LX<0 G&|bj}.^@ 1ӂe?xo*L]-N{4M2-ț)Lxr\gk KmP IZRFT"PV*r512^ p. ~ vsR&dF !m&ISg62g{2LK0r718ӌDI $32NBfn3r&& @j4a$J@sE]&eS&6^0&w0I8 *!  " K譴$):#_2k.CP `&@܅ op S4_.3%FfXw_%?2:gDZ`aHF A hFDRB1+EoS373s h VРf fMMn 6sHn2oFs?w?KGî!Q^VI d~9CBt2u(~~вn.5< jf%D@@xj`NESNs.j&n^v!Ak"Q 5"5%JRҶ"1S4 ri&/C[0v@@`Zj<AV&G]`@&:\A'#BR e)ρa4:Rb'Vj$bv-'ϯaRraS:'pZUS6)O(pmV2"002\(12=RSڇis HHHAdobe Photoshop CS3 Macintosh2008:07:04 16:58:08 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000022100000000000011560 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TexturedSliderTrackLeft.tiffunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000060211361646373033534 0ustar bcpiercebcpierceMM* Bp<PXGTTp4B %/1&MJG0^\? BR5dc|"~f,&  C@@b&U]jr(=RSziHH././@LongLink0000000000000000000000000000022400000000000011563 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentSliderTrackLeft.tiffunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000047411361646373033543 0ustar bcpiercebcpierceMM*>`ES\0& &@$,(=RS4iHH././@LongLink0000000000000000000000000000023400000000000011564 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentScrollerSlotVerticalFill.tifunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000676211361646373033551 0ustar bcpiercebcpierceMM*V  Cp=PL}FAx X2 #`h(1p2=RSis HHHAdobe Photoshop CS3 Macintosh2008:09:06 02:10:16 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000022100000000000011560 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TexturedSliderPhotoSmall.tifunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000072411361646373033541 0ustar bcpiercebcpierceMM* P8$ BaPd6DbQ8(o`j5?r4 xAʘ`ɣ_7@Te2\ndg)-u9<胚_,OmvZѩ=W@@ DW#@4G-faP &(=RṠiHH././@LongLink0000000000000000000000000000022000000000000011557 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentPopUpRightP.tiffunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000145611361646373033544 0ustar bcpiercebcpierceMM*0-W  BaPd6{=_ 6ARmi%):M'BR( @pau@LY4hTh4nvH$jV*\N2#Q4^gr  EY lD|pY`b26 F Cuwt\ǎw3. $r9%0i8ht=]qEJ&AyWGATx<o& z=UPv&R:R j +p8c쫢cu'H6 +G(t\$-7Ct8>lf.&h0 ' $ Bh #X71sBπ(::QQ H$" (hHDjEg919ڃ@9惝K34r?p.DL&$,(=RS4iHH././@LongLink0000000000000000000000000000022600000000000011565 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/GradientSplitViewDimpleVector.pdfunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000002662311361646373033547 0ustar bcpiercebcpierce%PDF-1.7 % 1 0 obj <> endobj 12 0 obj <>stream application/pdf Adobe Photoshop CS3 Macintosh 2008-02-16T21:30:46-05:00 2008-02-16T21:30:59-05:00 2008-02-16T21:30:59-05:00 JPEG 16 16 /9j/4AAQSkZJRgABAgAASABIAAD/7QAMQWRvYmVfQ00AAf/uAA5BZG9iZQBkgAAAAAH/2wCEAAwI CAgJCAwJCQwRCwoLERUPDAwPFRgTExUTExgRDAwMDAwMEQwMDAwMDAwMDAwMDAwMDAwMDAwMDAwM DAwMDAwBDQsLDQ4NEA4OEBQODg4UFA4ODg4UEQwMDAwMEREMDAwMDAwRDAwMDAwMDAwMDAwMDAwM DAwMDAwMDAwMDAwMDP/AABEIABAAEAMBIgACEQEDEQH/3QAEAAH/xAE/AAABBQEBAQEBAQAAAAAA AAADAAECBAUGBwgJCgsBAAEFAQEBAQEBAAAAAAAAAAEAAgMEBQYHCAkKCxAAAQQBAwIEAgUHBggF AwwzAQACEQMEIRIxBUFRYRMicYEyBhSRobFCIyQVUsFiMzRygtFDByWSU/Dh8WNzNRaisoMmRJNU ZEXCo3Q2F9JV4mXys4TD03Xj80YnlKSFtJXE1OT0pbXF1eX1VmZ2hpamtsbW5vY3R1dnd4eXp7fH 1+f3EQACAgECBAQDBAUGBwcGBTUBAAIRAyExEgRBUWFxIhMFMoGRFKGxQiPBUtHwMyRi4XKCkkNT FWNzNPElBhaisoMHJjXC0kSTVKMXZEVVNnRl4vKzhMPTdePzRpSkhbSVxNTk9KW1xdXl9VZmdoaW prbG1ub2JzdHV2d3h5ent8f/2gAMAwEAAhEDEQA/AOpzLsjqlznPeRjgkV1DQR+8795zksO7J6Xc xzHk45IFlR1EfvN/dc1XLcN+FY5rmn0STseOI8ClVhvzbGta0+kCC954jwCSn//Z uuid:7750097D68DEDC11BB92BDC6FD4C7FBA uuid:d55aa6fe-4f87-9045-bedc-eced5d1cc5dd uuid:7650097D68DEDC11BB92BDC6FD4C7FBA uuid:7650097D68DEDC11BB92BDC6FD4C7FBA 1 720000/10000 720000/10000 2 256,257,258,259,262,274,277,284,530,531,282,283,296,301,318,319,529,532,306,270,271,272,305,315,33432;6484DE694EED10FCB1360A97BFC32F0A 16 16 1 36864,40960,40961,37121,37122,40962,40963,37510,40964,36867,36868,33434,33437,34850,34852,34855,34856,37377,37378,37379,37380,37381,37382,37383,37384,37385,37386,37396,41483,41484,41486,41487,41488,41492,41493,41495,41728,41729,41730,41985,41986,41987,41988,41989,41990,41991,41992,41993,41994,41995,41996,42016,0,2,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18,20,22,23,24,25,26,27,28,30;26EC271C894309D0BBA2E3379EE65237 3 sRGB IEC61966-2.1 Adobe Photoshop for Macintosh endstream endobj 2 0 obj <> endobj 5 0 obj <> endobj 7 0 obj <>stream q q 16 0 0 16 0 0 cm q 0.4999998 1.0000093 m 0.7761371 1.0000093 1.0000090 0.7761374 1.0000090 0.5000001 c 1.0000090 0.2238628 0.7761371 -0.0000091 0.4999998 -0.0000091 c 0.2238625 -0.0000091 -0.0000094 0.2238628 -0.0000094 0.5000001 c -0.0000094 0.7761374 0.2238625 1.0000093 0.4999998 1.0000093 c h W* n /Im0 Do Q Q Q endstream endobj 8 0 obj <>/ColorSpace<>/ProcSet[/PDF/Text/ImageB/ImageC/ImageI]/ExtGState<>>>>> endobj 10 0 obj [/ICCBased 9 0 R] endobj 9 0 obj <>stream HyTSwoɞc [5, BHBK!aPVX=u:XKèZ\;v^N߽~w.MhaUZ>31[_& (DԬlK/jq'VOV?:OsRUzdWRab5? Ζ&VϳS7Trc3MQ]Ymc:B :Ŀ9ᝩ*UUZ<"2V[4ZLOMa?\⎽"?.KH6|zӷJ.Hǟy~Nϳ}Vdfc n~Y&+`;A4I d|(@zPZ@;=`=v0v <\$ x ^AD W P$@P>T !-dZP C; t @A/a<v}a1'X Mp'G}a|OY 48"BDH4)EH+ҍ "~rL"(*DQ)*E]a4zBgE#jB=0HIpp0MxJ$D1(%ˉ^Vq%],D"y"Hi$9@"m!#}FL&='dr%w{ȟ/_QXWJ%4R(cci+**FPvu? 6 Fs2hriStݓ.ҍu_џ0 7F4a`cfb|xn51)F]6{̤0]1̥& "rcIXrV+kuu5E4v}}Cq9JN')].uJ  wG x2^9{oƜchk`>b$eJ~ :Eb~,m,-Uݖ,Y¬*6X[ݱF=3뭷Y~dó Qti zf6~`{v.Ng#{}}c1X%6fmFN9NN8SΥ'g\\R]Z\t]\7u}&ps[6v_`) {Q5W=b _zžAe#``/VKPo !]#N}R|:|}n=/ȯo#JuW_ `$ 6+P-AܠԠUA' %8佐b8]+<q苰0C +_ XZ0nSPEUJ#JK#ʢi$aͷ**>2@ꨖОnu&kj6;k%G PApѳqM㽦5͊---SbhZKZO9uM/O\^W8i׹ĕ{̺]7Vھ]Y=&`͖5_ Ыbhו ۶^ Mw7n<< t|hӹ훩' ZL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km  endstream endobj 6 0 obj <>stream rrruuuyyy~~~~~~yyyuuurrrwww||||||www}}}}}}¿úżżĺǿ¾ endstream endobj 11 0 obj <> endobj xref 0 13 0000000003 65535 f 0000000016 00000 n 0000006720 00000 n 0000000004 00001 f 0000000000 00000 f 0000006771 00000 n 0000010096 00000 n 0000006899 00000 n 0000007269 00000 n 0000007448 00000 n 0000007414 00000 n 0000011086 00000 n 0000000077 00000 n trailer <<4866DB5336014798BED9528D03CDD3B2>]>> startxref 11258 %%EOF ././@LongLink0000000000000000000000000000021300000000000011561 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/ToolbarItemColors.tiffunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000001243211361646373033540 0ustar bcpiercebcpierceMM* P8$ BaPd6DbQ8V-@@@$,  0@];]N%.b@xg ġN#a`2H|=Kr8/vcj3Zmh@ yGA`P&9˄apP$@ࠈ wooA_]0QJޏGKZX96!ۮ1 DJ Pf?@}xu$@Fzfɜux:AH`MЂ' 0.&~ } @I}Gqv za~#n)IxKCh8J @PBqY! ,@ X,o=G^҉3Cs0r_)Gg~dl9qt@, 9^  9qt h +A1zI!{Ɏe2ÜJsrc>\1d>o%Q _%= 5D 8NY `2h(# P ~ ]u >Zr0h @>XiB)f*7  Y(xOI?P n`@EP40,d~&eUt\PXßv~єfǹ `! X<42!AQn/8ʏ `ݱ}rKGYs'tox@N>rG pCA~" GByg:G5$&Qc>\`9` qsL7'XwA4DC>  ": m6}1VjQPp@ Hx2=cS,t<⹀&/E"PH33 d,EpaXC6$N bX 9sK.FR]vp'Zc)'OoKC* EB|C ! @ &D/H7!|Fd(G,때z.<[9Ps`8p+Ckb@ w  fQ<&D='D[:9d(y%Aw=S}.*RLqhtIv m*[x} DDx;pR >d87V[xl ;:|5QM# RD{ < du5&{Q2,`qЈd$<u!FRp~`2?O@UTr&UҊ@ x$@;W5U0?t#et-k TA< . ,ɊYg?J)ԢɈHv@ՎjNC1ʇN J7Hn  X.A0`y -Y5SD♫ RGgLSؗG/"BtN` "JC,MqT@$Lq w <"0=Ă6, -n@ŤYwanO;Bm e@!aK8I$ØF$(B @C " `?ysx X p5ʀϟ3Rx | ~|@N01l@Bb?q7@(c_J C[R3O_^ >h*8>"(l)A4@@ C `2}MIzSF)X.1L%)8P¼K^70e*B'8b!0fqd '3 m%C@,x=`j%ƟL<LA @+ `` tO"`{2@N0"t .D,!pHH- H A~ @0`l.ݐ zXk؅"gh$+6bH>P@ro, n"c*"4ʤ!?zI'"O!ovG'#k knPPgJV kG9m@ǂ & #  P 6pt KJ'ĹR슐 U(12=RSs(HHAdobe Photoshop CS3 Macintosh2008:09:08 11:59:57(ADBEmntrRGB XYZ acspAPPLnone-ADBE cprt2desc0dwtptbkptrTRCgTRCbTRCrXYZgXYZbXYZtextCopyright 1999 Adobe Systems Incorporateddesc Apple RGBXYZ QXYZ curvcurvcurvXYZ yARXYZ V/XYZ &"p././@LongLink0000000000000000000000000000022200000000000011561 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TexturedSliderSpeakerLoud.pngunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000075311361646373033543 0ustar bcpiercebcpiercePNG  IHDR r|!tEXtSoftwareGraphicConverter (Intel)wIDATxb` Uo`p/ghdدooUMmm&m)__Nmu%Q4hhTb_]S(S`QEeESTeU***72`&5qqɡ=FFFn""i  Z5qDGgϙmzAVV , MN.MftYes RR7%oJJk]\PPPYb7AXB˗ff+6544 %@EDEn0ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000022300000000000011562 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentScrollerKnobTop.tifunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000722211361646373033541 0ustar bcpiercebcpierceMM*  P8 @P\O%_PX,6M$ tW' %@<֘;W7l?P0X&|޸7 Z؋,R5,JfGN<F9NiV4 2 (12.=RSBis HJHHAdobe Photoshop CS3 Macintosh2008:09:06 02:01:14 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000023600000000000011566 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentScrollerKnobHorizontalFill.tifunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000000676611361646373033555 0ustar bcpiercebcpierceMM*Z I|3жa4DY0fPsXO@@ \2'dl(1t2=RSis HHHAdobe Photoshop CS4 Macintosh2008:11:02 20:27:32 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000020600000000000011563 Lustar rootrootunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/Release Notes.rtfunison-2.40.102/uimacnew09/BWToolkit.ibplugin/Contents/Frameworks/BWToolkitFramework.framework/Versi0000644006131600613160000001005211361646373033534 0ustar bcpiercebcpierce{\rtf1\ansi\ansicpg1252\cocoartf1038\cocoasubrtf250 {\fonttbl\f0\fswiss\fcharset0 Helvetica;\f1\fnil\fcharset0 Monaco;} {\colortbl;\red255\green255\blue255;\red100\green56\blue32;\red196\green26\blue22;} {\*\listtable{\list\listtemplateid1\listhybrid{\listlevel\levelnfc23\levelnfcn23\leveljc0\leveljcn0\levelfollow0\levelstartat1\levelspace360\levelindent0{\*\levelmarker \{disc\}}{\leveltext\leveltemplateid1\'01\uc0\u8226 ;}{\levelnumbers;}\fi-360\li720\lin720 }{\listname ;}\listid1} {\list\listtemplateid2\listhybrid{\listlevel\levelnfc23\levelnfcn23\leveljc0\leveljcn0\levelfollow0\levelstartat1\levelspace360\levelindent0{\*\levelmarker \{disc\}}{\leveltext\leveltemplateid101\'01\uc0\u8226 ;}{\levelnumbers;}\fi-360\li720\lin720 }{\listname ;}\listid2} {\list\listtemplateid3\listhybrid{\listlevel\levelnfc23\levelnfcn23\leveljc0\leveljcn0\levelfollow0\levelstartat1\levelspace360\levelindent0{\*\levelmarker \{disc\}}{\leveltext\leveltemplateid201\'01\uc0\u8226 ;}{\levelnumbers;}\fi-360\li720\lin720 }{\listname ;}\listid3}} {\*\listoverridetable{\listoverride\listid1\listoverridecount0\ls1}{\listoverride\listid2\listoverridecount0\ls2}{\listoverride\listid3\listoverridecount0\ls3}} \pard\tx566\tx1133\tx1700\tx2267\tx2834\tx3401\tx3968\tx4535\tx5102\tx5669\tx6236\tx6803\ql\qnatural\pardirnatural \f0\b\fs54 \cf0 BWToolkit \fs36 \ \b0 Plugin for Interface Builder 3\ \b \ \pard\tx566\tx1133\tx1700\tx2267\tx2834\tx3401\tx3968\tx4535\tx5102\tx5669\tx6236\tx6803\ql\qnatural\pardirnatural \b0\fs30 \cf0 Version 1.2.5\ January 20, 2010\ \pard\tx566\tx1133\tx1700\tx2267\tx2834\tx3401\tx3968\tx4535\tx5102\tx5669\tx6236\tx6803\ql\qnatural\pardirnatural \fs32 \cf0 \ \ \pard\tx566\tx1133\tx1700\tx2267\tx2834\tx3401\tx3968\tx4535\tx5102\tx5669\tx6236\tx6803\ql\qnatural\pardirnatural \b\fs36 \cf0 Installation \b0\fs28 \ \ Note: If you're building on 10.5, you'll need to build BWToolkit from source.\ \ Step 1. Double click the BWToolkit.ibplugin file to load the plugin into Interface Builder\ \ Note: Interface Builder will reference this file rather than copy it to another location. Keep the .ibplugin file in a location where it won't be deleted.\ \ Step 2. In the Xcode project you want to use the plugin in:\ \pard\tx220\tx720\tx1133\tx1700\tx2267\tx2834\tx3401\tx3968\tx4535\tx5102\tx5669\tx6236\tx6803\li720\fi-720\ql\qnatural\pardirnatural \ls1\ilvl0\cf0 {\listtext \'95 }Right click the Linked Frameworks folder and click Add -> Existing Frameworks. Select the BWToolkitFramework.framework directory.\ \pard\tx220\tx720\tx1133\tx1700\tx2267\tx2834\tx3401\tx3968\tx4535\tx5102\tx5669\tx6236\tx6803\li720\fi-720\ql\qnatural\pardirnatural \ls2\ilvl0\cf0 {\listtext \'95 }Right click your target and click Add -> New Build Phase -> New Copy Files Build Phase. For destination, select Frameworks, leave the path field blank, and close the window.\ \pard\tx220\tx720\tx1133\tx1700\tx2267\tx2834\tx3401\tx3968\tx4535\tx5102\tx5669\tx6236\tx6803\li720\fi-720\ql\qnatural\pardirnatural \ls3\ilvl0\cf0 {\listtext \'95 }Drag the BWToolkit framework from Linked Frameworks to the Copy Files build phase you just added.\ \pard\tx566\tx1133\tx1700\tx2267\tx2834\tx3401\tx3968\tx4535\tx5102\tx5669\tx6236\tx6803\ql\qnatural\pardirnatural \cf0 \ Note: You'll have to repeat step 2 for each project you want to use BWToolkit in.\ \ If you need to reference BWToolkit objects in your classes, you can import the main header like so:\ \ \pard\tx560\pardeftab560\ql\qnatural\pardirnatural \f1\fs24 \cf2 \CocoaLigature0 #import \cf3 \f0\fs28 \cf0 \CocoaLigature1 \ \pard\tx566\tx1133\tx1700\tx2267\tx2834\tx3401\tx3968\tx4535\tx5102\tx5669\tx6236\tx6803\ql\qnatural\pardirnatural \fs32 \cf0 \ \ \pard\tx566\tx1133\tx1700\tx2267\tx2834\tx3401\tx3968\tx4535\tx5102\tx5669\tx6236\tx6803\ql\qnatural\pardirnatural \b\fs36 \cf0 License\ \pard\tx566\tx1133\tx1700\tx2267\tx2834\tx3401\tx3968\tx4535\tx5102\tx5669\tx6236\tx6803\ql\qnatural\pardirnatural \b0\fs28 \cf0 \ All source code is provided under the three clause BSD license. Attribution is appreciated but by no means required.\ \ \ }unison-2.40.102/uimacnew09/NotificationController.m0000644006131600613160000000332511361646373022243 0ustar bcpiercebcpierce// // NotificationController.m // uimac // // Created by Alan Schmitt on 02/02/06. // Copyright 2006, see file COPYING for details. All rights reserved. // #import "NotificationController.h" #define NOTIFY_UPDATE @"Scan finished" #define NOTIFY_SYNC @"Synchronization finished" /* Show a simple notification */ static void simpleNotify(NSString *name, NSString *descFmt, NSString *profile); @implementation NotificationController - (void)awakeFromNib { [GrowlApplicationBridge setGrowlDelegate:self]; } - (void)updateFinishedFor: (NSString *)profile { simpleNotify(NOTIFY_UPDATE, @"Profile '%@' is finished scanning for updates", profile); } - (void)syncFinishedFor: (NSString *)profile { simpleNotify(NOTIFY_SYNC, @"Profile '%@' is finished synchronizing", profile); } - (NSDictionary *)registrationDictionaryForGrowl { NSArray* notifications = [NSArray arrayWithObjects: NOTIFY_UPDATE, NOTIFY_SYNC, nil]; return [NSDictionary dictionaryWithObjectsAndKeys: notifications, GROWL_NOTIFICATIONS_ALL, notifications, GROWL_NOTIFICATIONS_DEFAULT, nil]; } - (NSString *)applicationNameForGrowl { return @"Unison"; } @end static void simpleNotify(NSString *name, NSString *descFmt, NSString *profile) { [GrowlApplicationBridge notifyWithTitle:name description:[NSString stringWithFormat:descFmt, profile] notificationName:name iconData:nil priority:0 isSticky:false clickContext:nil]; }unison-2.40.102/uimacnew09/Info.plist0000644006131600613160000000204111361646373017335 0ustar bcpiercebcpierce CFBundleName Unison CFBundleDevelopmentRegion English CFBundleExecutable Unison CFBundleIconFile Unison.icns CFBundleIdentifier edu.upenn.cis.Unison CFBundleInfoDictionaryVersion 6.0 CFBundlePackageType APPL CFBundleSignature ???? CFBundleShortVersionString $(MARKETING_VERSION) CFBundleGetInfoString ${MARKETING_VERSION}, ©1999-2007, licensed under GNU GPL. NSHumanReadableCopyright ©1999-2010, licensed under GNU GPL v3. NSMainNibFile MainMenu NSPrincipalClass NSApplication unison-2.40.102/uimacnew09/MyController.m0000644006131600613160000010645011361646373020205 0ustar bcpiercebcpierce/* Copyright (c) 2003, see file COPYING for details. */ #import "MyController.h" /* The following two define are a workaround for an incompatibility between Ocaml 3.11.2 (and older) and the Mac OS X header files */ #define uint64 uint64_caml #define int64 int64_caml #define CAML_NAME_SPACE #include #include #include #include @interface NSString (_UnisonUtil) - (NSString *)trim; @end @implementation MyController static MyController *me; // needed by reloadTable and displayStatus, below // BCP (11/09): Added per Onne Gorter: // if user closes main window, terminate app, instead of keeping an empty app around with no window - (BOOL)applicationShouldTerminateAfterLastWindowClosed:(NSApplication *)theApplication { return YES; } - (id)init { if (([super init])) { /* Initialize locals */ me = self; doneFirstDiff = NO; NSUserDefaults *defaults = [NSUserDefaults standardUserDefaults]; NSDictionary *appDefaults = [NSDictionary dictionaryWithObjectsAndKeys: /* By default, invite user to install cltool */ @"YES", @"CheckCltool", @"NO", @"openProfileAtStartup", @"", @"profileToOpen", @"NO", @"deleteLogOnExit", @"", @"detailsFont", @"", @"diffFont", nil]; [defaults registerDefaults:appDefaults]; fontChangeTarget = nil; } return self; } - (void) applicationWillTerminate:(NSNotification *)aNotification { NSUserDefaults *defaults = [NSUserDefaults standardUserDefaults]; [defaults setObject:[NSArchiver archivedDataWithRootObject:[detailsTextView font]] forKey:@"detailsFont"]; [defaults setObject:[NSArchiver archivedDataWithRootObject:[diffView font]] forKey:@"diffFont"]; [defaults synchronize]; } - (void)awakeFromNib { [splitView setAutosaveName:@"splitView"]; NSUserDefaults *defaults = [NSUserDefaults standardUserDefaults]; NSFont *defaultFont = [NSFont fontWithName:@"Monaco" size:11]; NSData *detailsFontData = [defaults dataForKey:@"detailsFont"]; if (detailsFontData) { NSFont *tmpFont = (NSFont*) [NSUnarchiver unarchiveObjectWithData:detailsFontData]; if (tmpFont) [detailsTextView setFont:tmpFont]; else [detailsTextView setFont:defaultFont]; } else [detailsTextView setFont:defaultFont]; NSData *diffFontData = [defaults dataForKey:@"diffFont"]; if (diffFontData) { NSFont *tmpFont = (NSFont*) [NSUnarchiver unarchiveObjectWithData:diffFontData]; if (tmpFont) [diffView setFont:tmpFont]; else [diffView setFont:defaultFont]; } else [diffView setFont:defaultFont]; blankView = [[NSView alloc] init]; /* Double clicking in the profile list will open the profile */ [[profileController tableView] setTarget:self]; [[profileController tableView] setDoubleAction:@selector(openButton:)]; [tableView setAutoresizesOutlineColumn:NO]; // use combo-cell for path [[tableView tableColumnWithIdentifier:@"path"] setDataCell:[[[ImageAndTextCell alloc] init] autorelease]]; // Custom progress cell ProgressCell *progressCell = [[[ProgressCell alloc] init] autorelease]; [[tableView tableColumnWithIdentifier:@"percentTransferred"] setDataCell:progressCell]; /* Set up the version string in the about box. We use a custom about box just because PRCS doesn't seem capable of getting the version into the InfoPlist.strings file; otherwise we'd use the standard about box. */ [versionText setStringValue:ocamlCall("S", "unisonGetVersion")]; /* Command-line processing */ OCamlValue *clprofile = (id)ocamlCall("@", "unisonInit0"); /* Add toolbar */ toolbar = [[[UnisonToolbar alloc] initWithIdentifier: @"unisonToolbar" :self :tableView] autorelease]; [mainWindow setToolbar: toolbar]; [toolbar takeTableModeView:tableModeSelector]; [self initTableMode]; /* Set up the first window the user will see */ if (clprofile) { /* A profile name was given on the command line */ NSString *profileName = [clprofile getField:0 withType:'S']; [self profileSelected:profileName]; /* If invoked from terminal we need to bring the app to the front */ [NSApp activateIgnoringOtherApps:YES]; /* Start the connection */ [self connect:profileName]; } else { /* If invoked from terminal we need to bring the app to the front */ [NSApp activateIgnoringOtherApps:YES]; if ([[NSUserDefaults standardUserDefaults] boolForKey:@"openProfileAtStartup"]) { NSString *profileToOpen = [[NSUserDefaults standardUserDefaults] stringForKey:@"profileToOpen"]; if ([[profileToOpen trim] compare:@""] != NSOrderedSame && [[profileController getProfiles] indexOfObject:profileToOpen] != NSNotFound) { [self profileSelected:profileToOpen]; [self connect:profileToOpen]; } else { /* Bring up the dialog to choose a profile */ [self chooseProfiles]; } } else { /* Bring up the dialog to choose a profile */ [self chooseProfiles]; } } [mainWindow display]; [mainWindow makeKeyAndOrderFront:nil]; /* unless user has clicked Don't ask me again, ask about cltool */ if ( ([[NSUserDefaults standardUserDefaults] boolForKey:@"CheckCltool"]) && (![[NSFileManager defaultManager] fileExistsAtPath:@"/usr/bin/unison"]) ) [self raiseCltoolWindow:nil]; } - (IBAction) checkOpenProfileChanged:(id)sender { [profileBox setEnabled:[checkOpenProfile state]]; if ([profileBox isEnabled] && [profileBox indexOfSelectedItem] < 0) { [profileBox selectItemAtIndex:0]; [[NSUserDefaults standardUserDefaults] setObject:[profileBox itemObjectValueAtIndex:0] forKey:@"profileToOpen"]; } } - (IBAction) chooseFont:(id)sender { [[NSFontPanel sharedFontPanel] makeKeyAndOrderFront:self]; [[NSFontManager sharedFontManager] setDelegate:self]; fontChangeTarget = sender; } - (void) changeFont:(id)sender { NSFont *newFont = [sender convertFont:[detailsTextView font]]; if (fontChangeTarget == chooseDetailsFont) [detailsTextView setFont:newFont]; else if (fontChangeTarget == chooseDiffFont) [diffView setFont:newFont]; [self updateFontDisplay]; } - (void) updateFontDisplay { NSFont *detailsFont = [detailsTextView font]; NSFont *diffFont = [diffView font]; [detailsFontLabel setStringValue:[NSString stringWithFormat:@"%@ : %d", [detailsFont displayName], (NSInteger) [detailsFont pointSize]]]; [diffFontLabel setStringValue:[NSString stringWithFormat:@"%@ : %d", [diffFont displayName], (NSInteger) [diffFont pointSize]]]; } - (void)chooseProfiles { [mainWindow setContentView:blankView]; [self resizeWindowToSize:[chooseProfileView frame].size]; [mainWindow setContentMinSize: NSMakeSize(NSWidth([[mainWindow contentView] frame]),150)]; [mainWindow setContentMaxSize:NSMakeSize(FLT_MAX, FLT_MAX)]; [mainWindow setContentView:chooseProfileView]; [toolbar setView:@"chooseProfileView"]; [mainWindow setTitle:@"Unison"]; // profiles get keyboard input [mainWindow makeFirstResponder:[profileController tableView]]; [chooseProfileView display]; } - (IBAction)createButton:(id)sender { [preferencesController reset]; [mainWindow setContentView:blankView]; [self resizeWindowToSize:[preferencesView frame].size]; [mainWindow setContentMinSize: NSMakeSize(400,NSHeight([[mainWindow contentView] frame]))]; [mainWindow setContentMaxSize: NSMakeSize(FLT_MAX,NSHeight([[mainWindow contentView] frame]))]; [mainWindow setContentView:preferencesView]; [toolbar setView:@"preferencesView"]; } - (IBAction)saveProfileButton:(id)sender { if ([preferencesController validatePrefs]) { // so the list contains the new profile [profileController initProfiles]; [self chooseProfiles]; } } - (IBAction)cancelProfileButton:(id)sender { [self chooseProfiles]; } /* Only valid once a profile has been selected */ - (NSString *)profile { return myProfile; } - (void)profileSelected:(NSString *)aProfile { [aProfile retain]; [myProfile release]; myProfile = aProfile; [mainWindow setTitle: [NSString stringWithFormat:@"Unison: %@", myProfile]]; } - (IBAction)showPreferences:(id)sender { [profileBox removeAllItems]; [profileBox addItemsWithObjectValues:[profileController getProfiles]]; NSUInteger index = [[profileController getProfiles] indexOfObject: [[NSUserDefaults standardUserDefaults] stringForKey:@"profileToOpen"]]; if (index == NSNotFound) { [checkOpenProfile setState:NSOffState]; [profileBox setStringValue:@""]; } else [profileBox selectItemAtIndex:index]; [profileBox setEnabled:[checkOpenProfile state]]; if ([profileBox isEnabled] && [profileBox indexOfSelectedItem] < 0) [profileBox selectItemAtIndex:0]; [self updateFontDisplay]; [self raiseWindow:preferencesWindow]; } - (IBAction)restartButton:(id)sender { [tableView setEditable:NO]; [self chooseProfiles]; } - (IBAction)rescan:(id)sender { /* There is a delay between turning off the button and it actually being disabled. Make sure we don't respond. */ if ([self validateItem:@selector(rescan:)]) { waitingForPassword = NO; [self afterOpen]; } } - (IBAction)openButton:(id)sender { NSString *profile = [profileController selected]; [self profileSelected:profile]; [self connect:profile]; return; } - (void)updateToolbar { [toolbar validateVisibleItems]; [tableModeSelector setEnabled:((syncable && !duringSync) || afterSync)]; // Why? [updatesView setNeedsDisplay:YES]; } - (void)updateTableViewWithReset:(BOOL)shouldResetSelection { [tableView reloadData]; if (shouldResetSelection) { [tableView selectRowIndexes:[NSIndexSet indexSetWithIndex:0] byExtendingSelection:NO]; shouldResetSelection = NO; } [updatesView setNeedsDisplay:YES]; } - (void)updateProgressBar:(NSNumber *)newProgress { // NSLog(@"Updating progress bar: %i - %i", (int)[newProgress doubleValue], (int)[progressBar doubleValue]); [progressBar incrementBy:([newProgress doubleValue] - [progressBar doubleValue])]; } - (void)updateTableViewSelection { int n = [tableView numberOfSelectedRows]; if (n == 1) [self displayDetails:[tableView itemAtRow:[tableView selectedRow]]]; else [self clearDetails]; } - (void)outlineViewSelectionDidChange:(NSNotification *)note { [self updateTableViewSelection]; } - (void)connect:(NSString *)profileName { // contact server, propagate prefs NSLog(@"Connecting to %@...", profileName); // Switch to ConnectingView [mainWindow setContentView:blankView]; [self resizeWindowToSize:[updatesView frame].size]; [mainWindow setContentMinSize:NSMakeSize(150,150)]; [mainWindow setContentMaxSize:NSMakeSize(FLT_MAX, FLT_MAX)]; [mainWindow setContentView:ConnectingView]; [toolbar setView:@"connectingView"]; // Update (almost) immediately [ConnectingView display]; [connectingAnimation startAnimation:self]; syncable = NO; afterSync = NO; [self updateToolbar]; // will spawn thread on OCaml side and callback when complete (void)ocamlCall("xS", "unisonInit1", profileName); } CAMLprim value unisonInit1Complete(value v) { id pool = [[NSAutoreleasePool alloc] init]; if (v == Val_unit) { NSLog(@"Connected."); [me->connectingAnimation stopAnimation:me]; [me->preconn release]; me->preconn = NULL; [me performSelectorOnMainThread:@selector(afterOpen:) withObject:nil waitUntilDone:FALSE]; } else { // prompting required me->preconn = [[OCamlValue alloc] initWithValue:Field(v,0)]; // value of Some [me performSelectorOnMainThread:@selector(unisonInit1Complete:) withObject:nil waitUntilDone:FALSE]; } [pool release]; return Val_unit; } - (void)unisonInit1Complete:(id)ignore { @try { OCamlValue *prompt = ocamlCall("@@", "openConnectionPrompt", preconn); if (!prompt) { // turns out, no prompt needed, but must finish opening connection ocamlCall("x@", "openConnectionEnd", preconn); NSLog(@"Connected."); waitingForPassword = NO; [self afterOpen]; return; } waitingForPassword = YES; [self raisePasswordWindow:[prompt getField:0 withType:'S']]; } @catch (NSException *ex) { NSRunAlertPanel(@"Connection Error", [ex description], @"OK", nil, nil); [self chooseProfiles]; return; } NSLog(@"Connected."); } - (void)raisePasswordWindow:(NSString *)prompt { // FIX: some prompts don't ask for password, need to look at it NSLog(@"Got the prompt: '%@'",prompt); if ((long)ocamlCall("iS", "unisonPasswordMsg", prompt)) { [passwordPrompt setStringValue:@"Please enter your password"]; [NSApp beginSheet:passwordWindow modalForWindow:mainWindow modalDelegate:nil didEndSelector:nil contextInfo:nil]; return; } if ((long)ocamlCall("iS", "unisonPassphraseMsg", prompt)) { [passwordPrompt setStringValue:@"Please enter your passphrase"]; [NSApp beginSheet:passwordWindow modalForWindow:mainWindow modalDelegate:nil didEndSelector:nil contextInfo:nil]; return; } if ((long)ocamlCall("iS", "unisonAuthenticityMsg", prompt)) { int i = NSRunAlertPanel(@"New host",prompt,@"Yes",@"No",nil); if (i == NSAlertDefaultReturn) { ocamlCall("x@s", "openConnectionReply", preconn, "yes"); prompt = ocamlCall("S@", "openConnectionPrompt", preconn); if (!prompt) { // all done with prompts, finish opening connection ocamlCall("x@", "openConnectionEnd", preconn); waitingForPassword = NO; [self afterOpen]; return; } else { [self raisePasswordWindow:[NSString stringWithUTF8String:String_val(Field(prompt,0))]]; return; } } if (i == NSAlertAlternateReturn) { ocamlCall("x@", "openConnectionCancel", preconn); return; } else { NSLog(@"Unrecognized response '%d' from NSRunAlertPanel",i); ocamlCall("x@", "openConnectionCancel", preconn); return; } } NSLog(@"Unrecognized message from ssh: %@",prompt); ocamlCall("x@", "openConnectionCancel", preconn); } // The password window will invoke this when Enter occurs, b/c we // are the delegate. - (void)controlTextDidEndEditing:(NSNotification *)notification { NSNumber *reason = [[notification userInfo] objectForKey:@"NSTextMovement"]; int code = [reason intValue]; if (code == NSReturnTextMovement) [self endPasswordWindow:self]; } // Or, the Continue button will invoke this when clicked - (IBAction)endPasswordWindow:(id)sender { [passwordWindow orderOut:self]; [NSApp endSheet:passwordWindow]; if ([sender isEqualTo:passwordCancelButton]) { ocamlCall("x@", "openConnectionCancel", preconn); [self chooseProfiles]; return; } NSString *password = [passwordText stringValue]; ocamlCall("x@S", "openConnectionReply", preconn, password); OCamlValue *prompt = ocamlCall("@@", "openConnectionPrompt", preconn); if (!prompt) { // all done with prompts, finish opening connection ocamlCall("x@", "openConnectionEnd", preconn); waitingForPassword = NO; [self afterOpen]; } else { [self raisePasswordWindow:[prompt getField:0 withType:'S']]; } } - (void)afterOpen:(id)ignore { [self afterOpen]; } - (void)afterOpen { if (waitingForPassword) return; // move to updates window after clearing it [self updateReconItems:nil]; [progressBar setDoubleValue:0.0]; [progressBar stopAnimation:self]; // [self clearDetails]; [mainWindow setContentView:blankView]; [self resizeWindowToSize:[updatesView frame].size]; [mainWindow setContentMinSize: NSMakeSize(NSWidth([[mainWindow contentView] frame]),200)]; [mainWindow setContentMaxSize:NSMakeSize(FLT_MAX, FLT_MAX)]; [mainWindow setContentView:updatesView]; [toolbar setView:@"updatesView"]; syncable = NO; afterSync = NO; [tableView deselectAll:self]; [self updateToolbar]; [self updateProgressBar:[NSNumber numberWithDouble:0.0]]; // this should depend on the number of reconitems, and is now done // in updateReconItems: // reconItems table gets keyboard input //[mainWindow makeFirstResponder:tableView]; [tableView scrollRowToVisible:0]; [preconn release]; preconn = nil; // so old preconn can be garbage collected // This will run in another thread spawned in OCaml and will return immediately // We'll get a call back to unisonInit2Complete() when it is complete ocamlCall("x", "unisonInit2"); } - (void)afterUpdate:(id)retainedReconItems { // NSLog(@"In afterUpdate:..."); [self updateReconItems:retainedReconItems]; [retainedReconItems release]; [notificationController updateFinishedFor:[self profile]]; // label the left and right columns with the roots NSString *leftHost = [(NSString *)ocamlCall("S", "unisonFirstRootString") trim]; NSString *rightHost = [(NSString *)ocamlCall("S", "unisonSecondRootString") trim]; /* [[[tableView tableColumnWithIdentifier:@"left"] headerCell] setObjectValue:lefthost]; [[[tableView tableColumnWithIdentifier:@"right"] headerCell] setObjectValue:rightHost]; */ [mainWindow setTitle: [NSString stringWithFormat:@"Unison: %@ (%@ <-> %@)", [self profile], leftHost, rightHost]]; // initial sort [tableView setSortDescriptors:[NSArray arrayWithObjects: [[tableView tableColumnWithIdentifier:@"fileSizeString"] sortDescriptorPrototype], [[tableView tableColumnWithIdentifier:@"path"] sortDescriptorPrototype], nil]]; [self updateTableViewWithReset:([reconItems count] > 0)]; [self updateToolbar]; } CAMLprim value unisonInit2Complete(value v) { id pool = [[NSAutoreleasePool alloc] init]; [me performSelectorOnMainThread:@selector(afterUpdate:) withObject:[[OCamlValue alloc] initWithValue:v] waitUntilDone:FALSE]; [pool release]; return Val_unit; } - (IBAction)syncButton:(id)sender { [tableView setEditable:NO]; syncable = NO; duringSync = YES; [self updateToolbar]; // This will run in another thread spawned in OCaml and will return immediately // We'll get a call back to syncComplete() when it is complete ocamlCall("x", "unisonSynchronize"); } - (void)afterSync:(id)ignore { [notificationController syncFinishedFor:[self profile]]; duringSync = NO; afterSync = YES; [self updateToolbar]; int i; for (i = 0; i < [reconItems count]; i++) { [[reconItems objectAtIndex:i] resetProgress]; } [self updateTableViewSelection]; [self updateTableViewWithReset:FALSE]; } CAMLprim value syncComplete() { id pool = [[NSAutoreleasePool alloc] init]; [me performSelectorOnMainThread:@selector(afterSync:) withObject:nil waitUntilDone:FALSE]; if ([[NSUserDefaults standardUserDefaults] boolForKey:@"deleteLogOnExit"]) [[NSFileManager defaultManager] removeItemAtPath:[@"~/unison.log" stringByExpandingTildeInPath] error:nil]; [pool release]; return Val_unit; } // A function called from ocaml - (void)reloadTable:(NSNumber *)i { // NSLog(@"*** ReloadTable: %i", [i intValue]); [[reconItems objectAtIndex:[i intValue]] resetProgress]; [self updateTableViewWithReset:FALSE]; } CAMLprim value reloadTable(value row) { id pool = [[NSAutoreleasePool alloc] init]; // NSLog(@"OCaml says... ReloadTable: %i", Int_val(row)); NSNumber *num = [[NSNumber alloc] initWithInt:Int_val(row)]; [me performSelectorOnMainThread:@selector(reloadTable:) withObject:num waitUntilDone:FALSE]; [num release]; [pool release]; return Val_unit; } - (int)outlineView:(NSOutlineView *)outlineView numberOfChildrenOfItem:(id)item { if (item == nil) item = rootItem; return [[item children] count]; } - (BOOL)outlineView:(NSOutlineView *)outlineView isItemExpandable:(id)item { return [item isKindOfClass:[ParentReconItem class]]; } - (id)outlineView:(NSOutlineView *)outlineView child:(int)index ofItem:(id)item { if (item == nil) item = rootItem; return [[item children] objectAtIndex:index]; } - (id)outlineView:(NSOutlineView *)outlineView objectValueForTableColumn:(NSTableColumn *)tableColumn byItem:(id)item { NSString *identifier = [tableColumn identifier]; if (item == nil) item = rootItem; if ([identifier isEqualToString:@"percentTransferred"] && (!duringSync && !afterSync)) return nil; return [item valueForKey:identifier]; } static NSDictionary *_SmallGreyAttributes = nil; - (void)outlineView:(NSOutlineView *)outlineView willDisplayCell:(NSCell *)cell forTableColumn:(NSTableColumn *)tableColumn item:(id)item { NSString *identifier = [tableColumn identifier]; if ([identifier isEqualToString:@"path"]) { // The file icon [(ImageAndTextCell*)cell setImage:[item fileIcon]]; // For parents, format the file count into the text long fileCount = [item fileCount]; if (fileCount > 1) { NSString *countString = [NSString stringWithFormat:@" (%ld files)", fileCount]; NSString *fullString = [(NSString *)[cell objectValue] stringByAppendingString:countString]; NSMutableAttributedString *as = [[NSMutableAttributedString alloc] initWithString:fullString]; if (!_SmallGreyAttributes) { NSColor *txtColor = [NSColor grayColor]; NSFont *txtFont = [NSFont systemFontOfSize:9.0]; _SmallGreyAttributes = [[NSDictionary dictionaryWithObjectsAndKeys:txtFont, NSFontAttributeName, txtColor, NSForegroundColorAttributeName, nil] retain]; } [as setAttributes:_SmallGreyAttributes range:NSMakeRange([fullString length] - [countString length], [countString length])]; [cell setAttributedStringValue:as]; [as release]; } } else if ([identifier isEqualToString:@"percentTransferred"]) { [(ProgressCell*)cell setIcon:[item direction]]; [(ProgressCell*)cell setStatusString:[item progressString]]; [(ProgressCell*)cell setIsActive:[item isKindOfClass:[LeafReconItem class]]]; } } - (void)outlineView:(NSOutlineView *)outlineView sortDescriptorsDidChange:(NSArray *)oldDescriptors { NSArray *originalSelection = [outlineView selectedObjects]; // do we want to catch case of object changes to allow resort in same direction for progress / direction? // Could check if our objects change and if the first item at the head of new and old were the same [rootItem sortUsingDescriptors:[outlineView sortDescriptors]]; [outlineView reloadData]; [outlineView setSelectedObjects:originalSelection]; } // Delegate methods - (BOOL)outlineView:(NSOutlineView *)outlineView shouldEditTableColumn:(NSTableColumn *)tableColumn item:(id)item { return NO; } - (NSMutableArray *)reconItems // used in ReconTableView only { return reconItems; } - (int)tableMode { return [tableModeSelector selectedSegment]; } - (IBAction)tableModeChanged:(id)sender { [[NSUserDefaults standardUserDefaults] setInteger:[self tableMode]+1 forKey:@"TableLayout"]; [self updateForChangedItems]; } - (void)initTableMode { int mode = [[NSUserDefaults standardUserDefaults] integerForKey:@"TableLayout"] - 1; if (mode == -1) mode = 1; [tableModeSelector setSelectedSegment:mode]; } - (void)updateReconItems:(OCamlValue *)caml_reconItems { [reconItems release]; reconItems = [[NSMutableArray alloc] init]; long i, n =[caml_reconItems count]; for (i=0; i0) { [tableView setEditable:YES]; // reconItems table gets keyboard input [mainWindow makeFirstResponder:tableView]; syncable = YES; } else { [tableView setEditable:NO]; afterSync = YES; // rescan should be enabled // reconItems table no longer gets keyboard input [mainWindow makeFirstResponder:nil]; } [self updateToolbar]; } - (id)updateForIgnore:(id)item { long j = (long)ocamlCall("ii", "unisonUpdateForIgnore", [reconItems indexOfObjectIdenticalTo:item]); NSLog(@"Updating for ignore..."); [self updateReconItems:(OCamlValue *)ocamlCall("@", "unisonState")]; return [reconItems objectAtIndex:j]; } // A function called from ocaml CAMLprim value displayStatus(value s) { id pool = [[NSAutoreleasePool alloc] init]; NSString *str = [[NSString alloc] initWithUTF8String:String_val(s)]; // NSLog(@"displayStatus: %@", str); [me performSelectorOnMainThread:@selector(statusTextSet:) withObject:str waitUntilDone:FALSE]; [str release]; [pool release]; return Val_unit; } - (void)statusTextSet:(NSString *)s { /* filter out strings with # reconitems, and empty strings */ if (!NSEqualRanges([s rangeOfString:@"reconitems"], NSMakeRange(NSNotFound,0))) return; [statusText setStringValue:s]; } // Called from ocaml to dislpay progress bar CAMLprim value displayGlobalProgress(value p) { id pool = [[NSAutoreleasePool alloc] init]; NSNumber *num = [[NSNumber alloc] initWithDouble:Double_val(p)]; [me performSelectorOnMainThread:@selector(updateProgressBar:) withObject:num waitUntilDone:FALSE]; [num release]; [pool release]; return Val_unit; } // Called from ocaml to display diff CAMLprim value displayDiff(value s, value s2) { id pool = [[NSAutoreleasePool alloc] init]; [me performSelectorOnMainThread:@selector(diffViewTextSet:) withObject:[NSArray arrayWithObjects:[NSString stringWithUTF8String:String_val(s)], [NSString stringWithUTF8String:String_val(s2)], nil] waitUntilDone:FALSE]; [pool release]; return Val_unit; } // Called from ocaml to display diff error messages CAMLprim value displayDiffErr(value s) { id pool = [[NSAutoreleasePool alloc] init]; NSString * str = [NSString stringWithUTF8String:String_val(s)]; str = [[str componentsSeparatedByString:@"\n"] componentsJoinedByString:@" "]; [me->statusText performSelectorOnMainThread:@selector(setStringValue:) withObject:str waitUntilDone:FALSE]; [pool release]; return Val_unit; } - (void)diffViewTextSet:(NSArray *)args { [self diffViewTextSet:[args objectAtIndex:0] bodyText:[args objectAtIndex:1]]; } - (void)diffViewTextSet:(NSString *)title bodyText:(NSString *)body { if ([body length]==0) return; [diffWindow setTitle:title]; //[diffView setFont:diffFont]; [diffView setString:body]; if (!doneFirstDiff) { /* On first open, position the diff window to the right of the main window, but without going off the mainwindow's screen */ float screenOriginX = [[mainWindow screen] visibleFrame].origin.x; float screenWidth = [[mainWindow screen] visibleFrame].size.width; float mainOriginX = [mainWindow frame].origin.x; float mainOriginY = [mainWindow frame].origin.y; float mainWidth = [mainWindow frame].size.width; float mainHeight = [mainWindow frame].size.height; float diffWidth = [diffWindow frame].size.width; float diffX = mainOriginX+mainWidth; float maxX = screenOriginX+screenWidth-diffWidth; if (diffX > maxX) diffX = maxX; float diffY = mainOriginY + mainHeight; NSPoint diffOrigin = NSMakePoint(diffX,diffY); [diffWindow cascadeTopLeftFromPoint:diffOrigin]; doneFirstDiff = YES; } [diffWindow orderFront:nil]; } - (void)displayDetails:(ReconItem *)item { //[detailsTextView setFont:diffFont]; NSString *text = [item details]; if (!text) text = @""; [detailsTextView setStringValue:text]; } - (void)clearDetails { [detailsTextView setStringValue:@""]; } - (IBAction)raiseCltoolWindow:(id)sender { [cltoolPref setState:[[NSUserDefaults standardUserDefaults] boolForKey:@"CheckCltool"] ? NSOffState : NSOnState]; [self raiseWindow: cltoolWindow]; } - (IBAction)cltoolYesButton:(id)sender; { [[NSUserDefaults standardUserDefaults] setBool:([cltoolPref state] != NSOnState) forKey:@"CheckCltool"]; [self installCommandLineTool:self]; [cltoolWindow close]; } - (IBAction)cltoolNoButton:(id)sender; { [[NSUserDefaults standardUserDefaults] setBool:([cltoolPref state] != NSOnState) forKey:@"CheckCltool"]; [cltoolWindow close]; } - (IBAction)raiseAboutWindow:(id)sender { [self raiseWindow: aboutWindow]; } - (void)raiseWindow:(NSWindow *)theWindow { NSRect screenFrame = [[mainWindow screen] visibleFrame]; NSRect mainWindowFrame = [mainWindow frame]; NSRect theWindowFrame = [theWindow frame]; float winX = mainWindowFrame.origin.x + (mainWindowFrame.size.width - theWindowFrame.size.width)/2; float winY = mainWindowFrame.origin.y + (mainWindowFrame.size.height + theWindowFrame.size.height)/2; if (winXmaxX) winX=maxX; float minY = screenFrame.origin.y+theWindowFrame.size.height; if (winYmaxY) winY=maxY; [theWindow cascadeTopLeftFromPoint: NSMakePoint(winX,winY)]; [theWindow makeKeyAndOrderFront:nil]; } - (IBAction)onlineHelp:(id)sender { [[NSWorkspace sharedWorkspace] openURL:[NSURL URLWithString:@"http://www.cis.upenn.edu/~bcpierce/unison/docs.html"]]; } /* from http://developer.apple.com/documentation/Security/Conceptual/authorization_concepts/index.html */ #include #include - (IBAction)installCommandLineTool:(id)sender { /* Install the command-line tool in /usr/bin/unison. Requires root privilege, so we ask for it and pass the task off to /bin/sh. */ OSStatus myStatus; AuthorizationFlags myFlags = kAuthorizationFlagDefaults; AuthorizationRef myAuthorizationRef; myStatus = AuthorizationCreate(NULL, kAuthorizationEmptyEnvironment, myFlags, &myAuthorizationRef); if (myStatus != errAuthorizationSuccess) return; { AuthorizationItem myItems = {kAuthorizationRightExecute, 0, NULL, 0}; AuthorizationRights myRights = {1, &myItems}; myFlags = kAuthorizationFlagDefaults | kAuthorizationFlagInteractionAllowed | kAuthorizationFlagPreAuthorize | kAuthorizationFlagExtendRights; myStatus = AuthorizationCopyRights(myAuthorizationRef,&myRights,NULL,myFlags,NULL); } if (myStatus == errAuthorizationSuccess) { NSBundle *bundle = [NSBundle mainBundle]; NSString *bundle_path = [bundle bundlePath]; NSString *exec_path = [bundle_path stringByAppendingString:@"/Contents/MacOS/cltool"]; // Not sure why but this doesn't work: // [bundle pathForResource:@"cltool" ofType:nil]; if (exec_path == nil) return; char *args[] = { "-f", (char *)[exec_path UTF8String], "/usr/bin/unison", NULL }; myFlags = kAuthorizationFlagDefaults; myStatus = AuthorizationExecuteWithPrivileges (myAuthorizationRef, "/bin/cp", myFlags, args, NULL); } AuthorizationFree (myAuthorizationRef, kAuthorizationFlagDefaults); /* if (myStatus == errAuthorizationCanceled) NSLog(@"The attempt was canceled\n"); else if (myStatus) NSLog(@"There was an authorization error: %ld\n", myStatus); */ } - (BOOL)validateItem:(IBAction *) action { if (action == @selector(syncButton:)) return syncable; // FIXME Restarting during sync is disabled because it causes UI corruption else if (action == @selector(restartButton:)) return !duringSync; else if (action == @selector(rescan:)) return ((syncable && !duringSync) || afterSync); else return YES; } - (BOOL)validateMenuItem:(NSMenuItem *)menuItem { return [self validateItem:[menuItem action]]; } - (BOOL)validateToolbarItem:(NSToolbarItem *)toolbarItem { return [self validateItem:[toolbarItem action]]; } - (void)resizeWindowToSize:(NSSize)newSize { NSRect aFrame; float newHeight = newSize.height+[self toolbarHeightForWindow:mainWindow]; float newWidth = newSize.width; aFrame = [NSWindow contentRectForFrameRect:[mainWindow frame] styleMask:[mainWindow styleMask]]; aFrame.origin.y += aFrame.size.height; aFrame.origin.y -= newHeight; aFrame.size.height = newHeight; aFrame.size.width = newWidth; aFrame = [NSWindow frameRectForContentRect:aFrame styleMask:[mainWindow styleMask]]; [mainWindow setFrame:aFrame display:YES animate:YES]; } - (float)toolbarHeightForWindow:(NSWindow *)window { NSToolbar *aToolbar; float toolbarHeight = 0.0; NSRect windowFrame; aToolbar = [window toolbar]; if(aToolbar && [aToolbar isVisible]) { windowFrame = [NSWindow contentRectForFrameRect:[window frame] styleMask:[window styleMask]]; toolbarHeight = NSHeight(windowFrame) - NSHeight([[window contentView] frame]); } return toolbarHeight; } CAMLprim value fatalError(value s) { NSString *str = [[NSString alloc] initWithUTF8String:String_val(s)]; [me performSelectorOnMainThread:@selector(fatalError:) withObject:str waitUntilDone:FALSE]; [str release]; return Val_unit; } - (void)fatalError:(NSString *)msg { NSRunAlertPanel(@"Fatal error", msg, @"Exit", nil, nil); exit(1); } @end @implementation NSString (_UnisonUtil) - (NSString *)trim { NSCharacterSet *ws = [NSCharacterSet whitespaceCharacterSet]; int len = [self length], i = len; while (i && [ws characterIsMember:[self characterAtIndex:i-1]]) i--; return (i == len) ? self : [self substringToIndex:i]; } @end unison-2.40.102/uimacnew09/tableicons/0000755006131600613160000000000012050210656017476 5ustar bcpiercebcpierceunison-2.40.102/uimacnew09/tableicons/Outline-Deep.png0000644006131600613160000000073311361646373022516 0ustar bcpiercebcpiercePNG  IHDR $ pHYs  gAMA cHRMn rIm?m1JQIDATxb?-@`|ӿ@Y\BBbV â]ӧO @3b@1b Oz|ϟ _`S􏃃77ii, FBqp0ZA) *j.^gff$ Fb͛7`aXYY>"^^^ @0h 8D8H[[{.}HjN>qd (0accHUUm6D|||T@,fv"g4| i]@s%dIENDB`unison-2.40.102/uimacnew09/tableicons/table-skip.tif0000644006131600613160000001253211361646373022255 0ustar bcpiercebcpierceMM*8.e+;v86u=>w:`-cP>x8y5w8y<{Iku v8z6|6{6z7x7x7{6z6y6z5zc!C6y6z7x6{6z6y7x6z6z6{7x7x6|;y줾C @x6z7{6y6{P}f4"-X_6w6{7{6y6xFS6y7{6{<}E(I6|7{6{=xV6|7x6y:|+ I~6z7x6{{Y6z7x6|u?5y7x6{Az 6y6|6z6y&Ez6{6z7ztnj}v 2Y^D8;L RGBUniwersalny profil RGBdescGeneric RGB ProfileGeneric RGB ProfileXYZ Zus4XYZ RXYZ tM=XYZ (6curvtextCopyright 2007 Apple Inc., all rights reserved.sf32 B&lunison-2.40.102/uimacnew09/tableicons/table-mixed.tif0000644006131600613160000001253211361646373022415 0ustar bcpiercebcpierceMM*8//I  II    IJ      JJ            !!            J2             44             2             44                                                } }6 0(RS"s0*HH0appl mntrRGB XYZ   acspAPPLappl-appl dscmdescogXYZlwtptrXYZbXYZrTRCcprt8chad,gTRCbTRCmluc enUS&~esES&daDK.deDE,fiFI(frFU(*itIT(VnlNL(nbNO&ptBR&svSE&jaJPRkoKR@zhTWlzhCNruRU"plPL,Yleinen RGB-profiiliGenerisk RGB-profilProfil Gnrique RVBN, RGB 000000u( RGB r_icϏPerfil RGB GenricoAllgemeines RGB-Profilfn RGB cϏeNGenerel RGB-beskrivelseAlgemeen RGB-profiel| RGB \ |Profilo RGB GenericoGeneric RGB Profile1I89 ?@>D8;L RGBUniwersalny profil RGBdescGeneric RGB ProfileGeneric RGB ProfileXYZ Zus4XYZ RXYZ tM=XYZ (6curvtextCopyright 2007 Apple Inc., all rights reserved.sf32 B&lunison-2.40.102/uimacnew09/tableicons/Change_Unmodified.png0000644006131600613160000000263011361646373023552 0ustar bcpiercebcpiercePNG  IHDRaiCCPICC ProfilexTkA6n"Zkx"IYhE6bk Ed3In6&*Ezd/JZE(ޫ(b-nL~7}ov r4 Ril|Bj A4%UN$As{z[V{wwҶ@G*q Y<ߡ)t9Nyx+=Y"|@5-MS%@H8qR>׋infObN~N>! ?F?aĆ=5`5_M'Tq. VJp8dasZHOLn}&wVQygE0  HPEaP@<14r?#{2u$jtbDA{6=Q<("qCA*Oy\V;噹sM^|vWGyz?W15s-_̗)UKuZ17ߟl;=..s7VgjHUO^gc)1&v!.K `m)m$``/]?[xF QT*d4o(/lșmSqens}nk~8X<R5 vz)Ӗ9R,bRPCRR%eKUbvؙn9BħJeRR~NցoEx pHYs  PIDAT8mRA]Oz"wDZYjH@0&YIvBRh#6BD-qu&b.؝ޛ7o>f&?ƘRT;~8c5yP)4hF.s>r^Zmh >vsmpuyvPv[`PyO1 bc$lX04M>X\._53h4Zl6c W υ0r)H񳛛&J}t:n!"NW i̅j 8'DJإ|>GD-{9 !@u]`0 AJy6a$q|b"9rXL$@1>l[F0x 1G$ {LL|r2KF.+ЇMNUpd2Ml6~_4 a&f&J Y!pHdusH6 )򚽰xzv+C{C?Zwa(U ]*OcحD#Ta4 $R*g|K IENDB`unison-2.40.102/uimacnew09/tableicons/Change_Modified.png0000644006131600613160000000305611361646373023212 0ustar bcpiercebcpiercePNG  IHDRaiCCPICC ProfilexTkA6n"Zkx"IYhE6bk Ed3In6&*Ezd/JZE(ޫ(b-nL~7}ov r4 Ril|Bj A4%UN$As{z[V{wwҶ@G*q Y<ߡ)t9Nyx+=Y"|@5-MS%@H8qR>׋infObN~N>! ?F?aĆ=5`5_M'Tq. VJp8dasZHOLn}&wVQygE0  HPEaP@<14r?#{2u$jtbDA{6=Q<("qCA*Oy\V;噹sM^|vWGyz?W15s-_̗)UKuZ17ߟl;=..s7VgjHUO^gc)1&v!.K `m)m$``/]?[xF QT*d4o(/lșmSqens}nk~8X<R5 vz)Ӗ9R,bRPCRR%eKUbvؙn9BħJeRR~NցoEx pHYs  IDAT8uS]HQk3*Q%e%CI=EAJOSR! DePP;n;;3;soζ!A̜w~* PwD*w.Eh|[Þ:oyΓ315lEZݭBfoZ-bm]<0t=|RhQ9eIdR>\! &5M$ŹQ&zG#ޫB!AN08# 'm_KMF3`ozl`TL(] ޶ Gw >0`05u&\~r{ng : Lf$߸R`)ڛ }{E/ՉC: zTB?V>@WPDQ)I%'F b@ '3[ "5F"$w8:" 9wYrhPiCYL~->qw|) $c~0D CX:Yc :{?y'cmqө<ܒcW Mg쟣cv|cMOg8iA( Z@P,aIlfPs4 ]6/'7,Ph"$) {v> GiC¬|n/ݾDi4e%QQNnbeSvsMYR/ߖ29"ޑDC+=IENDB`unison-2.40.102/uimacnew09/tableicons/table-right-blue.tif0000644006131600613160000001253211361646373023351 0ustar bcpiercebcpierceMM*855|7t5|56u5|556u5|5556vU5ݧ5ݧ5ݧ5ݧ5ݧ5ݧ5ݧ5ݧ5ݧ5ݧ5ݧ5ݧ5ݧ5ݧ5ݧ5ݧ5ݧ5ݧ555556v9 5555555555555555555555556v9 5555555555555555555555556df6ݖ6ݖ6ݖ6ݖ6ݖ6ݖ6ݖ6ݖ6ݖ6ݖ6ݖ6ݖ6ݖ6ݖ6ݖ6ݖ6ݖ6ݖ555556d5|5556d5|556d5|56d6{6d96 0(RS"s0*HH0appl mntrRGB XYZ   acspAPPLappl-appl dscmdescogXYZlwtptrXYZbXYZrTRCcprt8chad,gTRCbTRCmluc enUS&~esES&daDK.deDE,fiFI(frFU(*itIT(VnlNL(nbNO&ptBR&svSE&jaJPRkoKR@zhTWlzhCNruRU"plPL,Yleinen RGB-profiiliGenerisk RGB-profilProfil Gnrique RVBN, RGB 000000u( RGB r_icϏPerfil RGB GenricoAllgemeines RGB-Profilfn RGB cϏeNGenerel RGB-beskrivelseAlgemeen RGB-profiel| RGB \ |Profilo RGB GenericoGeneric RGB Profile1I89 ?@>D8;L RGBUniwersalny profil RGBdescGeneric RGB ProfileGeneric RGB ProfileXYZ Zus4XYZ RXYZ tM=XYZ (6curvtextCopyright 2007 Apple Inc., all rights reserved.sf32 B&lunison-2.40.102/uimacnew09/tableicons/table-conflict.tif0000644006131600613160000001253211361646373023110 0ustar bcpiercebcpierceMM*87     _/       /I  ) B   p II      S  IJ      UU   JJ            ! C  !            J2             4  4             2             4   4                           ]                       v   }    }6 0(RS"s0*HH0appl mntrRGB XYZ   acspAPPLappl-appl dscmdescogXYZlwtptrXYZbXYZrTRCcprt8chad,gTRCbTRCmluc enUS&~esES&daDK.deDE,fiFI(frFU(*itIT(VnlNL(nbNO&ptBR&svSE&jaJPRkoKR@zhTWlzhCNruRU"plPL,Yleinen RGB-profiiliGenerisk RGB-profilProfil Gnrique RVBN, RGB 000000u( RGB r_icϏPerfil RGB GenricoAllgemeines RGB-Profilfn RGB cϏeNGenerel RGB-beskrivelseAlgemeen RGB-profiel| RGB \ |Profilo RGB GenericoGeneric RGB Profile1I89 ?@>D8;L RGBUniwersalny profil RGBdescGeneric RGB ProfileGeneric RGB ProfileXYZ Zus4XYZ RXYZ tM=XYZ (6curvtextCopyright 2007 Apple Inc., all rights reserved.sf32 B&lunison-2.40.102/uimacnew09/tableicons/Outline-Flattened.png0000644006131600613160000000076711361646373023556 0ustar bcpiercebcpiercePNG  IHDR $ pHYs  gAMA cHRMn rIm?m1JmIDATxb?-@xӿ@ ], E]]}'>?~d$d@1 Oz|ϟ _`S􏃃77iij_~= h 133cgg9HL$U q@8-x(~_ ,Y@D֭[A@(h899闀tDګ̲y\?f^"N.o(?$x0accƆ=QAG0N>] ݻS- v# ;bb1 [`[&IENDB`unison-2.40.102/uimacnew09/tableicons/Change_PropsChanged.png0000644006131600613160000000310011361646373024035 0ustar bcpiercebcpiercePNG  IHDRaiCCPICC ProfilexTkA6n"Zkx"IYhE6bk Ed3In6&*Ezd/JZE(ޫ(b-nL~7}ov r4 Ril|Bj A4%UN$As{z[V{wwҶ@G*q Y<ߡ)t9Nyx+=Y"|@5-MS%@H8qR>׋infObN~N>! ?F?aĆ=5`5_M'Tq. VJp8dasZHOLn}&wVQygE0  HPEaP@<14r?#{2u$jtbDA{6=Q<("qCA*Oy\V;噹sM^|vWGyz?W15s-_̗)UKuZ17ߟl;=..s7VgjHUO^gc)1&v!.K `m)m$``/]?[xF QT*d4o(/lșmSqens}nk~8X<R5 vz)Ӗ9R,bRPCRR%eKUbvؙn9BħJeRR~NցoEx pHYs  IDAT8uSMhAfn5i%MR%V-U)ZiTPPbQo"DZo*xŋ"(S դmng6Fogހs @Mw>3+ SzoDRϕXc~#i&bm1VƔ "xxK% 9ii>/0/Km/] JdJuAWxzpOB@1Pm<jKk; *8(LEk_,KO9k@6?m8ZƳs6+zZ. BȷrLkm Q)Gv7 w4)Yۣ=K8UUQ n̹زHŠz%V/ALXO(D>xB2 [8z}M#O@+(ZMAHpacɐ/0e2]Dd KY'l+ezI-\zgag]h* 3 //+% E$wO$_3=rFQYǔáoY:̙oGtpoP~Dv9:a1"օ8E3T΢A‹ = ];_I$[y%iR1d`N~7X?GGI|DV<&PDczZt479\_9IENDB`unison-2.40.102/uimacnew09/tableicons/table-merge.tif0000644006131600613160000001253211361646373022406 0ustar bcpiercebcpierceMM*86/7O5ݏ5ݏ5i6u5ݏ5ݏF 6/58I6ߎ555M ;555@8I5658I6ߎ5555V6r555@8I566557J6ߎ5656ݮ6655@7J5566!6ޤ6ޤ6ޤ6ޤ6ޤ6ޤ6ޤ6ޤ65557J6ߎ56ފ56; 6&55ݐ55@7J55566ޤ6ޤ6ޤ6ޤ6ޤ6ޤ6ޤ6ޤ6!645555555555555826ߎ55V657]6݀69:55@82555555555555564645555555555555ޣ6ߎ55V6ބ56ݴ66޷9$55@5ޣ55555555555564M M M M M M M M 6555ޣ6ߎ55V9-556G57\9$55@5ޣ556M M M M M M M M 655ޣ6ߎ55V6565@ 9$55@5ޣ5665ޣ6ߎ55V5}556ݦ9$55@5ޣ65}6ߎ55V6&556L9$55@5}6ߎ55V969:@9$55@6 0(RS"s0*HH0appl mntrRGB XYZ   acspAPPLappl-appl dscmdescogXYZlwtptrXYZbXYZrTRCcprt8chad,gTRCbTRCmluc enUS&~esES&daDK.deDE,fiFI(frFU(*itIT(VnlNL(nbNO&ptBR&svSE&jaJPRkoKR@zhTWlzhCNruRU"plPL,Yleinen RGB-profiiliGenerisk RGB-profilProfil Gnrique RVBN, RGB 000000u( RGB r_icϏPerfil RGB GenricoAllgemeines RGB-Profilfn RGB cϏeNGenerel RGB-beskrivelseAlgemeen RGB-profiel| RGB \ |Profilo RGB GenericoGeneric RGB Profile1I89 ?@>D8;L RGBUniwersalny profil RGBdescGeneric RGB ProfileGeneric RGB ProfileXYZ Zus4XYZ RXYZ tM=XYZ (6curvtextCopyright 2007 Apple Inc., all rights reserved.sf32 B&lunison-2.40.102/uimacnew09/tableicons/Change_Absent.png0000644006131600613160000000271111361646373022703 0ustar bcpiercebcpiercePNG  IHDRaiCCPICC ProfilexTkA6n"Zkx"IYhE6bk Ed3In6&*Ezd/JZE(ޫ(b-nL~7}ov r4 Ril|Bj A4%UN$As{z[V{wwҶ@G*q Y<ߡ)t9Nyx+=Y"|@5-MS%@H8qR>׋infObN~N>! ?F?aĆ=5`5_M'Tq. VJp8dasZHOLn}&wVQygE0  HPEaP@<14r?#{2u$jtbDA{6=Q<("qCA*Oy\V;噹sM^|vWGyz?W15s-_̗)UKuZ17ߟl;=..s7VgjHUO^gc)1&v!.K `m)m$``/]?[xF QT*d4o(/lșmSqens}nk~8X<R5 vz)Ӗ9R,bRPCRR%eKUbvؙn9BħJeRR~NցoEx pHYs  IDAT8uSkZQ?>4 J#d!!?`N %v0C)2%M)AD3yD}=+!λ|`H%˩$< AABA5ŲL`d29 )siqqju*C>B@Sxodp8e,@ <RVyәxޗKKKhXTTYB263"}T*M&D" 8gd6;;뺸pX8O&K%}~~B1"23330*wĉ@acs3D9^LHX~|d4d׍!mVՄ?E,IAN)3ֱ,S2$e{WzP@Q4ᛛ^,*A4ߧQ1j}l6?Ut7l+<GjPP%:8<<ܒ$@~j2*+T*Gt)<ܟUvzXov+?)aYTkb@IENDB`unison-2.40.102/uimacnew09/tableicons/Change_Created.png0000644006131600613160000000304211361646373023034 0ustar bcpiercebcpiercePNG  IHDRaiCCPICC ProfilexTkA6n"Zkx"IYhE6bk Ed3In6&*Ezd/JZE(ޫ(b-nL~7}ov r4 Ril|Bj A4%UN$As{z[V{wwҶ@G*q Y<ߡ)t9Nyx+=Y"|@5-MS%@H8qR>׋infObN~N>! ?F?aĆ=5`5_M'Tq. VJp8dasZHOLn}&wVQygE0  HPEaP@<14r?#{2u$jtbDA{6=Q<("qCA*Oy\V;噹sM^|vWGyz?W15s-_̗)UKuZ17ߟl;=..s7VgjHUO^gc)1&v!.K `m)m$``/]?[xF QT*d4o(/lșmSqens}nk~8X<R5 vz)Ӗ9R,bRPCRR%eKUbvؙn9BħJeRR~NցoEx pHYs  IDAT8mS]HTA>wZaJEi$VDJ?AK/!%AabZc`"APh,ۙ^K0o|w k7:[ڙu3EÂQ}}N695,_ћ]/CXNc r" yEx]n2IivRTTP 28 ? 1lmhBSSSm5*hj% N@S)N\p;vJl0)$(PPI6L 3A-\6 *"4_ *<1A-ݻ 9\" EhQeJq9](vXS݌ElqI{{;|=q\ЩpfƁր$r|1㢵6oVcGpU@'2 q,~<1. Jyaa՞NiȢHAy8 ;{(6{*x?F!'$b?Ů<2ЖIENDB`unison-2.40.102/uimacnew09/tableicons/table-error.tif0000644006131600613160000001253211361646373022440 0ustar bcpiercebcpierceMM*8D8;L RGBUniwersalny profil RGBdescGeneric RGB ProfileGeneric RGB ProfileXYZ Zus4XYZ RXYZ tM=XYZ (6curvtextCopyright 2007 Apple Inc., all rights reserved.sf32 B&lunison-2.40.102/uimacnew09/tableicons/Change_Deleted.png0000644006131600613160000000275711361646373023047 0ustar bcpiercebcpiercePNG  IHDRaiCCPICC ProfilexTkA6n"Zkx"IYhE6bk Ed3In6&*Ezd/JZE(ޫ(b-nL~7}ov r4 Ril|Bj A4%UN$As{z[V{wwҶ@G*q Y<ߡ)t9Nyx+=Y"|@5-MS%@H8qR>׋infObN~N>! ?F?aĆ=5`5_M'Tq. VJp8dasZHOLn}&wVQygE0  HPEaP@<14r?#{2u$jtbDA{6=Q<("qCA*Oy\V;噹sM^|vWGyz?W15s-_̗)UKuZ17ߟl;=..s7VgjHUO^gc)1&v!.K `m)m$``/]?[xF QT*d4o(/lșmSqens}nk~8X<R5 vz)Ӗ9R,bRPCRR%eKUbvؙn9BħJeRR~NցoEx pHYs  IDAT8mRKTQ?㽧6̱LrZ*"X,9m[+7m\XkSRjHRaTj4cZ օ9{>UaU&_S!DDB4l}|[mL`ALJ47w\q /h oSRf?pqw*nXE}0`;#tg>C7M5KJMuut'fԗ0ݑ@ƶ?PB.Lt-焍K./=7!~#D0,Qmˇͼ>z9A_:= C˖AS&@ɶa=6w}:jɴLL>q(J( ~ ߯_{aZDTG6gFI+C`<9GHY\YkW@r*+HdV+Y&[ࣲd"?sD bcϖf~!nNL8R(0,eOJ1ds"D8;L RGBUniwersalny profil RGBdescGeneric RGB ProfileGeneric RGB ProfileXYZ Zus4XYZ RXYZ tM=XYZ (6curvtextCopyright 2007 Apple Inc., all rights reserved.sf32 B&lunison-2.40.102/uimacnew09/tableicons/Outline-Flat.png0000644006131600613160000000101211361646373022516 0ustar bcpiercebcpiercePNG  IHDR $ pHYs  gAMA cHRMn rIm?m1JIDATxb?-1@0o޼q3LLL@XDDd@ϟ?,;7ot&@8-/өSBȻ耑z  accbC-`b?ff?XYY`3 pZrFl.ǦX pZr3g (p ]qr5(@A L@8-x򥘕Jbr;xϞ=T "AA ?P*PRH011-`666 XD{{ѩӧ fCG2H@R hn@*?DNIENDB`unison-2.40.102/uimacnew09/tableicons/table-left-blue.tif0000644006131600613160000001253211361646373023166 0ustar bcpiercebcpierceMM*8 D8;L RGBUniwersalny profil RGBdescGeneric RGB ProfileGeneric RGB ProfileXYZ Zus4XYZ RXYZ tM=XYZ (6curvtextCopyright 2007 Apple Inc., all rights reserved.sf32 B&lunison-2.40.102/uimacnew09/tableicons/table-right-green.tif0000644006131600613160000001253211361646373023522 0ustar bcpiercebcpierceMM*8J}J|}Kt}J|}J~Ju}J|}J}J~Ju}J|}J}J}J}LvU}K}K}K}K}K}K}K}K}K}K}K}K}K}K}K}K}K}K}J}J}J}J}J}LvU }J}J}J}J}J}J}J}J}J}J}J}J}J}J}J}J}J}J}J}J}J}J}J}J}LvU }J}J}J}J}J}J}J}J}J}J}J}J}J}J}J}J}J}J}J}J}J}J}J}JMdf~K~K~K~K~K~K~K~K~K~K~K~K~K~K~K~K~K~K~J}J}J}J}JMd}J|}J}J}JMd}J|}J}JMd}J|}JMd~K{MdU6 0(RS"s0*HH0appl mntrRGB XYZ   acspAPPLappl-appl dscmdescogXYZlwtptrXYZbXYZrTRCcprt8chad,gTRCbTRCmluc enUS&~esES&daDK.deDE,fiFI(frFU(*itIT(VnlNL(nbNO&ptBR&svSE&jaJPRkoKR@zhTWlzhCNruRU"plPL,Yleinen RGB-profiiliGenerisk RGB-profilProfil Gnrique RVBN, RGB 000000u( RGB r_icϏPerfil RGB GenricoAllgemeines RGB-Profilfn RGB cϏeNGenerel RGB-beskrivelseAlgemeen RGB-profiel| RGB \ |Profilo RGB GenericoGeneric RGB Profile1I89 ?@>D8;L RGBUniwersalny profil RGBdescGeneric RGB ProfileGeneric RGB ProfileXYZ Zus4XYZ RXYZ tM=XYZ (6curvtextCopyright 2007 Apple Inc., all rights reserved.sf32 B&lunison-2.40.102/uimacnew09/Bridge.h0000644006131600613160000000302711361646373016737 0ustar bcpiercebcpierce// // Bridge.h // uimac // // Created by Craig Federighi on 4/25/07. // Copyright 2007 __MyCompanyName__. All rights reserved. // #import /* Bridge supports safe calling from C back to OCaml by using daemon threads spawned from OCaml to make the actual calls and converting all argument / return values in the OCaml thread (when in possession of the OCaml lock) */ @interface Bridge : NSObject { } + (void)startup:(const char **)argv; @end /* ocamlCall(sig, funcName, [args...]); Call ocaml function (via safe thread handoff mechanism). Args/return values are converted to/from C/OCaml according to the supplied type signture string. Type codes are: x - void (for return type) i - long s - char * S - NSString * N - NSNumber * @ - OCamlValue (see below) Examples: long count = (long)ocamlCall("iS", "lengthOfString", @"Some String"); (void)ocamlCall("x", "someVoidOCamlFunction"); OCamlValue *v = (id)ocamlCall("@Si", "makeArray", @"Some String", 10); NSString s = [v getField:0 withType:'S']; */ extern void *ocamlCall(const char *argTypes, ...); // Wrapper/proxy for unconverted OCaml values @interface OCamlValue : NSObject { long _v; } - initWithValue:(long)v; - (void *)getField:(long)i withType:(char)t; // get value by position. See ocamlCall for list of type conversion codes - (long)count; // count of items in array - (long)value; // returns Ocaml value directly -- not safe to use except in direct callback from OCaml // (i.e. in the OCaml thread) @end unison-2.40.102/uimacnew09/Frameworks/0000755006131600613160000000000012050210655017472 5ustar bcpiercebcpierceunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/0000755006131600613160000000000012050210655025222 5ustar bcpiercebcpierceunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/BWToolkitFramework0000755006131600613160000350207411361646373030735 0ustar bcpiercebcpierce i  t<  x__TEXTpp__text__TEXT"__symbol_stub1__TEXT__stub_helper__TEXT__cstring__TEXT(P__const__TEXT(__unwind_info__TEXT  __eh_frame__TEXTPS `H__DATApp__nl_symbol_ptr__DATApPp__la_symbol_ptr__DATAPpPp&__dyld__DATA0q0q__const__DATA@q@q__cfstring__DATAPqPq__objc_data__DATA__objc_msgrefs__DATA @ __objc_selrefs__DATA` `__objc_classrefs__DATA__objc_superrefs__DATAXX__objc_const__DATAXXX__objc_classlist__DATA@ h@ __objc_catlist__DATA8__objc_imageinfo__DATA__data__DATA__bss__DATA(H__LINKEDIT v p@loader_path/../Frameworks/BWToolkitFramework.framework/Versions/A/BWToolkitFrameworkksyd#֑'"0HHP #  {@  P K rzBY(83O X/System/Library/Frameworks/Cocoa.framework/Versions/A/Cocoa 8/usr/lib/libgcc_s.1.dylib 8}/usr/lib/libSystem.B.dylib 8/usr/lib/libobjc.A.dylib h,/System/Library/Frameworks/CoreServices.framework/Versions/A/CoreServices h &/System/Library/Frameworks/CoreFoundation.framework/Versions/A/CoreFoundation p&/System/Library/Frameworks/ApplicationServices.framework/Versions/A/ApplicationServices `,/System/Library/Frameworks/Foundation.framework/Versions/C/Foundation X-/System/Library/Frameworks/AppKit.framework/Versions/C/AppKitASLAS%CU%BUUHAWAVSHH&sL5oH=pH5srH5sLHHH=RH5rrIL= sH5rHTHrH5rLHAH5rHrH[A^A_]ÐUHH U]ÐUHH]ÐUHH=ّH5rr]UHHT]ÐUHHT]ÐUHH{T]ÐUHAWAVSHH$rL5H=H5qqH5rLHHH=pH5qqIL= rH5qHkTHqH5qLHAH5qHqH[A^A_]ÐUHHT]ÐUHH]ÐUHH=H5qq]UHH5T]ÐUHH'T]ÐUHHS]ÐUHH=H5q~qH5WqHNq]UHSHHHYH5rqHiqu HH[]H=H5-q'qH5qHpӐUHAWAVATSHHH}HHEH}H5qHqHIL=qL%qH~SHLpH5pLHAL=pHtSHLpH5pLHAL=H5pHcSHpC>L=pHhSHL|pH5pLHALH[A\A^A_]UHHHfAE10]UHHI0]ÐUHH_]ÐUHHH2A0A蹡]ÐUHAWAVAUATSH(ӉIL0HћI<H5.q(qH L=qLL~qH5'rHljrLL`qHpHHpH5s1HsH=lH5nnIL-sLLqHHEpH5qHqH8HpHpHPHD$HHHD$H@HD$H8H$H5XsLAH5KnHBnH ӚA<(H(t0H*sH5pLLpH5sLH(HH5:pH0-pH5foH]oH5pHpH5rHrH5rHrH5mHmHHDžHDžHDžHDžHDžHDžHDžHDžH5[oHHAH>oHHL1HALEE1HL;0t 0HHfH0<HN,tH5qHLH(qH5qH(LqIM9uH5nHHAHnHUHH0H<HwnHnnL57oHL+oL=lHLlIL-nLLH(H nH UH< H5oLnH5nH nH5BmH9mHXHmHmH H< p(hH5nnHL^nHLBkIL=nH=H5zn(dnLLHH AH rH< H5OnLFnH5?pHߋ0pIL H7H<HlHlH5nHLnHH5lHlH5lHkIHݖH<L=oH5ooH5oLAHʖ<HH<H5VlPlHHmH mHiHHiIL=lH0H"lHlHH5OkIkH5lHlLLolLHL LAH=H0H<9H5lLlH=ەH0H<9H5llHHQlHHlHH,iHL5kL=klL-H0HVkHMkHH5j}jHxH?kH6kH5lLAHLkLHLAHH0H<H5kHkfHH0H<H5kkL5lHLL LplH5mHm(H5ijH`jH5iHiH5rmH(YmHJH<H5jjHLLkH5lHlH5lHlH5gHgH(H5jHjHH(HDžXHDž`HDžhHDžpHDžxHDžHDžHDžH5%iHXHAH(iH$HhH HHHEE1HhHH;t0H(記HH0<H`NH=zmH5PPIL%QH=dmH5QH 1HQH5QH1LLIAHlzAH5OLO[A\A^A_]UHAWAVSHIH51PL(PIH5PLPHrdLHcH5PPH5PHOHLuH&qHEH}H5PHPHyI<H5PHPH[A^A_]UHAWAVAUATSHHHH=MlH5LLH5NHNH5LHLHHDžHDž HDž(HDž0HDž8HDž@HDžHHDžPH5NHNHH5NHNHH5HNHHXAH+NH H(L1HALEE1H(L;0tH5eNH\NH0}H N,H5PNLGNH5OH)/HOumH5%NLNH5NH.HNuBH5MLMH5NH.HNuH5MHLMIM9+H5,MHHXAH MHH5;NH.NHtgHcH5;NH.NHH5LHLH5 MHMH5`LHHTLH[A\A]A^A_]1H[A\A]A^A_]UHAWAVAUATSHHvH<HHvH<qHLHoH5KILKH5KLHHHDžXHDž`HDžhHDžpHDžxHDžHDžHDžH5KHXHAHzKHHhHHALEE1HhH;t0H+{H`N$L-KH=T-zH5KLHAՄtHLuLHzIM9uH5JHXHAHJHUHJH=,7zH5JHHӄH5IHHHIHtH<H5rJlJH5KHKHuiHtHHL5rJH5KJHBJH5{IHrIHH4JH+J0(H5$JHAH=fH5 JJHL5 JH5ILLIH5IHHH (LH `eH5IHLIAHDžHDž HDž(HDž0HDž8HDž@HDžHHDžPH5IHyIHH5HHHXAHHH.H(H HHHEHHDžH(HH;tH5HHHH0cxHrHL4H LN$L-HLHHHHH5HLHAH xrH L5HLHHHHH5HHLHAILL;2H5GHHXAHGHH5PHHHH=HH5FHH=HHqH<H5GGHt4HqHH<H5[GUGH5~HHuHH>HGH5F1LLFH5GLHFH=@)yvH5FHHӄHqHH<H5FFHHGH~GHH dDH[DIHpH<L=GL%FLFIHHyFHpFHH5EEH5)GH GLLFLHLAH=[pH<;H5GLFH=@pH<;H5FFHHFHFHH CHCIHoH<HLFHLLEIL%FL-bHHEHEHH5DDH8HEHEPHH5ZFLALLELHLH\oH<H59FL0FH[A\A]A^A_]H7oHL4HoH<L=EL%DH5lDfDH5oDLHAԉH5mEHAUHAWAVSHHHnH<H5 DDHu1H5C1HCHH5C1ɉCH[A^A_]H}nL4HjnH<L=CH5CCH5CLHAUHSHHH5uCH1jCH5sCH߉1fCH[]ÐUHSHHH_H5AHAuxHmHmH<H5BBt4H5BHBH5BH1BH5BH1BH_H5nB1fH_BH[]UHAWAVATSHH}HdHEH}H5AAHHL5&mH=`L=h@L_@L%AHLAHHLrL5lH=_L'@HLAHHLUrHlHlH5}AHHqAH"^H5sA1fHdAHH[A\A^A_]UHAWAVSHH}HcHEH}H5@@HH=^L5@H?#H #L"E1L0@IH=^H$HJ#H c!L!L #L0j@IH5p@HLd@LHDH[A^A_]UHAWAVATSHHILuHbHEH}H5?H?L=?H5?L?L%?H !HLHAL=?H5?L?H !HLHAH.kAH5j?H !HZ?L=3?H5\?LS?H !HLHAH[A\A^A_]ÐUHSHHH?\H5X>R>t3H=H50>*>H5>H >H5kHoH[]UHSHHH=AH5==H5=H=H5HoH[]UHSHH}HjaHEH}H5==HHt8Hv[H5=H=tHk[H5>1fH>HH[]ÐUHHHHHOHGHG]UHSHHHZH5=H =tNH5BHyBH5BHBff.uzHZH5=1fH=H54BH+BH5TBHKBtMH5BHBHhZH5y<Hp<t"H5AHAH5B1H BH[]ÐUHH5AAH5AbHA]UHHHHHOHGHG]UHSHH}H_HEH}H5;;HHt%H5AHwAH5AHrAHH[]UHAWAVAUATSH8HIIEXEH5AL|AH5>HHu>LetH5fAnLf(QAH5ZALQAt*L-fAH5OALFAH5OALHAILL}H^HEID$HD$ID$HD$ID$HD$I$H$H}H5AHAH8[A\A]A^A_]UHAWAVAUATSHH9L5YH=YH599H59LHHH=YH9H9IL=9L%9HHL9L-9LLHAH5fHkH=?YHX9HO9IL=e9HNHLB9LLHAH5HYkH=XH 9H9IL=9HHL8LLHAH5H kH=XH8H8IL=8HHL8LLHAH5iHjH=RXHk8Hb8IL=x8HHLU8LLHAH5HljH=XH8H8IL=)8HHL8LLHAH5HjH=WH5->'>H8HH8H5mHiH=WH5>W W=HH7H56HiH[A\A]A^A_]ÐUH]UH]ÐUHH5y>s>HH HDH]UHAWAVAUATSHHH=VH566H5k8Hb8H5 7H7IL==H]HZHEH}H5==H5=LHAHiL8L%9H=HVH5=I=L-d9LLHLAH.L8L%D9H5 =H=LLHLALH[A\A]A^A_]ÐUHSH8HEXٺEHuHZHEHE(HD$HE HD$HEHD$HEH$HuH<<HH8[]ÐUHSH(HH=cH5<<M(H5;H;HEtYH=JH5;H,HHHL$HHHL$HHHL$HH$1AA gH([]H=H5ҴHHHHL$HHHL$HHHL$HH$1AAfUHAWAVATSHHH=TH544H56H6H54H4IL=;H]HXHEH}H5b;\;H5e;LHAHL8L%+7H5:H:H57LHLAH5q;Hh;HHH=SL=6uXH5U;G;L%6LLHHAHHHLL6LH[A\A^A_]H5:M:H5h6LHHAUHAWAVAUATSHH23L5SSH=TSH5 33H53LHHH=6SH3H2IL=3L%2HHL2L-2LLHAH5زHdH=RH2H2IL=2H`HL2LLHAH5HdH=RH[2HR2IL=h2H1HLE2LLHAH5JH\dH=;RH 2H2IL=2HHL1LLHAH5H dH=ܱH 9H޺8H=رH޺8H=H޺8H=H޺8H=qQH577H1HH1H5JH|cH=;QH57 7HHZ1H5H=cH=$QH0H0H5]2HT2H5ͰHcH=H58f 8H[A\A]A^A_]UH]UH]ÐUHAVSH@HE(Ef(XMMH=oH566E\Y)XEX$EZMMtbEH5H7H?7AH5r6Hi6AH EZEEMX MtjH57H7tVH=HHCHD$HCHD$HCHD$HH$H5Y7EMU?7H55H5uH57H7H55H5uH56H6H5k5Hb5teH56H6uQH=HHHHL$HHHL$HHHL$HH$H56EMUi6H@[A^]H=H=uUHAVSH0HIH55L5HEtX#LuH LRHMHHHL$HHHL$HHHL$HH$H}H55H5H0[A^]ÐUHAWAVSHHH5I5H@5IL=/H=MH5x-r-H5/LHAׄt5H575H.5HH=kMuAH533H[A^A_]H54Hy4H@H 1HDHH53 ٱs3뭐UHAWAVAUATSHhLEHIIH5K4LB4LetbLuL5PLuMt$Lt$Mt$Lt$Mt$Lt$M4$L4$HuH3LHLEz3LHh[A\A]A^A_]H=qLH533H53H3IL^1L^LuH\PHEID$HD$ID$HD$ID$HD$I$H$H}HuH2HLE2L]EAEAGEAGEAG,UHAVSH5(3"3HL5-H=KH5Z+T+H5-HHA[A^]UHAWAVAUATSHhHH5Q3HH3HLuIH5A31L63H51L1H5.HH.tH51Lf(1H51L1t*L%1H5}1Ht1H5}1LHAIH=JH522IANH52fL2H52 9L2LH2H2L-2INHL$INHL$INHL$IH $H}Hi2H`2H HQHT$8HQHT$0HQHT$(H HL$ HMHL$HMHL$HMHL$HMH $H52L\AH52L 2LH1H1Hh[A\A]A^A_]ÐUHAVSHPHIH]HzMHEHE(HD$HE HD$HEHD$HEH$H}HuH11EXEH51H1HH5{1Hr1HH5a1HX1HH5G1H>1HH5-1H$1HH51H 1HtH50H0HuEXEEAEAFEAFEAFLHP[A^]EXEEXEUHAWAVAUATSHH'L5GH=HH5'{'H5'LHHH=GH{'Hr'IL='L%q'H HL^'L-g'LLHAH5|HnYH=GH'H'IL=+'HT HL'LLHAH5=HYH=6GH&H&IL=&H% HL&LLHAH5HXH=FH&Hw&IL=&H HLj&LLHAH5HXH=FH1&H(&IL=>&H HL&LLHAH5pH2XH=IFH%H%IL=%H HL%LLHAH5 HWH=EH%H%IL=%Hi HL}%LLHAH5ʥHWH=EHD%H;%IL=Q%H: HL.%LLHAH5[HEWH=dEH5U+O+H8%HH,%H5 HWH=.EH5/+ +HH$H5֤HVH[A\A]A^A_]ÐUH]UH]ÐUHH5++HH HDH]UHAWAVAUATSHHH=gDH5 $$H5%H%H53$H*$IL=+H]H%HHEH}H5**H5*LHAHL8L%&H=CH5*q*L-&LLHLAHVL8L%l&H55*H,*LLHLALH[A\A]A^A_]ÐUHAVSHPHIH]H^GHEHE(HD$HE HD$HEHD$HEH$H}HuH++EXEEX{EEX٧EH5*H*HH5<+H3+HH5"+H+HH5+H*HH5*H*Ht}H5*H*Hu*H5*H*HuQEX&E=H5*H*HtH5*Hy*HuEXEEAEAFEAFEAFLHP[A^]ÐUHAVSH HH=H5''M(H5'H'AH59)H0)EHMtvt[H=|H5mH^HAHD$HAHD$HAHD$H H $1AARH [A^]H=!H5H룄tH=H5HH=H5РHHAHD$HAHD$HAHD$HH$1AA8RnUHAVSHH}HpDHEH]H5 H IH5(L(HWALuH)DHEH5(1H(LH[A^]ÐUHAWAVAUATSHHH=@L5|LsIHLdI9kHdL5?H=?H5?9H5BLHHH=?H9H0IL=FL%/HHHLL-%LLHAH5H,QH=k?HHIL=HHLLLHAH5KHPH=?HHIL=HHLwLLHAH5HPH=>H>H5IL=KHHL(LLHAH5H?PH=~>HHIL=HHLLLHAH5FHOH=/>HHIL=HVHLLLHAH5HOH==HQHHIL=^H'HL;LLHAH5HROH[A\A]A^A_]ÐUH]UH]ÐUH]UHHHTH}HAHEH}H5&&H]ÐUHHHTH}H@HEH}H5%%H]UHAWAVSHXIILuH@HEH}HuH%w%H50%L'%H9EAEAGEAGEAGLHX[A^A_]EXEHEHD$HEHD$HEHD$HEH$H  fLMUH]ÐUHAWAVATSH HH5m$Hd$HH:SLuut HΛH͛H̛AEAFEL8L%!LL!M\Y 0MZBMEANMf(AXVULLG!]\Y]ZLZU\XUH5w#Hn#HZEXEXA~XUXUMH5a#LS#H [A\A^A_]HUHAVSHpIEEEEE EE(EH=sH5T N ME(f.v-\YZMMKZXEEEXEEXEH5V"LM"H~ M\MXEEH5a LX H=əH5HHMHL$HMHL$HMHL$HMH $H D1AJH5!L!HH5!L!H~1HcH}H!L!H=8H5H5y!Hp!HEHD$HEHD$HEHD$HEH$@JH5!!L!HcH9|Hp[A^]ÐUHAWAVAUATSHHH}H5<HEH}H5VHMHIL=:!L%CHHL0H5!LHAL=!L-BHHL/H5 LAL= HHLH5 LHAL= HHLH5 LHAL= HHLH5 LHAL= HHLWH5 LHAL= H5 HrHy H5 LAL= HlHL0H5f LAHiLuH:HEL}H5O LF H5?LHLuHl:HEH51 LL% LH[A\A]A^A_]ÐUHAWAVAUATSHH=6HC+H *L5HLH5hHGH=A6H NHLH5EHGH=6H HLH5HdGH=5HH HH H5fH]H5H GHL55H=5H5H5LHHH=5HHIL=L%HHLL-LLHAH5%HFH=>5H?H6IL=LHuHL)LLHAH5ޔH@FH=ǔH@H޺2H=H޺H[A\A]A^A_]UHHU]ÐUHHU]UHHHUAE10E]UHHHUAE10E]UHHHUAE10E]UHHHvUAE10xE]UHHyU]UHHiU]UHH U]UHHT]ÐUHHT]ÐUHHH UAE10E]UHHT0D]ÐUHHHTAE10D]UHHT0D]ÐUHHHTAE10D]UHHT0qD]ÐUHHHTAE10VD]UHHgT07D]ÐUHHHSHHD]ÐUHHSH]ÐUHAVSHHHSH<L5LHSH<LHSH<LHSH<LHSH<LHSH<LHvSH<LqHSH<L]HVSH<LIH]H.5HEH}H5 H[A^]UHAVSHRH<Iu"H=Y1H5HLHBHRI<H5H5H[A^]ÐUHAVSHRH<Iu"H=0H5HLHfBHWRI<H5\VH5/H&[A^]ÐUHAVSHRH<Iu"H=0H5JDHLHAHQI<H5H5H[A^]ÐUHAVSHQH<Iu"H=!0H5HLHAHwQI<H5H5_HV[A^]ÐUHAVSHQH<Iu2H=/H5:4H5=H4HLHAHPI<H5H5H[A^]ÐUHAWAVSHHPHH9Ht8IH5HL=nPH5LHHL@H59H+H[A^A_]UHH-PH5 ]UHSHHH5+H"t H[]H]H'2HEH}H5f.2UHSHHH]H1HEH}H5H5HH[]ÐUHAWAVATSHMEHIHpOM<L%H=-H5  H5LHAԄtH5LH[A\A^A_]HOI<HN+H5O I uI9tH5HMEHNI<H5H뒐UHAWAVAUATSH(HHH5HL5L=-H5HH5HH5LHAH(H5LHCHHXHHpHDžHDžHDžHDžHDžHDž HDž(HDž0HMHHH5 HH H5 HH8AH HHL1f0HALEE1HL;0tH5HH05=HJ;u\ XL-I H='ZH5H5* H(HLAII9H5g HHAHF HQHɹEHT HHHHH<H5H5 H HHHIL L=>L%'L- 'H=!'H5B<H5H>HHHDH5LHAH5LHAH5 L H*1HcH5 H r IH5 H(L H5AH8L=L%R LLF H5HAL=TLL H5AHAZf.wf.2f.wZL=H=y%H5H5H(HLAH5~ L LLk HFHH<H5LH5"HH5LH\Z\Af1HcH5H Hff.IH5lH _HH/ZH*Xi^YZ5H5H HH9ZXu\XL=)H=#ZH5H5 H(HLAH5H HcH9H5lH _HcH9H5JH =H ff. H='#H582HHDžxHDžHDžHDžHDžHDžHDžHDžHTDHHHH53H*HH5,HxHAHHHHHALEE1HH;tH5HH03HCHH<HN$H5LH5HZ^0ZL-H=!H5H5HHLAIM9KH50HxHAHH H5?HH/IHDž8HDž@HDžHHDžPHDžXHDž`HDžhHDžpH5}HtHH5vH8HxAHYH0X0DHHH HDžfHHHHE؋DpE1HHHH;tH5HH01H@N$H5HLH5 H ZY0Zi1C>;ZXu0\XL-H=cZH5  H5H(HLAII9H5H8HxAHHQHɹEHT HH@HH<H5i c H5LHCH,HH IL= L% L-H=H5H5} HHh HHH5e LHAH5e LHAH5L H+1HcH5LIH5H(LH5 H L%% L-LLH5 HAL% LLH5 HAZf.wf.f.wZL%lH=H5> 8 H5QH(HLAH5 LLH5HLwH5 H Z\H5LH0\01f1HcH5fLHZff.IH5LHHZH*X^Y0Z-H5LHH9ZXu0\XL%H=xZH5  H5H(HLAH5IL@HcH9H5&LHcH9H5H Hf0f.HDžHDžHDžHDžHDžHDž HDž(HDž0H5 H(x HH5HH8AHH HL1f0HALEE1HL;0tH5 H( H0+HJ#A<uVH5@L7AH5LEH zH}HiHdff.EH5*L!tH5L}H5LxH"I<HH5tH"I<H5HHĈ[A^A_]HhHHfxH}HHef.E4H5UHAWAVATSH@LIIIH!I<H7H5 HEu>A$@AD$@AD$@AD$LH@[A\A^A_]IHU0LH5{!I47HzH|$8HzH|$0HzH|$(HHT$ HPHT$HPHT$HPHT$HH$HcLZUHAWAVAUATSHHEIIH5L HH5+L"u]H I<H$H5t:H M$L-H=H5KEH5LHAՄtEH[A\A]A^A_]HLHX I<H5uEjUHAWAVAUATSHHIIH I<HqH5JDt>HM$L->H=_H5H5#LHAՄAH5LDff.uzH5LH5HHHH5VLMHH8HH@XH5LH5\HSANHcH9sH5Lf.bKH5LH5HHHH5vLmHH}L5HLEH}HLEH5LX\\ZZ Zf.wH[A\A]A^A_]LHI<H5HHHHE^HXL5HLXHxHLrEUHAWAVAUATSHHIIHI<H1H5t>HM$L-H=H5HBH5LHAՄAH5PLDDf._uzH5TLKH5HHHH5LH\H8HHH@XH5LH5H ANHcH9iH5rLiff.AH5tLkH5HHHH5.L%H| H}L5kHLEH}HLFEH5LyX\\ZZ Z]H[A\A]A^A_]LH`I<H5-HHHHOhHXL5_HLXHxHL4EUHAWAVAUATSHHLIHUIHI<HH5t>HrM$L-H=H5 H5LHAՄ|H5\LSH5HLIH6H5OLF&H5WLNu EuHtvH58L/H5LH5HHIcH9H5H}H5HHH9H5bLYL5H5LH H}HHEZC>H5LH5LH5L1HH[A\A]A^A_]HI<H5UHULIEH}HHEjUHAWAVAUATSHHIIH]I<HH5t>H:M$L-H=H5H5lLHAՄH5$LH5HHHHH5Lu.H5#Lut&H5 Lt;1H[A\A]A^A_]øLHrI<H5HH5zLqH5HHHcH9UHAWAVATSLIIIH I<HH5@:t-ILHI4H^LUL[A\A^A_]HA$@AD$@AD$@AD$UHAWAVAUATSHHIIHiI<HH5t:HFM$L-H=H5H5xLHAՄtXH4H5MLDu,H5LtH5ULLHcH9t41H[A\A]A^A_]LHI<H5HH5iL[UHAWAVSHXHIH5ZLQtmH5VLMAH5LEH ulH}HHEHbA<uff.vZH6ALuHHEH}H5H HX[A^A_]H}HHE뒐UHAWAVAUATSHHHHH5HB H5VHM* H5HH H< H$HHHBHL54L=mH5H IL-H5\HSH5LHAՉH5LAH5HHH5HH5H}HHuH5H@ ƅH5[HRHupH5HHHgH<L5$LH5tHfH7H<LH5[HMHDžHDž HDž(HDž0HDž8HDž@HDžHHDžPH5HHH5HHXAHjH H(L1HDžHALEE1H(L;0tH5HH0H N,H5dHLXtH5=H4I9tLIM9uH5HHXAHHSH6L5HLH5HHLH5uE1H1gH5HH5HAHL`H5HD}EftZH5HAHL EH rHHHZ0H5H L5{H5HH8H}HtZHB3tH5HH=vH5H=bH5;5IL=H5HZH5LAH5H L5HLZL=fHLhLLLEIL-KHXH}LtH MZ XhZXLLAH=lH5t6L5/H5HZHTH5 HHAL5H5rHiH=H5xZHH5HHAItH5HH=H5H=H5icIL=H5HZH5LAH5AH8L5HLH Z ZL=HLLLLsIL-yHxHLH { Z \Z\LLHH]HZH5HYL5 H5BH9HH HZB3tH5THKH=H5MGH=H5IL=IH52H)ZH5.LAH5HL5!HLZL=fHLLLLIL-HHL H ZXZXLLtH57H.H=H50*H=H5IL=,H5H ZH5LAH5H{L5HLH ! Z ZL=HLLLLIL-HHLH Z\Z\LLAH=H5rlt6L5H5H ZHH5zHHAH51HH4 L5IL=HLZH[L%$E1HL1AL5HLH=H5ZHHLHAL5HL2ZHHLLAH[A\A]A^A_]ƅUHAWAVSHHH5uoIL=5H5HH5LAH[A^A_]UHAWAVAUATSHHH5HH5HH5H~H5gH^HEHHEL5xL=H5ZHQIL-H5HH5LHAՉH5.LAH51H}HUH5PHHUCH[A\A]A^A_]UHAWAVAUATSHHUHH5HH5HH5HH5mHdHEH)HEL5~L=H5`HWIL-H5HH5LHAՉH54LAH5H}HUHUH5RHHUEH[A\A]A^A_]UHSHHH5H tH51HH[]H5HUHSHHH5]HTtTH5HtFH5Hu*H5?H6H5HvH[]ø1UHSHHH5Ht1H<u(H5lHc Gf. 1H[]ÐUHH=H5\VH G]UHH]ÐUHAVSHL5 H5vHmH5HA[A^]UHSHHH]H!HEH}H5H5HH5HHH[]UHSHHHH5Ht 1H[]HH5UHSHHH5Hy 1H[]H߉H5c]HcH5HUHSHHH5uHlttH[]1HH5H5KHBUHAVSHL5MH56H-H56HHA[A^]ÐUHAWAVSHHIH5LHALuHHEH}H5HuEtH(A< 1H[A^A_]ÐUHAVSHIH5"LH5HHHH5<L3utJH5#Lu1H5LH5HHHcH9 1[A^]UHHcH9<Ht HHo]1Hc]ÐUHSHHADYE(\,DZMH>DDYE \C8ZM8ZX8ZZEZDXHZZEH@HEHEHEHD$HEHD$HEHD$HEH$HpHHpxHMMMMMEH}H uCf.vEEHEHD$HEHD$HEHD$HEH$HPHHPEXE`EhE<.BHEHEH@HEHEH==HEHD$8HEHD$0HEHD$(HEHD$ HEHD$HEHD$HEHD$HEH$H58{A%H[]H=l=HHHH=M=HHEHEEHEH==HEHD$8HEHD$0HEHD$(HEHD$ HEHD$HEHD$HEHD$HEH$H5u@b8UHAWAVSHhHHE(HD$HE HD$HEHD$HEH$LuHLHH5HE(n ;A^ZAXVA^A&eU]@^ZXEH=;HEHD$HEHD$HEHD$HEH$H53@%H=;IFHD$IFHD$IFHD$IH$D$ L=LIAH=R;IFHD$IFHD$IFHD$IH$D$ LIAIFHD$IFHD$IFHD$IH$H5{HrHh[A^A_] 9?^ZAXV?^ZAXA^M]UEH=s:HEHD$HEHD$HEHD$HEH$H5fH=@:IFHD$IFHD$IFHD$IH$D$ L=LIE1~H=9IFHD$IFHD$IFHD$IH$D$ LIE14UHSH8HH5H 2>f.HEH < tFH H< Ht6HXH\$HXH\$HXH\$HH$H5VPH8[]H]HH]HXH\$HXH\$HXH\$HH$H}H5HHHL$HHHL$HHHL$HH$H5H끐UHH=eH5H5HZT7]UHAWAVAUATSHHILuHHEHIHEHH HLuHHUH5,HEHHL=5H5^LUL%H 'HLHAL=$H5=L4L- H HLAL=ӷH5LH HLHAL=H5LH HLHAL=H5LH HLHAL=UH5LH HLHAL=H5LH5H ݞH߉AL=H5LH ԞHLAHLuHHUH5οHEHH5LHLuHHUHEHH HLH[A\A]A^A_]UHAWAVATSHHH}HHEH}H5HHIt}L=H5HHC>L=TL%HHLzH53LHAL=3H|HLPH5LHALH[A\A^A_]UHAWAVAUATSHHxL5H=H5SMH5VLHHH=lHMHDIL=ZL%CHHL0L-9LLHAH55H@H=HHIL=HƝHLڳLLHAH54HH=HHIL=HHLLLHAH5X4HH=qHRHIIL=_HhHL<LLHAH54HSH[A\A]A^A_]UHH]UHHHAE10.]UHH0]ÐUHHHrAE10]UHHU0]ÐUHAVSHHH)H<L5LHH<LH]HHEH}H5gaH[A^]UHSHHH5EH<H51HH]H7HEH}H5H[]UHSHHH5HH5HH]HHEH}H5H[]ÐUHAWAVSHXHIH5ZLQEL=LLM\MH5LELLM\MH5L HHbH}HQLEEH5{HrM^MYMXMH5cHZM\^MYMMH5LMXMZH5)L H)H5L IH5LH5LHLHX[A^A_]H}HnLEEUHAWAVSHILuHHEH}H5>6HOI<L=4L)H:I<LH[A^A_]UHAWAVAUATSH8HHH<L5LHH<L|H<uy@wkH}HvHmEX4EEX4EHEHD$HEHD$HEHD$HEH$H5HvH/wtukH}HHEX4EEX4EHEHD$HEHD$HEHD$HEH$H5H2L5H=HѭHȭIL%H=.L-@L7H=.LHDžHDžHHL$HHL$HHL$HH $LH XHAHHL\HH<HHE1DsH5H<3H-H5jdH=H<;L ҰLHưH=oH<;HLLH=MH<;L²LHHHALL=H=OL%HL?IL5eH=&-LH=-LHHWHNXX1HDž (0H0H|$H(H|$H H|$HH<$LH HAHHLH H< HļHE1DH H< H,L5H=H HIL%&H=+L-xLoH=+LWHDž8HDž@HPHPHL$HHHL$H@HL$H8H $LH HAHHLHH<HHE1DH5H<3H+H5H=H<;L LHH=H<;HLLH=H<;LLHHGHAL5L=VH=L%LwIL5H=n*LH=V*LկHXHHXXhX.xHEEEH}H|$H}H|$H}H|$HxH<$LH HAHHLH aH< HHE1DH @H< Hu)H5H !H< L ^LHRH H< HLIL@H H< LNLEHHHALHHL5WHLKHHHL4H] H8[A\A]A^A_]UHAWAVATSH`HH}HոH̸EHEDE DE(DH5HH5HHH<L56,L +HL<L% H}H HEXE\},LL +AHEDXO,DH*B,XH5HH HT HT$HT HT$HT HT$H H $H5lHH`H`[A\A^A_]HH<L51+L *HL<L%H}HHEXE\x+X*LL *UHSHMEHH5ԵH˵ H5|1HEMgExHH4H}HHEHD$HEHD$HEHD$HEH$ExtHHHĨ[]HH4H}H:4HEHD$HEHD$HEHD$HEH$Ext H,H]HHEH}H5hEMXiH]HH]H}H59EM):UHAWAVSHHL5H5HH5HAL5ɴH5HIH5HH5HHLAH[A^A_]UHAWAVSHHL5AH5*H!H5*HAL5MH56H-IH5H H5#HHLAH[A^A_]UHAVSIH59L0H5HljH5ǰL[A^]UHH5H5LHC]ÐUHAWAVATSHHILuHHEH}H5QHHL=H5ʲLH5H H߉AL=4H5LL%H HLHAL=H5LH HLHAH[A\A^A_]ÐUHAVSHHH}HHEH}H5*H!HItNHH?H5HHы;H5!LH5EL7HALH[A^]ÐUHAWAVAUATSHHH=CL5LIHLI9HL5H=H5H5 LHHH=HHIL=ƠL%HHLL-LLHAH5!HH=H\HSIL=iHҊHLFLLHAH5C!H]H=DH HIL=HHLLLHAH5 HH=HHIL=˟HtHLLLHAH5 HH=HoHfIL=|HEHLYLLHAH5N HpH[A\A]A^A_]ÐUHH[]UHHK]UHHH/H}H@HEH}H51+H]ÐUHHHH}HHEH}H5H]UH]ÐUHAWAVSH(HH<HrH cHDL1EEE EL=LLM\Y T#MZfEM(Mf(XUULLm]\Y #]ZH<Z]X]ZU\Uu X]"UMH5Lf(H([A^A_]ÐUHAWAVSHHIEEEEE EE(EHeE<H=2H5AHE f(MH\Y "ZMM*ZXEEEX"EEX"EH5ѣLȣH=H5HtGHEHD$HEHD$HEHD$HEH$D1A!'HH[A^A_]HEHD$HEHD$HEHD$HEH$D1A1!X UH]UH1]UH]UH1]UHAWAVSHHILuHHEH}H5sHjL=H5LH5H HAH[A^A_]ÐUHSHH}HHEH}H5HHt8HhH5HxtH]H51fHHH[]ÐUHHHHHOHGHG]UHSHHHH5HtNH5tHkH5Hvff.uzHH51fHݛH5&HH5FH=tMH5HHZH5kHbt"H5ןHΟH51HH[]ÐUHH5H5H]UHSH8H}HHEHE(HD$HE HD$HEHD$HEH$H}H5HHtNH=qH5H5HH5eHߺWH5`HߺRHH8[]UH]ÐUHAVSHH= H1H ~L5HLH5HH=׹H <֞HLH5HH=H HLoH5HRH=aH `HL4H5]HH=&H %HLH5*HH=H PHLH5HH= HHLH5HfH=u5H tHLHH5AH+H=BH5ۖՖHFH GLHL IH$H5ڨ Hff(_H5HH=ɷ Hf̜HLH5HH= jHHLeH5nHHH[A^]ÐUHH]UHH]ÐUHH]UHH]ÐUHH}]UHHm]ÐUHHHhHH]ÐUHHOH]ÐUHAWAVSHHIIH+I<HH5u 1H[A^A_]HLHI<H5ҐUHAWAVATSLIIIHI<HuH5>8u 1[A\A^A_]ILLHI<H5nhѐUHAWAVATSH@LIIIHPI<HH5ΔȔHEu>A$@AD$@AD$@AD$LH@[A\A^A_]IHU0LH5I47HzH|$8HzH|$0HzH|$(HHT$ HPHT$HPHT$HPHT$HH$HLUHAWAVSHHEIIHdI<HH5ܓuEH[A^A_]HLH+I<H5EАUHAWAVSHHIIHI<HH5smu 1H[A^A_]HLHI<H5ҐUHAVSHMEHIHI<HH5uH5HH[A^]MEH@I<H5UHLUHAWAVSHHEIIHI<HH5uEH[A^A_]HLHI<H5EٟАUHAWAVSHHEIIHI<H9H5 uEH[A^A_]HLH[I<H5EАUHAWAVATSHLIIIH5LH9-H HLH8H@LH~\HH`H(L\xH5PLGH5LH H}HHEXEXLH}HLEA $AL$H.@I\$AD$DHI<HH5UOt4IHI4HvLLjLH[A\A^A_]HpA$@AD$@AD$@AD$H}HHEUHAVSHHH5 HIH5LH9uLH51H]HkHEH}H5,&H[A^]ÐUHAVSIt^t0uyH5L H5LMH5LH5ʠ1L$H5ƠL1H5L1HAH5'L[A^]UHAVSH@HHHL5LuPH}HHEH5. HAְH5HH@[A^]H}H/HEH5ޚ HA0UHAWAVSH1EH5HHL=њH=H5#H5HHAׄt HIHL=H=bH5H5~HHAׄuHuLH[A^A_]UHAVSHH5MHDAH5HH5HEItH52L)H[A^]HHH5H5LHUHAVSHH5HHu1[A^]H5HIH5HߞH5XHOH5HI9UHSHHH5HHt#H5<H3H5HH[]ÐUHAWAVAUATSHHH0H5ÐHH5HHHL0LHH51HIHDžHDžHDžHDžHDžHDž HDž(HDž0LHHH5HH8AHH;HH HHHEE1HHH;tH5H0H0臼HN$H5wLnH5ǍHuHu/H5LLCH5HuHHH8L-VLLJ8XH(HXLLXXh HxLL(f. MGfxf.HuzH5 H51LHHLX(HH<H0/X(f.HuzH5 H51LII9H5يHH8AHHMH5LH5ߋHsHϋu/H5dL[H5HsHHEHHHL$HHHL$HHHL$HH$H}f 轹HL5 HH%LXHEHD$HEHD$HEHD$HEH$D$ ,H51LL0E1H[A\A]A^A_]ÐUHAWAVATSH0HIHE(HD$HE HD$HEHD$HEH$D$ L=+E1HLME1 HE(HD$HE HD$HEHD$HEH$D$ HLME1őHE(HD$HE HD$HEHD$HEH$D$ HLME~H0[A\A^A_]ÐUHAWAVAUATSHHLuH^LHRH<pIFHD$IFHD$IFHD$IH$HXf | 衷Xx`EhEpEH=HEHD$HEHD$HEHD$HxH$H5|| nH<H=fIFHD$IFHD$IFHD$IH$D$ H551AIH< AAXFX EH@HEHEH$@HEH5/H&tH@HEHHEHD$HEHD$HEHD$HEH$L=cHLWHEHD$HEHD$HEHD$HEH$H} HDHEHD$HEHD$HEHD$HEH$HLIFHD$IFHD$IFHD$IH$H5̖HÖHD<H=IFHD$IFHD$IFHD$IH$D$ L=E1ALIAeH=vIFHD$IFHD$IFHD$IH$D$ LIE1H=,IFHD$IFHD$IFHD$IH$D$ LDIEӍHĨ[A\A]A^A_]AFANAVAxUMX(EH=wUHAWAVAUATSHHH=GH5ȌŒH5ˌHŒH5HHIH5LH5GH>H5LvHH5fL]IL%H=H5E?H5؎LHAԄuyL=ĎH=H5H5LHAׄH5LIL%~H=7H5ЀʀH5cLHAԄL=KH= H5H50LHAׄH5xLoIHIMtmH5zLq1HtH5cLZIL-ЍH=H5"H5LHA1ɄtH5LH5LHH5LHH5HH[A\A]A^A_]H5L)UHAWAVATSHHILuHHEH}H5iH`L=H5LL%H hjHLAL=hH5LؑH ^jHLAL=>H5ǑLH TjHLAL=H5LH5}H FjH߉AH[A\A^A_]ÐUHAWAVATSHHH}HHEH}H5H HIL=ȐL%1HziHLH5LAL=HpiHL~H5LAL=HfiHL~H5pLAL=sH5̇HUiHH5ULALH[A\A^A_]ÐUHSHH}H HEH}H5~~HHt2H=H5=7HfuH?H HLHH[]HHDUHH]UHH ]ÐUHH]UHH]ÐUHSH8HHuHYHEH}HuHH8@HEEECECHCHH8[]ÐUHAVSHHIH5LLuHڠHEH}H5ÉHH[A^]ÐUH]ÐUH]UHHEEGE GE(G]UHAWAVAUATSH8HH5sHjH5cHZHÚH5,|H#|LuGH50H'H5 HH5 HEH=IFHD$IFHD$IFHD$IH$H5{mL=vL%HHHINHL$INHL$INHL$IH $D$ L-+LLIAAL=L%YHH7H.INHL$INHL$INHL$IH $D$ LLIE1AL=L%HHӁHʁINHL$INHL$INHL$IH $D$ LLIE1AEL=9L%HHhH_INHL$INHL$INHL$IH $D$ L-LLIAAL=˄L%<HHHINHL$INHL$INHL$IH $D$ LLIE1AL=gL%HHHIvHt$IvHt$IvHt$I6H4$D$ LLAD¹I1AAE;H53H*HH5xHx H5HH5H{tbL=L%H5HINHL$INHL$INHL$IH $D$ H5X1LIE1AH5~HuH5HtbL=L%cH5LHCINHL$INHL$INHL$IH $D$ H5҂1LIE1AH8[A\A]A^A_]EL=L%HH~H~INHL$INHL$INHL$IH $D$ L-ULLIAAL=2L%HHa~HX~INHL$INHL$INHL$IH $D$ LLIE1AL=΁L%/HH}H}IVHT$IVHT$IVHT$IH$D$ LLIAAhUHH5Q}K}HH HDH]UHAWAVATSHHH=IH5uuH5EwH|LHHLAHUHHLHwLH[A\A^A_]UHAWAVATSHH=<H%{H r {L5tHLtH5H輦H={H 0zHLtH5OH聦H=HE zHLctH5HFH=}H  TzHL(tH5H H=JL=sLsHH LL H$H5 Hff(<H5H藥H=ΔFH yHLysH5H\H=H jyHL>sH5H!H=X (Hf3yHLsH5xHH=! H^xHLrH5H诤H= HfxHLrH56HxH=H xHLZrH5H=H=L%ͅLHL rH5HH=:"H wxHLqH5vHȣH=gL<NHLqH5KH蕣H=̒ HfwHL{qH5H^H=-H lwHL@qH5H#H=jLpH5JrHArH5HH=H5x fwL5{L=dH= H:vH5MLHAH[A\A^A_]ÐUHAWAVAUATSHXHIIH5vLvH5sHTHsLetH5vLf(vH5vLvt{H5L HuH5wLwtPL-{vH5LH5dvLHAIH51LփH=?H5xxrxL}HǓHEL=,vID$HD$ID$HD$ID$HD$I$H$H}f HEHD$HEHD$HEHD$HEH$H}H5uLHAHX[A\A]A^A_]ÐUHH5uuHH HDH]UHSHXHHuHHEHE(HD$HE HD$HEHD$HEH$H}HuHwvHEHD$HEHD$HEHD$HEH$f HHHX[]UHAVSHPHH]HcHEHE(HD$HE HD$HEHD$HEH$H}H5H5$tHtt{LuH=H5vvIFHD$IFHD$IFHD$IH$H}HbHYHEHD$HEHD$HEHD$HEH$:HP[A^]ÐUHAWAVAUATSHDMƉMAHXHE(HD$HE HD$HEHD$HEH$LeH-xLL!xHE(HD$HE HD$HEHD$HEH$H}腞EEMMMM MM(Dm0t=H5΀LŀAD$tX"AD$XaAD$XPA$AD$EAD$EID$HD$ID$HD$ID$HD$I$H$H}HAwL8wEA$EAD$EAD$EAD$Et#A*M\X ND,H=L5vL vL-vHLvA*^ZEH=LuHLu*M^ZEA$EEZXMhAL$pAXL$UZ\xdEH=/H5HH5fH ZEMXZZZdXpZZH5~H~ZhZZxZH5~H~H5sHXsH5~H~HĨ[A\A]A^A_]MSEZAT$pXxMAXL$ZU\hdUHAWAVAUATSHhILHV~H1HH~H5Q~HH~H*ELH$~H1H~H5/~H&~H*MH=H5hhH5~HEM}H5hHhIH5}L}UYUYUUH=8H5ppIL-pLLEMpH5H5x}Lo} EfWUfWLLIpH5bpLYpHEHEEEMMLH|H1H|HMHL$HMHL$HMHL$HMH $H5|H|H5s|Lj|LHh[A\A]A^A_]UHAVSH@HIH5mLmHEHEEMH5lL}lIH5{L{H5#pHpHEHD$HEHD$HEHD$HEH$H5{L{H5fLfH@[A^]UHAWAVATSHHH}HHEH}H5{{HIL=iL%fH!RHLfH5iLHAHRHLfL=iH=ԇH5}{Ht{H5iLHAL=iHQHLjfH5iLHAL=jHQHL@fH5ijLHAL=9hH5{HQH{H5hLAL=jH5'fHQHfH5iLALH[A\A^A_]ÐUHHHA0Ao]ÐUHHo0O]ÐUHHHZA0A1]ÐUHH90]ÐUHHH$A0A]ÐUHH0Ӗ]ÐUHHHA0A赖]ÐUHHͺ0蕖]ÐUHHL]UHHL]UHH]UHH]ÐUHAVSHHH?H<L5,dL#dH,H<LdH H<LcHH<LcH]HHEH}H5ggH[A^]UHAWAVAUATSHHIL=@dH5eLeL%)dH NHLHAL=xL-ЄH5qfLhfH5xLHAH NHLHcL=cH5dLdH NHLHAL=cH5gLgH NHLHAL=xH5hLhH5xHNHAL=lcH5cLcH5RcH NHAH[A\A]A^A_]UHAVSHH}HHEH}H5QwKwHHL5@J<3u2H=H5aaH56cH-cHHLL5J<3u2H=ZH5a}aH5bHbHHL觓L5зJ<3u2H="H5Ca=aH5bHbHHLgL5J<3u2H=H5a`H5vbHmbHHL'HH[A^]ÐUHH5vv]ÐUHAWAVSH8@IHHHcL cHEH5fLftAHhHbLbZ@Zx\Y ZXEEH}L=bLLbE0H}LLvb0XE8\E@EMHEHD$HEHD$HEHD$HEH$蔑u;HEHD$HEHD$HEHD$HEH$H5 uLtH[A^A_]ÐUHH9tH9uH9׹HHD]1]ÐUHSHHH5rHrH5tHHHtH[]ÐUHSHHH=H5`fZfH5tHtZZH}H54`1H)`H5kHkH[]UHH5Wt1Ot]ÐUHAWAVATSHHILuĤHEH}H5-tH$tH5-tH$tH5]qHTqH5aHJHatwH=H5]]H5N_HE_IL%cH5sHsH5tcLHAH5sHLsH5bLLHbH[A\A^A_]ÐUHH=QH52],]]UHAVSH=LHcH cL5e]HLY]H5"H<H=H JcHL]H5HH=~H ecHL\H5HƎ[A^]ÐUHAWAVAUATSHXHH]HE(HD$HE HD$HEHD$HEH$H5rHrIIG$>H5rHyrE9HDEAIE1EB0LcH5]rHLQr=H}HNrHuLArEXEH=}H51r+rH=}H5-c'cH5 rHrH={}L%a4L aIH=Q}L aIH=6}H5[[H5zdHLLkdH5$[H[HMHL$HMHL$HMHL$HMH $H5fiHeH=|H5RqLqIM9HX[A\A]A^A_]ÐUH1]UHHH H=_|H5[E10[]ÐUHH_]ÐUHSH8HH5YpHPptFHEH]H ~HMHHHL$HHHL$HHHL$HH$H}H5ppH8[]ÐUHAWAVAUATSH8HUHH5_^HV^H5O]H>H?]mH5`H_H={H5__IH=y{HJYHAYH5ZHZHHWYHNYIL%4`H5oHoH5o1H1oH5 `LHAH59HL%[LLL[H59L6L-[H=zH5_q_LLHLAH=zHvXHmXIL%CoH5 ]H]H5,oLHLAHHfXH]XH5oHH oHE@ \@XH]H|HUHPHT$HPHT$HPHT$HH$H}H5_HU_H8[A\A]A^A_]H5 ^ \]&UHAWAVAUATSH8LMIIIHE(HD$HE HD$HEHD$HEH$H}HRnLInHADLmH{HEHE(HD$HE HD$HEHD$HEH$H}H5nLLMI nH.ADH8[A\A]A^A_]ÐUHAWAVAUATSH8LMIIIHE(HD$HE HD$HEHD$HEH$H}HmLymHADLmHzHEHE(HD$HE HD$HEHD$HEH$HE0HD$ H}H56mLLMI$mHUADH8[A\A]A^A_]UHAVSHPHIH]HTzHEHE(HD$HE HD$HEHD$HEH$H}HuHllH<usHEHHHHL$HHHL$HHHL$HH$H5SlMlEf(\Zf.v#Z\EY ZXEEEAEAFEAFEAFLHP[A^]ÐUHSHH}HTyHEH}H5%UUHHt2H=vH5IhChHuH?H HLHH[]HHDUHHU]UHHE]ÐUHH;]UHH+]ÐUHSH8HHuHxHEH}HuHggH8@HEEECECHCHH8[]ÐUHAVSHHIH5fLfLuHxHEH}H5`H`H[A^]ÐUH]ÐUH]UHHEEGE GE(G]UHAWAVAUATSH8HH5ZHvZH5ofHffHqH58SH/SLuyH5L%\L\HLHH5HzH=jH QNHLHH5HzH=L(\HLHH5HozH=j HfNHLUHH5VH8zH=OjH FNHLHH5HyH=$jLGH5$IHIH5HyH=H5N ^fNL5U[L%H=i HMH5'[LHAHGL5iH=iH5FFH5FLHHH={iLFIL=GH5FH3HFH5FLHAH5RHxH[A\A^A_]ÐUHAWAVAUATSHhHH5NHNHLuIH5MLLH5JH+HItH5LLf(LH5LLLt*L%LH5_ZHVZH5LLHAIH=4hH5NMIANH5MfLMH5M LhMLHMHML-MINHL$INHL$INHL$IH $H}HMHMH +&HQHT$8HQHT$0HQHT$(H HL$ HMHL$HMHL$HMHL$HMH $H5nMLAH5dML[MLH!MHMHh[A\A]A^A_]ÐUHAVSH`HIH]H4iHEHE(HD$HE HD$HEHD$HEH$H}HuHLLEEH5OLHFLH5JHJf.EvEXEEXEAEAFEAFEAFLH`[A^]ÐUHH5JJH>H /HDH]UHSHxHHuH/hHEHE(HD$HE HD$HEHD$HEH$H}HuHL LEX&EHEHD$HEHD$HEHD$HEH$H}*ftEMU]SKCHHx[]UHAWAVAUATSH8HEXE EL5IL=?H5VHVH5hILHAHEH=dH5JJIM(H5JfLJH5J  L{JH5JL{JH=H5-K'KH5JHIM(Y (Z?tMX MfH]L="IGHD$IGHD$IGHD$IH$X|ZML%pIH}LEиH4NIH=cH5IzIIKH5{IfLnIH5wI L^IHgILH[IIOHL$IOHL$IOHL$IH $M\ H}LEиHHH53IL*ILHHH5ILIH5HLHH8[A\A]A^A_]HH!HHHL$HHHL$HHHL$HH$XZH5HH}EGtUHAVSHPHH]HdHEHE(HD$HE HD$HEHD$HEH$H}H5SSH5*FH!Ft{LuH=*H5HHIFHD$IFHD$IFHD$IH$H}HhSH_SHEHD$HEHD$HEHD$HEH$@qHP[A^]ÐUHAWAVAUATSH8HLuHYPLHMPH5FVH=VIH5DHDH53VH*V3 H5;VH2VHEH5CHCH5'BHBIH=aH5 VVMuuH5VHVuH5UHUH5QGHHGIFHD$IFHD$IFHD$IH$pH5QH|QIL-bKH=*oH5OKLHAՄH5GQH>QH5BHBH57AH.AHdHH5QHPH5BHBIH5A1LAH92MfLd$MfLd$MfLd$M&L$$D$ L%ZHLLIE1>HIFHD$IFHD$IFHD$IH$D$ LLIAGH5.PH%PH5GHGL%G IFHD$IFHD$IFHD$IH$D$ L-GLLIAAMfLd$MfLd$MfLd$M&L$$D$ LLIE13GM~L|$M~L|$M~L|$M>L<$D$ H}LI1AFM~L|$M~L|$M~L|$M>L<$D$ L=FLeLLIE1FIFHD$IFHD$IFHD$IH$D$ ALL>LH5NNH98IFHD$IFHD$IFHD$IH$D$ L%FLLIE1EIFHD$IFHD$IFHD$IH$D$ LLIAEH5MHMH5sEHjEHEINHL$INHL$INHL$IH $D$ L%JEE1LLIE1IFHD$IFHD$IFHD$IH$D$ LLIADM~L|$M~L|$M~L|$M>L<$D$ L}LLIE1DIFHD$IFHD$IFHD$IH$D$ LLDIEXDM~L|$M~L|$M~L|$M>L<$D$ H5'D1AH}йI DH5ALH8LH5CHCHCINHL$INHL$INHL$IH $D$ L%CLLIE1IFHD$IFHD$IFHD$IH$D$ LLIE1JCIFHD$IFHD$IFHD$IH$D$ ALLIABIFHD$IFHD$IFHD$IH$D$ LLIABIFHD$IFHD$IFHD$IH$D$ L}LLIEfBINHL$INHL$INHL$IH $D$ LL‰IE!BINHL$INHL$INHL$IH $D$ L%AALLIE1IFHD$IFHD$IFHD$IH$D$ LLIE1AIFHD$IFHD$IFHD$IH$D$ LLIEAAIFHD$IFHD$IFHD$IH$D$ LLIE@M~L|$M~L|$M~L|$M>L<$D$ L}LLIE1@IFHD$IFHD$IFHD$IH$D$ LL‰IGHIIFHD$IFHD$IFHD$IH$D$ L%4@E1LLIE1@IFHD$IFHD$IFHD$IH$D$ LLIE1?IFHD$IFHD$IFHD$IH$D$ LLIA?IFHD$IFHD$IFHD$IH$D$ LL¹IA>?INHL$INHL$INHL$IH $D$ L}LLIE1>INHL$INHL$INHL$IH $D$ LLIE1>INHL$INHL$INHL$IH $D$ LLDDIظAg>INHL$INHL$INHL$IH $D$ LLDDIظA >AFf.v2IFHD$IFHD$IFHD$IH$H5gJH^JH8[A\A]A^A_]H5IHIIFHD$IFHD$IFHD$IH$D$ L-=LLIAAMfLd$MfLd$MfLd$M&L$$D$ LLIE1'=MfLd$MfLd$MfLd$M&L$$D$ H}LIظINHL$INHL$INHL$IH $D$ L%<E1LLIE1IFHD$IFHD$IFHD$IH$D$ LLIAH<IFHD$IFHD$IFHD$IH$D$ L}LLIA;IFHD$IFHD$IFHD$IH$D$ ZUHAWAVAUATSHHH<HH5CHCH5p;Hg;LHH=RHE,HH5GH0AHEH5JCHACH53HH3uH5CHCHEH=[RH/H/H$1HH1HH/H/IH5[L>L%q2H=RH555L-V2LLHLAH5L>L%62H=QH566LLHLAH=QH.H.HHh0HH/H/HH5+6f H6L=BH=PQH5>>H5tBHcBH5lBHHAH5THLLHZ1H=QHL.HC.H5EHHUL EHHR.HI.HHE@E@EH}HE1HMEEYEYEXEZ YMM`ZEӲYEXEEZ_ZH5pEHEbEHH[A\A]A^A_]HE,HD,@H=OH5EH0EHE,HUHSHH}HQHEH}H5q-k-HHt2H=OH5@@HuH?H HLHH[]HHDUHSH8HHuH-QHEH}HuH:@4@H6@HEEECECHCHH8[]ÐUHAVSHHIH52?L)?LuHPHEH}H5_9HV9H[A^]ÐUHAWAVAUATSHHHL57L=HE(HD$HE HD$HEHD$HEH$H}f |]HEHD$HEHD$HEHD$HEH$H56LAL56L= HH2H2HM(HL$HM HL$HMHL$HMH $D$ L%G6LLIAAL5$6L=HHS2HJ2HM(HL$HM HL$HMHL$HMH $D$ LLIAAL55L=EHH1H1HM(HL$HM HL$HMHL$HMH $D$ LLʹIAAL5R5L=HH1Hx1HU(HT$HU HT$HUHT$HUH$D$ LLADIAAL54L=oHH1H 1HU(HT$HU HT$HUHT$HUH$D$ ALLAD¹IE1AL5w4L=HH0H0HU(HT$HU HT$HUHT$HUH$D$ LLADDIAHH[A\A]A^A_]ÐUHSH(HHE(HD$HE HD$HEHD$HEH$f OtZHH([]UHAVSHH=.KH.HT .L5(HL{(H5H^ZH=JH Ҭl.HL@(H5H#ZH=JH 1.HL(H5HYH=oJH \-HL'H5{HYH=H5ZTIL-3H53L3H53LHAIH53LH3H3H53L3H53LHH#H53L3H5#LHH3H==H5**H53LHH3H53L3H53LHH5LH[A\A]A^A_]ÐUHAWAVAUATSHUH===H5$$H5$H$EH==H5 H5HwH5 HHH5 H* t H5 !H H5.H.H=<L5!.L.IL%..LLff.L-#.LLf .ZEE^EXZLLz-LLff-H= <L-I^EZELLfMr-LL Mi-LL M-LLfM8-ĒH=;H5H52,ʞH!,H5Z!HQ!H5j1La1H=:H5c1LR1H5,H,HH[A\A]A^A_]H5((H5+H+L% HL L-0LL0H=L LL0rUHHHeHu H]H}H<HEH}H500ؐUHAWAVAUATSHH=.:H?0o oHl0IH=9T THQ/IH=9L%LL- HLLLH5HHH=9 Hq/IH=O9ߝ ߝߝH>/IH=49LHLLLYH5HHH=8 H0.IH=8p pHM.IH=8LdHLLLH5HGH=T8 HC.IH=!8 H.IH=8LHLLL+H5 HFH=7 HR-IH=7 Hy-IH=o7L6HLLLH5eHWFH=&7F FH-IH=6# #HЛ,IH=6LHLLLH5֖HEH=6ϛ ϛϛH$~,IH=\6 HK,IH=A6LHLLLfH5H)EH=6LH5PHGH5HDL5L=ҕH=5H5\VH5_HV N^H5fLAL5R&L=H=l5H5""H5 &xH&H5&LHAH=05 HuŖ+H58H/H5HDH[A\A]A^A_]ÐUHAVSHpHIH]H|6HEHE(HD$HE HD$HEHD$HEH$H}HuH++EXCEHOHuEX EH=-4H5H5HZZ f.w f.jvoH5yHpHMHL$HMHL$HMHL$HMH $H}HHEEEEEEEEEAEAFEAFEAFLHp[A^]UHH?HH)u H5)1]H5)UHAWAVSH(HHHu+H]H4HEH}H5H([A^A_]H=2H5H5,H#H5HIL=H]HV4H]H}H5yH5LHAH:H HpH5AL8L^UHAWAVAUATSHHIH=2H5H5HHE(HD$HE HD$HEHD$HEH$HXH%L%HpHD$HhHD$H`HD$HXH$Z!^ZHxf(?@HEHD$HEHD$HEHD$HxH$H}f(@Z f.wf.dcHpHD$HhHD$H`HD$HXH$H8L=HL8X@`HhPpHEHD$HEHD$HEHD$HxH$HHLDx E(E0EHEHD$HEHD$HEHD$HEH$HHLEEEEYpH=|/HpHD$HhHD$H`HD$HXH$H%Hf(%I^YEH="/HEHD$HEHD$HEHD$HxH$Hf(?%IYEH=.HEHD$HEHD$HEHD$HEH$Hf($H H AHdH=L-$LL$H=LL$H=LHސx$H5$L$H5$HUHMLELMHx$Ef. f.H=-H5#m mm=#H5HH=-H5! !H=-H5 H5! H H5#L#H=c-H5  H[A\A]A^A_]H=EL-^#LLJ#H=+LL/#H=UHAVSHH}H.HEHE(HD$HE HD$HEHD$HEH$H}H5HHtoH52#H$#H}L5HLEEH}HLE^EEf.EHPtwHHĀ[A^]UHH=IH5rlfXX]UHH=H5HBfXXr]UHAWAVAUATSHHxL5+H=+H5SMH5VLHHH=+HMHDIL=ZL%CHHL0L-9LLHAH5H@:H=G+HHIL=HHLLLHAH5_H9H=*HHIL=HWHLLLHAH5H9H=*HRHIIL=_H(HL<LLHAH5HS9H=Z*HHIL=HHLLLHAH5*H9H= *HHIL=HHLLLHAH5H8H=)HeH\IL=rHHLOLLHAH5Hf8H=m)HH IL=#HlHLLLHAH5H8H=)HHIL=H=HLLLHAH5FH7H=(HxHoIL=HHLbLLHAH5׈Hy7H=(H)H IL=6HHLLLHAH5H*7H=1(HHIL=HHLLLHAH5)H6H='H5 ; ; H5HH5ƇH6H=H H MH=ۇH XMMH=H XMX ÈZgH=Hw EH=Hb XEEH=yHH XE kXMZ H[A\A]A^A_]ÐUHAWAVATSH@HHIIHUHHHZHPHjH_nA<HsHL%_LLHLL4 \f\\XH@HL{HmA<PH52L)YZ4 _ZP\@H5LZYZ74ZXZZfXAAGAGAGHL%LLH LLz0\\f\XAAOAGAOHH@[A\A^A_]L5AAANAOANAOANH`L%LLH}LL{H}LLfHkA<eX%`XpZZ\fxAAOAgAWH}HLH#kA<ee\fUHAHAOHAOHAOHuHLLvXH52L)YZ1 _ZX\HH5 L ZYZ71ZXZZfPxU\\UXhZZfpT U\fe5UHAWAVSH8HIILuH#HEH}HuH0H'HLLHLH8[A^A_]ÐUHSHHHH}HHHi<tZH=iH5ZHKHEHD$HEHD$HEHD$HEH$AEE1a/HH[]H='H5H HEHD$HEHD$HEHD$HEH$A1E1 /UHSHHHH}HHH(h<tZH=[H54HEHEHD$HEHD$HEHD$HEH$AgE1.HH[]H=H5 HHEHD$HEHD$HEHD$HEH$A1E1,.UHSHHH=H593H}Hh H_ HEHD$HEHD$HEHD$HEH$-Hg<H}H H EX]XmXeZ ~f.vCH5PHGH5PHGff.H5BH9H}f<uyH}H H SM\\X Zr~f.v:H5HH5Hff.vH5HHĈ[]UHAVSH`H}H~HEH}H5 HHtoH5:H,H}L5 HL EEH}HL E^EE~f.EHXewHH`[A^]UHAWAVSHHH=IH5H5UHLH5HIL=H]HHEH}H5H5LHAH[HL=qH=H5H5VLHHAH=H5HHH=L=uWH5C}5H5LHHAHHH|H5LLH[A^A_]H5<}.UHH=!H5H5 HH5M|H*H=>|H5f C}]ÐUHAVSHHH}H)HEH}H5HHIt-HH/H5HH5LHLH[A^]UHH%e0*]ÐUHSHHHeH<H5H]HHEH}H5H[]ÐUHAWAVSHHdHH9Ht8IH5HL=dH5LHHLj)HkdH<Ht>H5Htu&HCdHH58H/H[A^A_]L5H=NH5H5HH5HHA븐UHAWAVSHHILuHhHEH}H5IH@L=YH5LyH5BH KHHAH[A^A_]ÐUHAVS1'H1H'H'IH'H5!L[A^]ÐUHHH8H5-'H50H']ÐUHHH8H5H5H]ÐUHHgH8H5H5H]ÐUHH3H8H5H5H]ÐUHHH8H5]WH5`HW]ÐUHSHHH5HHHH5HH[]ÐUHAVSHHH}HHEH}H5HHIt-HHH5HH5LHLH[A^]UHHHdE1A0j&]UHHcH]ÐUHSHHHcH<H5>8H]HHEH}H5H[]ÐUHAWAVSHHHL5yH=BH5[UIH}HHHEHD$HEHD$HEHD$HEH$H5$HLAHH[A^A_]UHAWAVAUATSHHHeH5~Huu\H=H5  IL= L% L-}H5^ HU H5n LHAH5n LHAH[A\A]A^A_]UHAWAVSHHILuHpHEH}H5IH@L=YH5 L H5BH kHHAH[A^A_]ÐUHAWAVATSHHH=H5H5yHpH5HIL=H]HHEH}H5H5LHAHHL=H=NH5w q L%zLLHHAHlHL=ZH=H5LLHHALH[A\A^A_]UH]ÐUH]UH]UHAWAVATSHHH}HHEH}H5^HUHI L= L%KHHL8H5 LHAL= HHLH5 LHAL= HHLH5m LHAL=m HHLH5S LHAL=S HHLH59 LHAL=9 L%HHLH5 LAL= HHLeH5 LAL= HHL;H5 LAL= HHLH5 LAL= L% HHL H5 LAL= HHL H5 LAH5 L Hu'H=H5)#H5 LH H5 L Hu'H=dH5M G H5 LH H5] LT Hu'H=(H5  H5d LHX H51 L( Hu'H=H5UOH58 LH, H5 L Hu'H=H5H5 LH LH[A\A^A_]UHH5cH]ÐUHH+cH]ÐUHH!cH]ÐUHHcH]ÐUHH cH]ÐUHHc]UHHb]UHHb]UHHb]UHHb]UHHb]ÐUHHb]UHHb]ÐUHHb]UHHb]ÐUHH}b]UHHmb]ÐUHAVSHHHbH<L5LHaH<LHaH<LHaH<LHaH<LmH]H HEH}H53-H[A^]UHAWAVSHHaHH9tPHIH5HL=ZaH5HHLLH5uLgH[A^A_]UHAWAVSHHaHH9tPHIH5HL=`H5{HrHLL\H5LH[A^A_]UHAWAVSHHx`HH9tPHIH5*H!L=R`H5HHLLH5LwH[A^A_]UHAWAVSHH_HH9tPHIH5HL=_H5HHLLlH5 LH[A^A_]UHAWAVSHH_HH9tPHIH5:H1L=j_H5H HLLH5LH[A^A_]UH]ÐUHAWAVAUATSH(H=_<HH1_<thH^H<H5YSHHH|HHD$HHD$HHD$HH$H^<H= H5$H o^Z H5HIL=HXHHHpHD$HhHD$H`HD$HXH$D$ H51ALIAH]<H= H5nhH ]Z H5HIL=2H}H7H.HEHD$HEHD$HEHD$HEH$D$ H51ALIAH([A\A]A^A_]H=E H5f`H \H H \H H5HIL=pHHHyHHD$HHD$HHD$HH$H5#lLAH5.L%Ha\L4L=HL%HLH0HD$H(HD$H HD$HH$D$ L-LLIAAH= H5H [Z H5HIL=PH8HLMHPHD$HHHD$H@HD$H8H$D$ LLIظAAdH:[L4L=HxL%HLHEHD$HEHD$HEHD$HxH$D$ L-LLIAAH=H5f`H ZZ H5HIL=*H}HL*HEHD$HEHD$HEHD$HEH$D$ LLIظAAUHAWAVATSHHILuHb HEH}H5+H"L=;H5LL%$H mHLHAL= H5LH cHLHAL=H5LH YHLHAL=H5LH OHLHAL=H5LH EHLHAL=H5{LrL%hH 1HLAL=QH5ZLQH 'HLAL='H5@L7H HLAL=H5&LH HLAL=#H5 LL% HHLAL=H5LHHLAH[A\A^A_]UHH5H5H]UHAVSIH5_LVH5HljH5L[A^]UHH5H5Hy]UHAVSIH5LH5aHljVH5Lq[A^]UHH5H54H+]ÐUHAVSHIH5L{H5$HHH5L[A^]UHH5C=H56H-]UHAVSIH5L H55Hlj*H5L[A^]UHH5H5hH_]ÐUHAVSHIH5LH5HHH<H55L'[A^]UHH5gaH5H]ÐUHAVSHIH5:L1H5HHH5L[A^]UHH5H5H]ÐUHAVSHIH5LH5HHH5YLK[A^]UHAWAVATSHHH}HIHEH}H5HHIL=L%HHLH5LAL=}HHLH5`LAL=#HHL`H5LAL=yL%HHLH5XLHAL=HHLH5~LHAL=HwHLH5LHAL=HmHLH5LHAL= HcHLWH5LHAH5LwHu'H={H5H5wLHkH5TLKHu'H=?H5H5;LH/H58L/Hu'H=H5\VH5LHH5LHu'H=H50*H5LHH5LtHH5E1fL6LH[A\A^A_]UHHKY]ÐUHHQYH]ÐUHH/Y]UHHY]ÐUHHH:YE10E1]ÐUHHYH]ÐUHHHYAE10L]UHHX0-]ÐUHHXH]ÐUHHXH]ÐUHHX]ÐUHHXH]ÐUHAWAVSHHbXHH9tKHIH5HL=HLHAL=H5LH 4HLHAL=H5LH *HLHAH[A\A^A_]ÐUHH1sysHuR2sysHuD} t1H]Ã}%L%N%P%R%T%V%X%Z%\%^%`%b%d%f%h%j%l%n%p%r%t%v%x%z%|%~%%H=RtLQAS%AHZhL|hLrh*Lhh>L^hXLThvLJshL@ahL6OhL,=hL"+hLhLh)Lh?LhTLhjLh}LܭhLҭhLȭhLwhLehLShLAhL/hLh8L hQLxhjLnorderFrontColorPanel:bundleForClass:allocinitWithContentsOfFile:autoreleasesharedApplicationtoolTippaletteLabelitemIdentifierToolbarItemColors.tiffBWToolbarShowColorsItemColorsShow Color PanelorderFrontFontPanel:#A:16@0:8targetlabelToolbarItemFonts.tiffBWToolbarShowFontsItemFontsShow Font PaneltoggleActiveView:windowDidResize:selectInitialIteminitialSetupibDidAddToDesignableDocument:retainsetDocumentToolbar:setHelper:setEnabledByIdentifier:documentToolbarencodeObject:forKey:helper_defaultItemIdentifiersarrayWithObjects:isEqualToArray:initWithIdentifier:setEditableToolbar:performSelector:withObject:afterDelay:_windowsetShowsToolbarButton:setAllowsUserCustomization:toolbarIndexFromSelectableIndex:switchToItemAtIndex:animate:indexOfObject:parentOfObject:childrenOfObject:countByEnumeratingWithState:objects:count:editableToolbarsetInitialIBWindowSize:defaultCenteraddObserver:selector:name:object:itemssetObject:forKey:setItemSelectorsselectItemAtIndex:contentViewsetContentViewsByIdentifier:windowSizesByIdentifiervalueWithSize:setWindowSizesByIdentifier:objectAtIndex:setSelectedItemIdentifier:setSelectedIdentifier:dictionaryWithObject:forKey:postNotificationName:object:userInfo:setTarget:removeObserver:name:object:deallocnumberWithBool:objectForKey:boolValuenewselectableItemIdentifierssetIsPreferencesToolbar:titleselectedItemIdentifiersetTitle:oldWindowTitlearraymakeFirstResponder:initWithFrame:addObject:toParent:copymoveObject:toParent:addSubview:identifierAtIndex:bwResizeToSize:animate:sizeValueremoveObject:recalculateKeyViewLoopBWSelectableToolbar 5 v24@0:8i16c20setSelectedIndex:i16@0:8labelstoolbarSelectableItemIdentifiers:@24@0:8@16toolbar:itemForItemIdentifier:willBeInsertedIntoToolbar:@36@0:8@16@24c32toolbarAllowedItemIdentifiers:toolbarDefaultItemIdentifiers:validateToolbarItem:c24@0:8@16setEnabled:forIdentifier:v28@0:8c16@20setSelectedItemIdentifierWithoutAnimation:@20@0:8i16i20@0:8i16selectFirstItemawakeFromNib@"BWSelectableToolbarHelper"itemIdentifiers@"NSMutableArray"itemsByIdentifierinIBiT@"NSMutableArray",R,PenabledByIdentifierT@"NSMutableDictionary",C,VenabledByIdentifier,PTc,VisPreferencesToolbarT@"BWSelectableToolbarHelper",&,Vhelper,PBWSTDocumentToolbarBWSTHelperBWSTIsPreferencesToolbarBWSTEnabledByIdentifierNSToolbarFlexibleSpaceItemNSToolbarSpaceItemNSToolbarSeparatorItem7E6A9228-C9F3-4F21-8054-E4BF3F2F6BA80D5950D1-D4A8-44C6-9DBC-251CFEF852E2BWClickedItemBWSelectableToolbarItemClickedBWSelectableToolbarHelperIBEditableBWSelectableToolbaraddBottomBarsetContentBorderThickness:forEdge:contentBorderThicknessForEdge:isSheetBWAddRegularBottomBar{CGRect={CGPoint=dd}{CGSize=dd}}16@0:8BWRemoveBottomBarsetBackgroundStyle:BWInsetTextField!BWTransparentButton!classpathForImageResource:whiteColorisHighlightedisEqualToString:bwTintedImageWithColor:drawTitle:withFrame:inView:_textAttributesaddEntriesFromDictionary:NSActionTemplateBWTransparentButtonCell"{CGRect={CGPoint=dd}{CGSize=dd}}64@0:8@16{CGRect={CGPoint=dd}{CGSize=dd}}24@56v64@0:8@16{CGRect={CGPoint=dd}{CGSize=dd}}24@56drawBezelWithFrame:inView:TransparentButtonLeftN.tiffTransparentButtonFillN.tiffTransparentButtonRightN.tiffTransparentButtonLeftP.tiffTransparentButtonFillP.tiffTransparentButtonRightP.tiffBWTransparentCheckboxcolorWithCalibratedWhite:alpha:interiorColorisInTableViewboldSystemFontOfSize:isMemberOfClass:graphicsPortbackgroundStyledrawInteriorWithFrame:inView:BWTransparentCheckboxCelldrawImage:withFrame:inView:c16@0:8TransparentCheckboxOffN.tiffTransparentCheckboxOffP.tiffTransparentCheckboxOnN.tiffTransparentCheckboxOnP.tiffBWTransparentPopUpButton!pullsDownsizesetScalesWhenResized:transformtranslateXBy:yBy:scaleXBy:yBy:concatimageRectForBounds:drawInRect:fromRect:operation:fraction:invertimagePositionalignmentsystemFontOfSize:BWTransparentPopUpButtonCellQ16@0:8{CGRect={CGPoint=dd}{CGSize=dd}}48@0:8{CGRect={CGPoint=dd}{CGSize=dd}}16v56@0:8{CGRect={CGPoint=dd}{CGSize=dd}}16@48TransparentPopUpFillN.tiffTransparentPopUpFillP.tiffTransparentPopUpRightN.tiffTransparentPopUpRightP.tiffTransparentPopUpLeftN.tiffTransparentPopUpLeftP.tiffTransparentPopUpPullDownRightN.tifTransparentPopUpPullDownRightP.tifBWTransparentSlidersetTickMarkPosition:numberOfTickMarksrectOfTickMarkAtIndex:knobRectFlipped:startTrackingAt:inView:stopTracking:at:inView:mouseIsUp:BWTransparentSliderCellv60@0:8{CGPoint=dd}16{CGPoint=dd}32@48c56c40@0:8{CGPoint=dd}16@32{CGRect={CGPoint=dd}{CGSize=dd}}20@0:8c16v52@0:8{CGRect={CGPoint=dd}{CGSize=dd}}16c48isPressedTransparentSliderTrackLeft.tiffTransparentSliderTrackFill.tiffTransparentSliderTrackRight.tiffTransparentSliderThumbP.tiffTransparentSliderThumbN.tiffTransparentSliderTriangleThumbN.tiffTransparentSliderTriangleThumbP.tiffsplitView:resizeSubviewsWithOldSize:splitViewWillResizeSubviews:splitViewDidResizeSubviews:splitView:constrainSplitPosition:ofSubviewAt:splitView:canCollapseSubview:splitView:shouldHideDividerAtIndex:resizeAndAdjustSubviewsrestoreAutoresizesSubviews:animationEndedsetCollapsibleSubviewCollapsedHelper:setMinSizeForCollapsibleSubview:initWithStartingColor:endingColor:setFlipped:setColor:setColorIsEnabled:setMinValues:setMaxValues:setMinUnits:setMaxUnits:decodeIntForKey:setCollapsiblePopupSelection:setDividerCanCollapse:encodeWithCoder:colorcolorIsEnabledminValuesmaxValuesminUnitsmaxUnitscollapsiblePopupSelectiondividerCanCollapsemainScreenuserSpaceScaleFactordividerThicknessdrawSwatchInRect:drawDividerInRect:drawGradientDividerInRect:centerScanRect:isVerticaldrawDimpleInRect:convertRectToBase:convertRectFromBase:subviewscountsubviewIsCollapsible:isSubviewCollapsed:collapsibleSubviewsubviewIsCollapsed:collapsibleSubviewIndexinvalidateCursorRectsForView:setCollapsibleSubviewCollapsed:bwShiftKeyIsDownhasCollapsibleSubviewhasCollapsibleDividersetState:mutableCopynumberWithInt:removeObjectForKey:setAutoresizesSubviews:intValuesetToggleCollapseButton:cellsetHighlightsBy:setShowsStateBy:subviewIsResizable:autoresizesSubviewssetHidden:collapsibleSubviewCollapsedremoveMinSizeForCollapsibleSubviewbeginGroupingcurrentContextanimationDurationsetDuration:animatorsetFrameSize:endGroupingframemouseDown:isKindOfClass:collapsibleDividerIndexsetNeedsDisplay:subviewMaximumSize:subviewMinimumSize:clearPreferredProportionsAndSizescollapsibleSubviewIsCollapsedautoresizingMaskfloatValuearrayWithCapacity:dictionarynumberWithFloat:addObject:setResizableSubviewPreferredProportion:setNonresizableSubviewPreferredSize:setStateForLastPreferredCalculations:nonresizableSubviewPreferredSizeallKeysrecalculatePreferredProportionsAndSizesvalidatePreferredProportionsAndSizescorrectCollapsiblePreferredProportionOrSizevalidateAndCalculatePreferredProportionsAndSizesdictionaryWithCapacity:allValuesinitWithKey:ascending:arrayWithObject:sortUsingDescriptors:setFrame:setDividerStyle:blackColorBWSplitViewsetCheckboxIsEnabled:setSecondaryDelegate:secondaryDelegatecheckboxIsEnabledd20@0:8i16resizableSubviewsd40@0:8@16d24q32c40@0:8@16@24q32{CGRect={CGPoint=dd}{CGSize=dd}}32@0:8@16q24c32@0:8@16q24toggleCollapse:@"NSColor"@"NSArray"uncollapsedSizef@"NSButton"isAnimatingT@,VsecondaryDelegate,PtoggleCollapseButtonT@"NSButton",&,VtoggleCollapseButton,PstateForLastPreferredCalculationsT@"NSArray",&,VstateForLastPreferredCalculations,PT@"NSMutableDictionary",&,VnonresizableSubviewPreferredSize,PresizableSubviewPreferredProportionT@"NSMutableDictionary",&,VresizableSubviewPreferredProportion,PTc,VcollapsibleSubviewCollapsedTc,VdividerCanCollapseTi,VcollapsiblePopupSelectionT@"NSMutableDictionary",&,VmaxUnits,PT@"NSMutableDictionary",&,VminUnits,PT@"NSMutableDictionary",&,VmaxValues,PT@"NSMutableDictionary",&,VminValues,PTc,VcheckboxIsEnabledTc,VcolorIsEnabledT@"NSColor",C,Vcolor,PBWSVColorBWSVColorIsEnabledBWSVMinValuesBWSVMaxValuesBWSVMinUnitsBWSVMaxUnitsBWSVCollapsiblePopupSelectionBWSVDividerCanCollapseselfGradientSplitViewDimpleBitmap.tifGradientSplitViewDimpleVector.pdfsetSliderToMaximumsetSliderToMinimuminitWithCoder:decodeObjectForKey:setMinButton:setMaxButton:indicatorIndexencodeInt:forKey:minButtonmaxButtontrackHeightsetTrackHeight:minValuesetDoubleValue:actionsendAction:to:maxValuehitTest:convertPoint:fromView:setFrameOrigin:drawWithFrame:inView:boundsremoveFromSuperviewsetBordered:setImage:setAction:setEnabled:doubleValuedeltaYdeltaXsetFloatValue:setShowsFirstResponder:becomeFirstResponderresignFirstResponderBWTexturedSlider!bscrollWheel:v20@0:8c16setIndicatorIndex:v20@0:8i16@32@0:8{CGPoint=dd}16sliderCellRect{CGRect="origin"{CGPoint="x"d"y"d}"size"{CGSize="width"d"height"d}}T@"NSButton",&,VmaxButton,PT@"NSButton",&,VminButton,PTi,VindicatorIndexBWTSIndicatorIndexBWTSMinButtonBWTSMaxButtonTexturedSliderSpeakerQuiet.pngTexturedSliderSpeakerLoud.pngTexturedSliderPhotoSmall.tifTexturedSliderPhotoLarge.tifcompositeToPoint:operation:BWTexturedSliderCellv16@0:8_usesCustomTrackImagedrawKnob:v48@0:8{CGRect={CGPoint=dd}{CGSize=dd}}16drawBarInside:flipped:setNumberOfTickMarks:v24@0:8q16controlSizeTi,VtrackHeightBWTSTrackHeightTexturedSliderTrackLeft.tiffTexturedSliderTrackFill.tiffTexturedSliderTrackRight.tiffTexturedSliderThumbP.tiffTexturedSliderThumbN.tiffBWAddSmallBottomBarsplitView:shouldCollapseSubview:forDoubleClickOnDividerAtIndex:splitView:effectiveRect:forDrawnRect:ofDividerAtIndex:splitView:constrainMaxCoordinate:ofSubviewAt:splitView:constrainMinCoordinate:ofSubviewAt:splitView:additionalEffectiveRectOfDividerAtIndex:initWithColorsAndLocations:setIsResizable:setIsAtBottom:setHandleIsRightAligned:isResizablesplitViewdelegatesplitViewDelegatesetSplitViewDelegate:setDelegate:bwBringToFrontdrawInRect:angle:drawResizeHandleInRect:withColor:drawLastButtonInsetInRect:classNamesetIsAtLeftEdgeOfBar:setIsAtRightEdgeOfBar:isInLastSubviewlastObjectdividerIndexNearestToHandlerespondsToSelector:adjustSubviewsBWAnchoredButtonBarwasBorderedBar!{CGRect={CGPoint=dd}{CGSize=dd}}96@0:8@16{CGRect={CGPoint=dd}{CGSize=dd}}24{CGRect={CGPoint=dd}{CGSize=dd}}56q88c32@0:8@16@24v40@0:8@16{CGSize=dd}24q16@0:8viewDidMoveToSuperviewdrawRect:@48@0:8{CGRect={CGPoint=dd}{CGSize=dd}}16c@T@,VsplitViewDelegate,PhandleIsRightAlignedTc,VhandleIsRightAlignedTc,VisResizableisAtBottomTc,VisAtBottomselectedIndexTi,VselectedIndexBWABBIsResizableBWABBIsAtBottomBWABBHandleIsRightAlignedBWABBSelectedIndexBWAnchoredButtonBWAnchoredPopUpButton!0isAtRightEdgeOfBartopAndLeftInset{CGPoint="x"d"y"d}Tc,VisAtRightEdgeOfBarTc,VisAtLeftEdgeOfBarisAtLeftEdgeOfBarsetShadowColor:highlightRectForBounds:titleRectForBounds:namesetSize:showsStateByimageColorsetTemplate:BWAnchoredButtonCellbezierPathsetLineWidth:moveToPoint:lineToPoint:strokev72@0:8i16i20{CGRect={CGPoint=dd}{CGSize=dd}}24@56c64c68BWAdditionsbestRepresentationForDevice:pixelsWidepixelsHighinitWithSize:rotateByDegrees:drawInRect:bwRotateImage90DegreesClockwise:@20@0:8c16initunarchiveObjectWithData:setOldWindowTitle:decodeSizeForKey:contentViewsByIdentifierarchivedDataWithRootObject:selectedIdentifierinitialIBWindowSizeencodeSize:forKey:encodeBool:forKey:0v24@0:8@16v32@0:8{CGSize=dd}16{CGSize=dd}16@0:8@"NSMutableDictionary"{CGSize="width"d"height"d}isPreferencesToolbarT{CGSize="width"d"height"d},VinitialIBWindowSizeT@"NSString",C,VoldWindowTitle,PT@"NSString",C,VselectedIdentifier,PT@"NSMutableDictionary",C,VwindowSizesByIdentifier,PT@"NSMutableDictionary",C,VcontentViewsByIdentifier,PBWSTHContentViewsByIdentifierBWSTHWindowSizesByIdentifierBWSTHSelectedIdentifierBWSTHOldWindowTitleBWSTHInitialIBWindowSizeBWSTHIsPreferencesToolbarsetFrame:display:animate:styleMaskbwIsTexturedv36@0:8{CGSize=dd}16c32bwTurnOffLayersortSubviewsUsingFunction:context:durationsetWantsLayer:bwAnimatoraddTableColumn:dataCellsetDataCell:usesAlternatingRowBackgroundColorsdrawBackgroundInClipRect:rowsInRect:selectedRowIndexescontainsIndex:rectOfRow:setCompositingOperation:restoreGraphicsStateBWTransparentTableViewcellClass#16@0:8!uhighlightSelectionInClipRect:_highlightColorForCell:_alternatingRowBackgroundColorsbackgroundColorNSTextFieldCellattributedStringValueattributesAtIndex:effectiveRange:initWithString:attributes:setAttributedStringValue:drawingRectForBounds:cellSizeForBounds:selectWithFrame:inView:editor:delegate:start:length:editWithFrame:inView:editor:delegate:event:BWTransparentTableViewCellv80@0:8{CGRect={CGPoint=dd}{CGSize=dd}}16@48@56@64@72v88@0:8{CGRect={CGPoint=dd}{CGSize=dd}}16@48@56@64q72q80mIsEditingOrSelecting!0drawArrowInFrame:drawAtPoint:fromRect:operation:fraction:isEnabledtextColorimageisTemplateBWAnchoredPopUpButtonCell#drawImageWithFrame:inView:drawBorderAndBackgroundWithFrame:inView:setControlSize:v24@0:8Q16ButtonBarPullDownArrow.pdfcustomViewLightBorderColorcustomViewDarkTexturedBorderColorcustomViewDarkBorderColorbwIsOnLeopardcontainerCustomViewBackgroundColorchildlessCustomViewBackgroundColordrawTextInRect:stringWithFormat:boundingRectWithSize:options:drawAtPoint:%d x %d pt%d ptNSViewisOnItsOwnBWCustomViewBWUnanchoredButtonBWUnanchoredButtonCellBWUnanchoredButtonContainershouldCloseSheet:setMovable:orderOut:setAlphaValue:initWithWindow:beginSheet:modalForWindow:modalDelegate:didEndSelector:contextInfo:endSheet:performSelector:withObject:closeSheet:BWSCSheetBWSCParentWindowBWSheetControllersetParentWindow:parentWindowsetSheet:sheetmessageDelegateAndCloseSheet:openSheet:@"NSWindow"T@,&,N,Vdelegate,PT@"NSWindow",&,N,Vsheet,PT@"NSWindow",&,N,VparentWindow,PibTestersetDrawsBackground:BWTransparentScrollView_verticalScrollerClasssetBottomCornerRounded:BWAddMiniBottomBarBWAddSheetBottomBarBWTokenField!3stringValueinitTextCell:setRepresentedObject:attachmentsetAttachment:setTextColor:fontsetFont:setUpTokenAttachmentCell:forRepresentedObject:@32@0:8@16@24BWTokenFieldCellGcolorWithCalibratedRed:green:blue:alpha:filldrawInBezierPath:angle:bezierPathWithRoundedRect:xRadius:yRadius:tokenBackgroundColorgetRed:green:blue:alpha:interiorBackgroundStylearrowInHighlightedState:pullDownRectForBounds:BWTokenAttachmentCellpullDownImagedrawTokenWithFrame:inView:setArrowsPosition:drawKnobSlotknobProportiondrawKnobrectForPart:_drawingRectForPart:BWTransparentScrollerscrollerWidthForControlSize:d24@0:8Q16scrollerWidthd16@0:8initialize!Q0{CGRect={CGPoint=dd}{CGSize=dd}}24@0:8Q16TransparentScrollerKnobTop.tifTransparentScrollerKnobVerticalFill.tifTransparentScrollerKnobBottom.tifTransparentScrollerSlotTop.tifTransparentScrollerSlotVerticalFill.tifTransparentScrollerSlotBottom.tifTransparentScrollerKnobLeft.tifTransparentScrollerKnobHorizontalFill.tifTransparentScrollerKnobRight.tifTransparentScrollerSlotLeft.tifTransparentScrollerSlotHorizontalFill.tifTransparentScrollerSlotRight.tifBWTransparentTextFieldCellsetIdentifierString:bwRandomUUID_setItemIdentifier:BWToolbarItem#B@16@0:8@"NSString"identifierStringT@"NSString",C,VidentifierString,PBWTIIdentifierStringcurrentEventmodifierFlagsbwCapsLockKeyIsDownbwControlKeyIsDownbwOptionKeyIsDownbwCommandKeyIsDownopenURLInBrowser:setUrlString:urlStringsharedWorkspaceURLWithString:openURL:pointingHandCursoraddCursorRect:cursor:BWHyperlinkButtonresetCursorRectsT@"NSString",C,N,VurlString,PBWHBUrlStringblueColorBWHyperlinkButtonCellisBorderedsetFillStartingColor:setFillEndingColor:setFillColor:setTopBorderColor:setBottomBorderColor:decodeBoolForKey:setHasTopBorder:setHasBottomBorder:setHasGradient:setHasFillColor:decodeFloatForKey:setTopInsetAlpha:setBottomInsetAlpha:grayColorfillEndingColorfillColortopBorderColortopInsetAlphaencodeFloat:forKey:bottomInsetAlphareleasesetbwDrawPixelThickLineAtPosition:withInset:inRect:inView:horizontal:flip:colorWithAlphaComponent:BWGradientBox v20@0:8f16f16@0:8isFlippedhasFillColorTc,VhasFillColorhasBottomBorderTc,VhasBottomBorderhasTopBorderTc,VhasTopBorderTf,VbottomInsetAlphaTf,VtopInsetAlphabottomBorderColorT@"NSColor",&,N,VbottomBorderColor,PT@"NSColor",&,N,VtopBorderColor,PT@"NSColor",&,N,VfillColor,PT@"NSColor",&,N,VfillEndingColor,PfillStartingColorT@"NSColor",&,N,VfillStartingColor,PBWGBFillStartingColorBWGBFillEndingColorBWGBFillColorBWGBTopBorderColorBWGBBottomBorderColorBWGBHasTopBorderBWGBHasBottomBorderBWGBHasGradientBWGBHasFillColorBWGBTopInsetAlphaBWGBBottomInsetAlphasetHasShadow:setShadowIsBelow:shadowColorstartingColorsolidColorBWStyledTextFieldapplyGradientsetPreviousAttributes:setStartingColor:setEndingColor:setSolidColor:greenColorhasShadowcopyWithZone:shadowisEqualTo:setShadowOffset:setShadow:controlViewwindowascenderdescenderlockFocusunlockFocuscolorWithPatternImage:saveGraphicsStatesuperviewconvertRect:toView:setPatternPhase:changeShadowBWStyledTextFieldCell@24@0:8^{_NSZone=}16@"NSShadow"T@"NSColor",&,N,VsolidColor,PhasGradientTc,VhasGradientendingColorT@"NSColor",&,N,VendingColor,PT@"NSColor",&,N,VstartingColor,PpreviousAttributesT@"NSMutableDictionary",&,VpreviousAttributes,PT@"NSShadow",&,N,Vshadow,PTc,VhasShadowT@"NSColor",&,N,VshadowColor,PshadowIsBelowTc,VshadowIsBelowBWSTFCShadowIsBelowBWSTFCHasShadowBWSTFCHasGradientBWSTFCShadowColorBWSTFCPreviousAttributesBWSTFCStartingColorBWSTFCEndingColorBWSTFCSolidColorNSFontA@$@333333??&@.@??333333?@@@?@???)\(?_GY@?@>Gz?V@?I@9I9@2@"@8@`YY?`UU?`^^???eS.?A`"??7@p@&?ffffff? ? ???VV@?p= ף?\(\?{Gz??UUUUUU??0@(@???~~???{Gz?HzG?333333?6@D@@ @;;;;;;???xxxxxx??______???????\\\\\\?]]]]]]??????PPPPPP???????======??111111????????yyyyyy?????????S?1Zd????@88!Xa PPpP <$|t,--778:>>?AApBMMNOPP>QVRRnSS(TW&X.YZ[^^pa@bccergjjlo@rrss6u(<4|n"dd|XfDBxb\ HB$N  D!."'( *T++*-n..0(00011245r5h9x::<;;;6<JBtBHJxKKpL>O(P,bcdcffnikkpl.mmmno|oo p4p"qqrHr6sswx}~.nLN@`zƗ^bD6\ƪV|ĭ2XĮ2|&DB@zRx ,&  $L  $t~  $d $V  $<  $"  zRx ,  $Lb  $tH  $. $  $  $  zRx $* $DW ,l  $  $ $ $# ,<  ,l. D ,B  , : ,N ,,[ $\  $! $ $ ,  ,,g ,\ ,`  , ,N ,  ,L ,|u ,0 ,  , @ ,<  ,l~(  $(9 $( ,x)  ,L*  ,L*  $|+^ $+F zRx $+s $D&,* $l(, $,0 zRx $,* zRx $,` zRx ,,  ,L-  $|J0 $(0  $ 0* ,0  $$0k $L*1 zRx ,1b  ,L3  $|5 $x5  ,\5, ,X7 ,,7  ,\P8Z  ,z9J zRx ,|9  ,LR; ,|F  ,"F|  ,nG zRx ,,I  ,LK4  $|M $L $L  $L  $L  $DL  $lL $L $L $|L $ fL $4PL  $\HL $:L  $2L $$L  $L $$L  $LL $tK $K ,K ,Lg ,$Lg ,TMg ,@Mg ,xMw ,Mx  $N" $<N\ $d6NC ,RN  ,N $Jg7 $ZgG ,<zg ,l kN ,*m  ,s  ,t  ,, ,<  ,V  , @ ,<   ,l   , 6  , R  , Ƒ  ,,   $\ ZU $  $ a $ . $  ,$ 6 $T V $| >J $ `P $ Z , 9 ,$ Ĕ}  ,T  $ - $ ; ,   $ j $, @6 ,T N@  zRx ,F  ,L  $|N $6  $. $  $ ,D f $t@X $p[ ,  ,r  ,$P ,T   $ī ,|  ,h|  , H $<̭# ,dȭ  zRx ,N ,L  $| $ $r9 $< $  ,D|  ,tj  $ $ $z $X ,D8o  zRx $`s $D* $l $t0 zRx $d $D  ,lγ $| $d $N $6 $<  $d $ $ ,еi  ,  k ,<F  ,ls  ,Fi  ,~ ,ηs  ,,s  ,\V ,:q ,| , ,|  ,L ,|@t $K ,u ,  ,4 ,dr  ,  ,  zRx $L $D $l $v $^ $Hi , M zRx $  $Dt $lR0 ,Z  $ * ,   ,  ,LZ  $|* $ ,$ zRx , zRx ,  ,L zRx ,tm  $L# $t $# $ $# $ $<|# $dx $j $Z $J $2 ,, ,\zH  ,C zRx $ ,Dw  zRx $' $D= $lh $ zRx ,  $L ,t ,2  $ $- $$  $Lm zRx ,M  ,L  ,|  ,` zRx $( $D $lh $R $: $$i , fM zRx $l  $DP $l.0 ,6  $* ,   ,   ,L  ,| $`* $b ,  ,, zRx ,H  ,Lh  zRx $  $D, i ,ln M zRx ,t !  $LfJ ,t zRx , zRx $( ,D  $t@n $O , $  $ $D ,l  $b $X $N zRx $,h $Dl zRx $Fs $D* $l ,Z zRx $s $D* $l , zRx ,)  zRx ,  $LE ,tm  , v $&"8 ,6"  ,,"] zRx ,'  $L(* $t(* ,(  ,-2 ,2a  $,2 $T3 $|:4 ,5 zRx ,6T  $L$7Y zRx ,>7r $L7 $tr7K ,7  ,J8o  zRx ,r8C zRx $n83 $Dz83 $l83 $83 $83 zRx $8= ,D8r $t8  $8 $8K ,8  ,@9  ,L9o  zRx ,9  $L:  $t: $h: zRx ,.:Z  $LX= $tB= $,= $= $= $< $<< $d< $< $< $z< $d< $,L< $T6< $|< $< $; ,; ,$LG $&G $G $G $<F  $dF $F $F $F $F ,,Fs  $\F ,FV ,F~  ,0Gs  ,tGs  ,DG ,ttIU  ,K  ,L ,L  ,4N ,dN%  ,O  zRx $P> "4FXj| 0BTfx__s@`w} 4 @`$$5 Pp`` @`""` $@$  3 A O \ p!!  Tp!@`0Pi@ S ^d @`'!'!@`) )  H  Pp 0Pp0PpX`ض hPȽXP@@0HЄP (p(H` hP(@0 hPЉx (ppPH`@8P`X@PH08Ў @P #<Lao'CdP&HdXwD8)D[x7(@,]gv| )X8~d.+HXptp@%/AOVjVj$ :!2J+>LZgt 0CNct >Th{ T:\m#?b0$T%9d[y$Fiq3G^opcdr%BRho(8csq 2Tt;T 5RM  "n ;vj!.QkwyD [v(F]gNZh~0 49Q|5R_nwSm% 2        V         + < O a     b       R ,A6dv}2Fpd$0Tl#  8hH؆8؆؆h؆؆ȌxȌ؁(ȂhH8؆(xȇh8xȌhX((;Q,d((``(;Q,d((@T@h &taN#dcq,--f/037 77<778[pf9{::)^<>>w?AACpB2EMMMNoOPP@|>Q$Q< a &6H@@a`h`qa((hVR$RnS@QhS((FF`((l}l@S((((8Uxx$4W0WdWH&X+.Y.(T8dY(((( [xx $4^0^.^d`dpa+@btNcHZ((((rg$4j0jdjHjjlVedc8dm((((lol $4@r0Fr4RrJXr2r!rNss6u@o  J`((pNyMN{f{>{L{Z{g|$|4|fD|0NT|#Nf|x|$||F|| }&}TF}`}|}} ~~P +f*N2 pҁT9*bNlq?ħ%?p\UҫBd^\hHh(hp$y@0޻ƽld?fN "X NhH[N{p>pZ(db`@dNnr(N(NYfvq$<#4|@ hh ""5`((``8 "2JB2|N  dj$4r0x@n J`hD((  8hd$|@((';NXfU'hX(DNTcffNvfN0$yBd^hpxhhjqdsfbN\T2d$  @6 ```h dh((@f Nf&N6H@ ( `0`8 ((nxx . j HN$8dBMRdD!$4 0 )."b%'b`((p9pX *P.*H*l*D**(*g*+(+f2+NB+T++@(*- P@@gc` (8g3PqNn..b@0f0 (0b((p112!494Y4Q50((pTUpD78h9dr5 `T((@pf: N;f;N*;<;;@x: X ```h ((CH dHVJxKjKHtBJB pLd6<M<Rd>O$4<0; pk`^$(P((vvx((Hbc@,b pfMf8ddc((xxxni((`(( H nmnmnm .ml(plk@mk 33 dJc((|o0@o((h p$4p"q@o((''hr$Hr6s@q((;H;s((((xDD0} ~H.wdt((Lv XwnNR,$ @6n `((1TT18H@((h`zSƗ@ mb@ N.T Ng Nƙy NN^b((  @8  2D  @b 0  * ((` xx` v Nf*8d0H((t  t h(   ơb ءO    a      f2 NB fT Nd fvN+ f N \ ԣ L Ĥ < N$ƪ@6    b      ` ``  `       -  P b t       &,|2 Į fXN25ĭf|NVfRN((}((STiSX X N̲f޲RNv06Pj|N5f& fD, dBFH@dw@  ` R` `( 0 8 @ H vP 6@TUVX`hpx 6IvRNb 8؁(xȂhXH8؆(xȇhXH8؋(xȌhX0x ?!P`B~p(RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCppSBp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RC`%Apphp pp0pp(p@pppRCpp@p8p@pRJp` Cp8SE`Cp8SE`Cp8SApp`rASASASASASASASIXCp8SE\ASCp8SGp8SESCp8RHRESBSE`Cp8RHRESBSE`Cp8RHRESBSE`Cp8RHRESBSAp`ASERESBSApp`ASASASASASASASASASASASASASASASASAS0`CRESBSApp`9ASASASASASGVCRESBSApp`'ASASDRCp8SE\CREVBSApp`]ASASASASASGZCp8SApp`ASASASETCRESBSE`ATAp WAp0p8SApp`0ASASASASASASH\AWAp ZAp0REVBSE`Cp8SAp\ASEp8SApp`ASASASETCRESBSE`$BSBVCp8SAp(p8SApYASCSAVCRFSESCp8SJp@RApp`$ASASASBVCRESBSESCp8SE\Cp8SE\Cp8RFSCp8SGRESBSE`CREYBSAp`ASERESBSESCp8SApp`ASCRATBp`Bp(p8SApp`ASCRCp8SE\Cp8SApp`QASASASASASASASASASASASM`A`*Cp8SGp8SApp`QASASASASASASASASASK`ATBp`4@dyld_stub_binderQq@__objc_empty_cache"Y @__objc_empty_vtableq"Y @_objc_msgSendSuper2_fixupXx@_objc_msgSendSuper2_stret_fixupqLx@_objc_msgSend_fixupq> )      4@_objc_msgSend_stret_fixupqC @_OBJC_CLASS_$_NSArray@_OBJC_CLASS_$_NSDictionaryq}@_OBJC_CLASS_$_NSMutableArray@_OBJC_CLASS_$_NSMutableDictionaryq}x@_OBJC_CLASS_$_NSObjectq/@_OBJC_METACLASS_$_NSObjectq"HH H@___CFConstantStringClassReferenceq}@_NSZeroRectq0@_OBJC_CLASS_$_NSAffineTransform~@_OBJC_CLASS_$_NSArchiverq@_OBJC_CLASS_$_NSBundleq}@_OBJC_CLASS_$_NSMutableAttributedStringq@_OBJC_CLASS_$_NSNotificationCenterq}@_OBJC_CLASS_$_NSNumber@_OBJC_CLASS_$_NSSortDescriptorq@_OBJC_CLASS_$_NSString@_OBJC_CLASS_$_NSURLq@_OBJC_CLASS_$_NSUnarchiverq@_OBJC_CLASS_$_NSValueq}@_NSAppq8@_NSFontAttributeNameq@_NSForegroundColorAttributeName@_NSShadowAttributeName@_NSUnderlineStyleAttributeName@_NSWindowDidResizeNotificationq@_OBJC_CLASS_$_NSAnimationContext@_OBJC_CLASS_$_NSApplicationq}@_OBJC_CLASS_$_NSBezierPathq@_OBJC_CLASS_$_NSButtonq&D@_OBJC_CLASS_$_NSButtonCellq& @_OBJC_CLASS_$_NSColorB  ^@_OBJC_CLASS_$_NSCursorq@_OBJC_CLASS_$_NSCustomViewq2@_OBJC_CLASS_$_NSEventL@_OBJC_CLASS_$_NSFontq~@_OBJC_CLASS_$_NSGradientqx@_OBJC_CLASS_$_NSGraphicsContextq~@_OBJC_CLASS_$_NSImageq}xx^@_OBJC_CLASS_$_NSPopUpButtonq(@_OBJC_CLASS_$_NSPopUpButtonCellq)@_OBJC_CLASS_$_NSScreenM@_OBJC_CLASS_$_NSScrollViewq5@_OBJC_CLASS_$_NSScroller@_OBJC_CLASS_$_NSShadowEx@_OBJC_CLASS_$_NSSliderq*@_OBJC_CLASS_$_NSSliderCellq*@_OBJC_CLASS_$_NSSplitViewq+U@_OBJC_CLASS_$_NSTableViewq0@_OBJC_CLASS_$_NSTextFieldq%@_OBJC_CLASS_$_NSTextFieldCellq0 @_OBJC_CLASS_$_NSTokenAttachmentCellq9@_OBJC_CLASS_$_NSTokenFieldq7@_OBJC_CLASS_$_NSTokenFieldCellH@_OBJC_CLASS_$_NSToolbarq#@_OBJC_CLASS_$_NSToolbarItemq"@_OBJC_CLASS_$_NSViewq$Ak@_OBJC_CLASS_$_NSWindowqj@_OBJC_CLASS_$_NSWindowControllerq@_OBJC_CLASS_$_NSWorkspace@_OBJC_IVAR_$_NSTokenAttachmentCell._tacFlagsq@@_OBJC_METACLASS_$_NSButton%@_OBJC_METACLASS_$_NSButtonCellq& @_OBJC_METACLASS_$_NSCustomViewq2@_OBJC_METACLASS_$_NSPopUpButtonq(@_OBJC_METACLASS_$_NSPopUpButtonCellq)@_OBJC_METACLASS_$_NSScrollView@_OBJC_METACLASS_$_NSScroller@_OBJC_METACLASS_$_NSSliderq)@_OBJC_METACLASS_$_NSSliderCellq*@_OBJC_METACLASS_$_NSSplitViewq*@_OBJC_METACLASS_$_NSTableView@_OBJC_METACLASS_$_NSTextFieldq%@_OBJC_METACLASS_$_NSTextFieldCellq0 @_OBJC_METACLASS_$_NSTokenAttachmentCellq8@_OBJC_METACLASS_$_NSTokenFieldq7@_OBJC_METACLASS_$_NSTokenFieldCellH@_OBJC_METACLASS_$_NSToolbarq#@_OBJC_METACLASS_$_NSToolbarItemq"@_OBJC_METACLASS_$_NSViewq$qP@_CFMakeCollectableqX@_CFReleaseq`@_CFUUIDCreateqh@_CFUUIDCreateStringqp@_CGContextRestoreGStateqx@_CGContextSaveGStateq@_CGContextSetShouldSmoothFontsq@_Gestaltq@_NSClassFromStringq@_NSDrawThreePartImageq@_NSInsetRectq@_NSIntegralRectq@_NSIsEmptyRectq@_NSOffsetRectq@_NSPointInRectq@_NSRectFillq@_NSRectFillUsingOperationq@_ceilfq@_floorq@_fmaxfq@_fminfq@_modfq@_objc_assign_globalq@_objc_assign_ivarq@_objc_enumerationMutationq@_objc_getPropertyq@_objc_setPropertyq@_roundf_compareViewsHBWSelectableToolbarItemClickedNotificationNOBJC_T METACLASS_$_BWCLASS_$_BWIVAR_$_BW TSARemoveBottomBarInsetTextFieldCustomView UnanchoredButton HyperlinkButtonGradientBoxoransparentexturedSlider olbarken ShowItemColorsItemFontsItem TSARemoveBottomBarInsetTextFieldCustomView UnanchoredButton HyperlinkButtonGradientBoxoransparentexturedSlider olbarken ShowItemColorsItemFontsItem   electableToolbarplitView heetController tyledTextField Helper electableToolbarplitView heetController tyledTextField؃ Helper ddnchored RegularBottomBarS MiniBottomBar  ddnchored RegularBottomBarS MiniBottomBar  Є   ȅ ButtonCheckboxPopUpButtonST  CellButtonCheckboxPopUpButtonST  Cell   Cell Cell   Cell؈ Cell  lidercroll Љ Celllidercroll  Cell Ȋ    Cell  Cell   mallBottomBar heetBottomBar  mallBottomBar heetBottomBar  Button PopUpButton Bar  Button PopUpButton Bar ؍  Cell  Cell Ў   ȏ ableView extFieldCell Cell ableView extFieldCell Cell    Cell  Cell    ؒ  C  C ell ontainer Г ell ontainer   Ȕ   View er View er     Field AttachmentCell CellField AttachmentCellؗ Cell  И   ș      Cell Cell   ؜  Cell CellН  STAnchoredCustomView.isOnItsOwnUnanchoredButton.topAndLeftInsetHyperlinkButton.urlStringGradientBox.electableToolbarplitView.heetController.tyledTextFieldCell..Helper.helperienabledByIdentifierselectedIndex temnIBsPreferencesToolbarIdentifierssByIdentifier      ransparentexturedSlideroolbarItem.identifierStringSTableViewCell.mIsEditingOrSelectingliderCell.isPressedcroller.isVertical cdividerCanCollapsesmresizableSubviewPreferredProportionnonresizableSubviewPreferredSizeuncollapsedSizetoggleCollapseButtonisAnimatingolheckboxIsEnabledorlapsible IsEnabledȢ Т آ SubviewCollapsedPopupSelection econdaryDelegatetateForLastPreferredCalculations inaxValuesUnits ValuesUnits          .Cell.trackHeightindicatorIndexsliderCellRectm   inButtonaxButton  isPressedtrackHeight  ButtonPopUpButton.Bar..ishandleIsRightAlignedsResizableAtBottom   electedIndexplitViewDelegate  isAttopAndLeftInsetLeftEdgeOfBarRightEdgeOfBar   contentViewsByIdentifierwindowSizesByIdentifierselectedIdentifieroldWindowTitlei    nitialIBWindowSizesPreferencesToolbar   isAttopAndLeftInsetLeftEdgeOfBarRightEdgeOfBar     sheetparentWindowdelegate      filltopbottomhasStartingColorEndingColorColorЉ ؉  BorderColorInsetAlpha BorderColorInsetAlpha   TopBorderBottomBorderGradientFillColor    shasendingColor previousAttributes hadowtartingColor olidColor IsBelowColor  ShadowGradient      Ș И PX`hpx (@ ` @` @` @` @` @` @` @`  @ `       @ `       @ `       @ `       @ `      @` @` @`08 X   ( Hpx   8`h   (PX x  @H h  08 X   ( Hpx   8`h   (PX x    @H h  08 X   ( Hpx   8`h   (PX x  (8HXhx  ( 8 H X h x         !!(!8!H!X!h!x!!!!!!!!!""("8"H"X"h"x"""""""""##(#8#H#X#h#x#########$$($8$H$X$h$x$$$$$$$$$%%(%8%H%X%h%x%%%%%%%%%&&(&8&H&X&h&x&&&&&&&&&''('8'H'X'h'x'''''''''((((8(H(X(h(x((((((((())()8)H)X)h)x)))))))))**(*8*H*X*h*x*********++(+8+H+X+h+x+++++++++,,(,8,H,X,h,x,,,,,,,,,--(-8-H-X-h-x---------..(.8.H.X.h.x.........//(/8/H/X/h/x/////////00(080H0X0h0x00000000011(181H1X1h1x11111111122(282H2X2h2x22222222233(383H3X3h3x33333333344(484H4X4h4x44444444455(585H5X5h5x55555555566(686H6X6h6x66666666677(787H7X7h7x77777777788(888H8X8h8x88888888899(989H9X9h9x999999999::(:8:H:X:h:x:::::::::;;(;8;H;X;h;x;;;;;;;;;<<(<8<H<X<h<x<<<<<<<<<==(=8=H=X=`=h=p=x=================>>>> >(>0>8>@>H>P>X>`>h>p>x>> > ? @? `? ? ? ? 0@ P@ `@ @ @ @ 8A A A B (B 0B B XC `C hC pC xC C C C C C C C C C C C C C C C C D D D D  D (D 0D 8D @D HD PD pDDDDDDEEEE E(E0E8E@EHEPEXE`EhEpExEEEEEEEF0F8F@FHFPFXF`FhFpFxFFFFFFFFFFFFF0G8G@GPG`GpGxGGGGGGGGGGGGGGGGGHHHH H(H0H8H@HHHPHXH`HhHpHxHHHHHHHHHHHHHHHHHIIII I(I0I8I@IHIPIXI`IhIpIxIIIIIIIIIIIIIIIIIJJJJ J(J0J8J@JHJPJXJ`JhJpJxJJJJJJJJJJJJJJJJJKKK(K0K8KHKPKXKhKpKxKKKKKKKKKK(L0L8L@LHLPLXL`LLLLLMMMM M(M0M8M@MHMPMXMhMpMxMMMMM(NhNpNxNNNNNO OhOpOOOOOOOPPP P(P0P8P@PHPPPXP`PhPpPxPPPPPPPPQQXQ`QQQQQQQQRRRR R(R0R8R@RHRPRXR`RhRpRxRRRRRRRRRSS`ShSSSSSSSTTTT T(T0T8T@THTPTXT`ThTpTxTTTTTTTTTTU UhUpUUUUUUUUVVV V(V0V8V@VHVPVXV`VhVpVxVVVVVVVVVVVVVVVVWWW@WHWxWWWWWWWWWWWWXXXX X(X0X8X@XHXPXXX`XhXpXxXXXXXXXXXXXXXXXXXYYYY Y(Y0Y8Y@YHYPYXY`YhYpYxYYYYYYYYYYYYYYYYYZZZZ Z(Z0Z8Z@ZHZPZXZ`ZhZpZxZZZZZZZZZZZZZZZZZ[[[[ [([0[8[@[H[P[X[`[h[p[x[[[[[[[[[[[[[[[[[\\\\ \(\0\8\@\H\P\X\`\h\p\x\\\\\\\\\\\\\\\\\]]]] ](]0]8]@]H]P]X]`]h]p]x]]]]]]]]]]]]]]]]]^^^^ ^(^0^8^@^H^P^X^`^h^p^x^^^^^^^^^^^^^^^^^___ _(_0_@_H_P_`_h_p_____________``` `(`0`@`H`P```h`p`````````````aaa a(a0aaaaaaabbbb b(b0b8b@bHbPbXb`bhbpbxbbbbbbbbbbbcc c8c@cHcXchcxcccccccccccccccccdddd d(d0d8d@dHdPdXd`dhdpdxdddddddddddddddddeeee e(e0e8eHePeXehepexeeeeeeeeeef f(f0f8f@f`fhfffffffffgggg g(g0g8g@gHgPgXg`ghgpgxggggggggggggggggghhhh h(h0h@hHhPh`hhhphhhhiii@iHiPiXi`ihipixiiiiiiiiijjjj0j8j@jPj`jpjxjjjjjjjjjjjjjjjjjkkkk k(k0k8k@kHkPkXk`khkpkxkkkkkkkkkkkkkkkkkllll l(l0l8l@lHlPlXl`lhlplxlllllllllllllllllmmmm m(m0m8m@mHmPm`mhmpmmmmmmmmmmmmm0n8n@nHnPnXn`nhnpnxnnnnnnoo o(o0o8o@oHoPoXo`ohopoxooooooooooooooopppHpPpXp`ppppppppp q(q0q8q@qHqPqXq`qhqpqxqqqqqqqqqqqqqqqqqrrr r(r0r@rhrprxrrrrrrr s(s0s@sPs`shspsxssssssssssssssssstttt t(t0t8t@tHtPtXt`thtptxttttttttttttttttuuu(u0u8uHuPuXuhupuxuuuuuuuuvvvv v(v0v8vHvPvXv`vhvpvxvvvvvvvvvvvvw@wHwxwwwwwwwwwwxxxx x(x0x8x@xHxPxXx`xhxpxxxxxxxxy y(y0y8y@yHyPyXy`yhypyxyyyyyzzz(z8zHzPzXz`zhzpzxzzzzzzzzzzzzzzzz{{{ {({8{@{H{x{{{{{{{{{|| |P|X|`|h|p|x|||||||||||||||||}}}} }(}0}8}@}H}P}X}`}h}}}}}}}}}}}0~8~@~P~~~~~~ (08@PX`(08hpx؀@ȁЁ؁ (08@HPX`hpxȂЂ؂(08PX`hpxЃ؃8@Hh (08@` (08X؆HPXЇ؇8@HPX`hpx (08@HPXpxȉЉ؉ (08@HP`hp؊@HPpЋ (08@HPX`pxȌЌ (08@HPX`hpxȍ(8HPX`hpxȎЎ؎ @Hh (08@`А (08@HPX`hpxȑБؑ (08@HPX`hpxȒВؒ (08@HPX`pxГؓ 08@PX`px08@HPX`hpxȕЕؕ (08@HPX`hpxȖЖؖ (0P (0@P`hpxȘИؘ (08@HPX`hpxșЙؙ (08@HPX`hpxȚКؚ 08@PX`pxЛ؛`hpxȜМ؜(@ H P X ` h p x          ȝ Н ؝          ( 0 8 @ H P X ` h p x      ȞО؞(ydGydayfnYK.y$y$N.7z$$N.Zz$$N.|z$$N.z$$N.z$$N.z$$ N { ;{ d(yda{dz{fnYK.{$|$N.M|$$N.o|$$N.|$$N.|$$N.|$$N.|$$ N !} J} d(ydo}d}fnYK.}$$*N*.$%~$$L~$XNX.|~$|$N.t~$t$ N .~$$N.~$$N.$$$N$.A$$ N .,u$,$DND.-$-$N.-$-$:N:./$/$NNN.03$03$\N\.7B$7$N.7{$7$"N".7ˀ$7$N.7$7$N.77$7$N.8_$8$hNh.f9$f9$N.:$:$N.:$:$N.^<)$^<$N.>[$>$N.>z$>$N.?$?$vNv.Â$A$N.A$A$N.pB$pB$N.2EW$2E$N.M{$M$N.M$M$:N:.M˃$M$N.N$N$N.O$O$N.PPI$PP$N.>Qq$>Q$^N^.Q$Q$FNFDŽ  ; c  Dž  " Q &&d(yddfnYK.Q<$Qd$tNt.VR$VR$*N*.R$R$N.nS"$nS$0N0H p d(yddfnYK.S$S$*N*; _ d(yddfnYK.S$S+$`N`\  d(yddfnYK.(T5$(Tl$N.8U$8U$N.Wʋ$W$N.W$W$ N .W$W$*N*.&XE$&X$N..Yp$.Y$lNl.Y$Y$N݌  -&;&J&W&e& r&(&0&8d(yddfnYK.Z5$Zb$bNb.[$[$N.^Ď$^$N.^$^$ N .^$^$,N,.`S$`$N.pa$pa$N.@b$@b$ZNZ.c$c$JNJ I q&@&H&P&X&`&hŐ&pd(ydӐdfnYK.ct$c$N.e$e$N.rg $rg$PNP.jK$j$N.j{$j$ N .j$j$*N*.jՒ$j$N.l$l$N.m9$m$;N;t Γ&xܓ&&&&&&,&<&H&d(ydUdofnYK.o$o$N.oN$o$N.@rt$@r$N.Fr$Fr$ N .Rrƕ$Rr$N.Xr$Xr$:N:.r3$r$<N<.rf$r$N.s$s$ N .sÖ$s$|N|.6u$6u$N D j &&&ȗ&ݗ&&&d(yddfnYK.N>.$$<N<.ޠ$$VNV.@ $@$N.޻M$޻$N.$$N.ƽ$ƽ$ N .d$d$RNR.$$N.$$N.F$$VNV.u$$N.$$bNb.$$.N..$$N."$"$6N6.X5$X$VNV.S$$JNJ.x$$PNP.H$H$ZNZ.$$:N:.$$~N~.Z$Z$N.6$$.N..(R$($<N<.ds$d$N.b$b$N.`$`$6N6.ۤ$$@N@  3 R z  ѥ  1 T w    2 m  ɧ  &)&3&@&S&f& z&(d(yddfnYK.$8$N.i$$N.>$>$N.N$N$ N .nͩ$n$N.$$ N . $$N.+$$fNf.(G$($XNX.p$$\N\.$$N.v$v$rNr.ڪ$$N.$$N.$$N.<<$<$|N|.c$$|N|.4$4$HNH.|$|$$N$.Ϋ$$N  5 _     &0&8+&@>&Hd(ydPdgfnYK.n$n$N.=$$ N ."`$"$N.2$2$N.B$B$:N:.|$|$<N<.$$ N .D$$N.f$$N.d$d$N.jï$j$N.r$r$N.x$x$N.9$$oNob ذ &P&X &`0&hA&pd(ydQdgfnYK.$$tNt.d:$d$*N*.X$$N.|y$|$0N0 ò d(yddfnYK.t$$N.Xγ$X$N.f$f$N.D$D$N.T;$T$N.f]$f$N.v$v$N.$$N.״$$N.$$N.0$$N.Y$$jNj.B$B$lNl.$$N.9$$tNt.~$$jNj.x$x$~N~.$$tNt.j4$j$tNt.y$$N.÷$$rNr.d$d$N. $$N.1$$N.bR$b$N.$$tNt.\$\$LNL.ڸ$$vNv. $$N. E$ $N. f$ $rNr.$$N.$$Nع M y  ޺ &x!&+&9&O&b&t&&&&&»&d(ydϻdfnYK.X${$N.$$N.ּ$$N.&$&$N.6'$6$N.HN$H$jNj.h$$MNM ɽ  * d(ydXdofnYK.$$ N .  $ 5$N.j$$0N0.B$B$N.$Ϳ$$$*N*.N$N$ N .n$n$N.:$$N. n$ $*N*. $ $N.D!$D!$N  5&C&V&f&~&&&&&& &(&0&8!&@,&H7&PB&Xd(ydMdcfnYK.."$."<$Nd(ydpdfnYK.%$%8$N.'l$'$Nd(yddfnYK.(7$(c$nNn. *$ *$$N$..*$.*$N.H* $H*$$N$.l*F$l*$N.*{$*$$N$.*$*$N.*$*$$N$.*$*$N.+;$+$N.+p$+$N.2+$2+$N.B+$B+$N.T+ $T+$N.+.$+$HNH.*-\$*-$CNC~  Q    d(yd8dOfnYK.n.$n.$N..$$.$wNwd(ydUdjfnYK.0$0$(N(.(0#$(0$>N>.f0I$f0$hNh.0k$0$Nd(yddfnYK.0&$0P$N.1$1$N.1$1$N.2$2$N.4$4$N.4:$4$.N..4t$4$N.5$5$mNm &`*&h7&pd(ydGddfnYK.r5$r5 $NNN.7[$7$N.8$8$N.h9$h9$N, Y d(yddfnYK.x:S$x:{$N.:$:$N.;$;$N.; $;$N.*;;$*;$N.<;g$<;$jNj.;$;$MNM + a d(yddfnYK.;/$;$ N .<X$<$N.<$<$0N0.6<$6<$N.JB:$JB$*N*.tBa$tB$ N .C$C$N.H$H$N.J$J$N.xK$xK$*N*.KG$K$N.pLx$pL$N.>O$>O$N  .&x<&O&_&w&&&&&&&& &&)&4&?&J&d(ydUddfnYK.(P$(P$N.^$^$hNh= \ w d(yddfnYK.,b)$,bN$N.b$b$jNj.c$c$MNM  d(yd4dMfnYK.dc$dc$"N".f5$f$JNJ.fg$f$N &&&& &(&&01&8<&@G&HR&Pd(yd`d~fnYK.ni$ni+$Ng d(yddfnYK.kJ$kl$N.k$k$N.pl$pl$nNn.l$l$PNP..m$.m$N.m8$m$N.mV$m$N.mq$m$N.m$m$N.n$n$N.n$n$N.n$n$N B b   d(yddfnYK.or$o$hNh.|o$|o$N 0 d(ydVdkfnYK.o$o$tNt. p;$ p$*N*.4pX$4p$N."qx$"q$N d(yddfnYK.qp$q$tNt.r$r$*N*.Hr$Hr$N.6s $6s$N- S d(ydudfnYK.s$sA$)N)r d(yddfnYK.tG$ty$N.w$w$FNF.x$x$nNn.}$}$vNv.~4$~$8N8..[$.$N.$$]N] &X&`*&h6&pJ&x]&k&&&d(yddfnYK.nT$n|$N.L$L$*N*.v$v$*N*.$$N.3$$2N2.Y$$bNb.N$N$N.,$,$N. $ $N.$$N B f &&&&&&&&&&&0&9&D&X&d(ydbdfnYK.@$@-$TNT.h$$YNY &d(yddfnYK.v$$rNr.`$`$N.z$z$LNL.Ɨ$Ɨ$N.%$$oNoG g d(yddfnYK.@$f$CNCd(yddfnYK.^*$^S$4N4.$$4N4.ƙ$ƙ$4N4.$$4N4..$.$3N3d(yd3dGfnYK.b$b$>N>.$$rNr.6$$ N .2Y$2$N.Dx$D$LNL.$$N.$$N.$$oNo , L d(ydudfnYK.$1$N.g$$ N .*$*$N.0$0$N d(yd1dAfnYK.6$6$ZNZ.$$N.%$$N.F$$N.ơa$ơ$N.ء$ء$N.$$N.$$N.$$N.  $ $N.2.$2$N.BP$B$N.Tn$T$N.d$d$N.v$v$N.$$N.$$N.$$N.2$$N.\K$\$xNx.ԣr$ԣ$xNx.L$L$xNx.Ĥ$Ĥ$xNx.<$<$xNx.$$ N .$$N.ƪ7$ƪ$"N"Y y    < i     8 d(yd`dtfnYK.$ $&N&.<$$HNH.V_$V$&N&.|$|$HNH.ĭ$ĭ$$N$.$$JNJ.2$2$&N&.X$X$HNH.5$$$N$.ĮX$Į$JNJ.$$$N$.2$2$JNJ.|$|$$N$.$$JNJ  - d(ydMdefnYK.$$N.>$$N.̲e$̲$N.޲$޲$N.$$N.$$N.$$N.0$0$ N .PH$P$N.jt$j$N.|$|$N.$$N.$$N. $$tNt.&2$&$N.D]$D$VNV.$$~N~.$$tNt.$$tNt.$$N.9$$VNV.B`$B$N.$$N.$$N.@$@$N.$$&N&.$$NG o      O      d(yd= dY fnYK. $ $>N>d-@a;[}/V$}|t>r,--/03?7x77747\8f9::&^<X>w>?AApBT2ExMMMNOFPPn>QQQVR R/ nSU Sq S (T 8U W WC Wl &X .Y Y Z1 [Y ^ ^ ^ `# paN @b c c e! rgL j| j j jl:muoo@rFrRrGXrrrss96ukN4nRt(!vAh<4|5Zn"2B* |Z    d!j1!rY!x}!!!d! "|/"U"X{"f"D"T"f #v.#^####$Br$$%:%xv%%j&J&i&d&&&b '3'\a''' ' (9(_((((&(6$)H>)])) ))B *$.*NV*ny** * *D!*+."+%+'+(, *Y,.*,H*,l*,*1-*a-*-*-+-+#.2+Y.B+.T+.+.*-/n.&/.W/(0}/f0/0/0/101802p04040415:1r5v17182h9G2x:o2:2;2;2*;%3<;D3;h3;3<3<36<94JB`4tB4C4H4J5xKF5Kw5pL5>O5(P5^6,b86bT6cu6dc6f6f7ni-7kO7ku7pl7l7.m7m8m"8mD8mh8n8n8n8o8|o+9oP9 pm94p9"q9q9r9Hr:6s9:s|:t:w:x;}3;~Z;.;;n;L<v<<`<<<N<,< =G=@u===`=z=Ɨ>A>g>^>>ƙ>?.A_AzAơAءAAA%B GB2iBBBTBdBvB C-CKCdC\CԣCLCĤC<D5DPDƪrDDDVD|DĭEDE2eEXEEĮEE2F|:F^FFF̲F޲FG@G`G0GPGjG|H-HQHzH&HDHHIJIIIBIIJ@>JeJJJJJJJKK"K0K =K(JK0XK8eK@tKHKPKXK`KhKpKxKKKL LL%L5LALNL[LhL}LLLLLLLLM M(&M07M8HM@[MHmMPzMXM`MhMpMxMMMM NN,NQ@IQHTQPbQXyQ`QhQpQxQQQRR1RBRQR_RkRtRRRRRRRRRRR @q%S 8FS (jS S S (S ؆S xT 6T ^T XyT XT T T ȂT xU ؁:U ȇbU U U U U U 8"V xFV ؋aV (V hV 8V V  W h/W SW {W XW W W ȌX 9X H_X X hX X X Y HFY(vY0Y8Y Z7ZdZZ ZXZ`1[hd[p[[[\2\_\\ \\]+]T]0}]]]^6^g^^^ _D____/` W```P`a`;a@ZaHaXaaaxb:bp]bbbhb:chcc8 c c dP RdH |d( d d@  e0 ;eheeeef;fifff f0gp`g g g `g `g h Bh Pih h h 0h 0h  i Hi ki Pi i i pj p#j Gj Ўoj j j Pj k #k @Ck mk `k k @k l :l 0el l l l Є m 6m _m @m m m Љn 5n0CnVnanonnnnnn nn o o =oJoZoiowoo o o o o p p-p Np jppp pp p p q *q Eq`q vq q q q qqrArdr{rr r r r s s 0s Gs bss ss s s t (t Ct bt zt tttt t u (u Bu ou u u uu v 'v Fv cv ~v v v v v w Aw `w w w w ww x!x(x/x6x=xCxWxixxxxxxxyyx?c @c Ac @d (Ad >e >e Ae Be PCe e Af >g @g @Ag @h PBh >i >i ?i X?i ?i ?i (@i H@i h@i Ai Bi  j j 0j j j @@j pk k k k (?l H?l ?l ?l ?l @l @l @l PAl `Al Al Al Bl 8Bl XBl Bl Bl Cl Cl  Cl 8rl Bm `n >o ?p Bp p ?q 8?q ?q @q pAq Aq Aq Bq  @r @r @r XAr Ar Br pBr Cr HCr P?s HAs hBs 8Cs >t >t  ?t h?t ?t ?t 8@t X@t p@t @t At HBt Bt @Ct rt >u @u xAv Bv >w ?w 0?w ?w ?w @w Aw hAw Aw Aw `Bw Bw Bw (Cw >x >y ?y Cy z z `{ { | | ?} x@} @} @B} ~  p? @ A A xB B 0C   P @ @  @ A A B B ،     p      0  @  p B A > 0    P @  ` > 0A w  A v  B B      H  X  8  `   P   @   0     p   `   P    @   0     p x   `   P   @   0   8        (  x    H   X     h H  X h  (  h 8 P p      0 P p      0 P p      0 P p      0 P p      0 P p      0 P p      0 P p      0 P p      0 P p      0 P p      0 P p      0 P p      0 P p      0 P p      0 P p       H p     8 `     ( P x     @ h     0 X       H p     8 `     ( P x     @ h     0 X       H p     8 `     ( P x     @ h     ( P x     @ h     0 X       H p     8 `     ( P x     @ h     0 X       H p     8 `     ( P x     @ h     0 X       H p         # # 0& P& ' 0( ( ( P) `) @* *  + , `/ p/ `0 0 P1 `1 1 @3 4 @5 5 p6 6 8 < @& ' ( ( 3 @6 8 P9   0 @ P ` p          0 @ P ` p       ! !  ! 0! @! P! `! p! ! ! ! ! ! ! ! " "  " 0" @" P" `" p" " " " " " " " " #  # 0# @# P# `# p# # # # # # # # $ $  $ 0$ @$ P$ `$ p$ $ $ $ $ $ $ $ $ % %  % 0% @% P% `% p% % % % % % % % % & &  & `& p& & & & & & & & & '  ' 0' @' P' `' p' ' ' ' ' ' ' (  ( @( `( p( ( ( ( ( ( ) )  ) 0) @) p) ) ) ) ) ) ) ) ) * *  * 0* P* p* * * * * * + + 0+ @+ P+ `+ p+ + + + + + + + + , ,  , 0, @, P, `, p, , , , , , , - -  - 0- @- P- `- p- - - - - - - - . .  . 0. @. P. `. p. . . . . . . . . / /  / 0/ @/ P/ / / / / / / / / 0 0  0 00 @0 P0 p0 0 0 0 0 0 0 1 1  1 01 @1 p1 1 1 1 1 1 1 1 2 2  2 02 @2 P2 `2 p2 2 2 2 2 2 2 2 2 3  3 03 `3 p3 3 3 3 3 3 3 3 3 4 4  4 04 @4 P4 `4 p4 4 4 4 4 4 4 4 5 5  5 05 P5 `5 p5 5 5 5 5 5 5 6 6  6 06 P6 6 6 6 6 6 6 6 7 7  7 @7 P7 `7 p7 7 7 7 7 7 7 7 7 8 8  8 08 @8 P8 `8 p8 8 8 8 8 8 8 9 9  9 09 `9 p9 9 9 9 9 9 9 9 9 : :  : 0: @: P: `: p: : : : : : : : : ; ;  ; 0; @; P; `; p; ; ; ; ; ; ; ; ; < <  < 0< @< P< `< p< < < < < < < < = =  = @= P= ! ' P( `* * * , - 0 P3 5 `6 07 @9 0= K L M N O P Q R T U X Y Z [ \ ] ^ @@a V W _ b S ` K L M N O P Q R T U X Y Z [ \ ] ^ __mh_dylib_headerdyld_stub_binding_helper__dyld_func_lookup-[BWToolbarShowColorsItem image]-[BWToolbarShowColorsItem toolTip]-[BWToolbarShowColorsItem action]-[BWToolbarShowColorsItem target]-[BWToolbarShowColorsItem paletteLabel]-[BWToolbarShowColorsItem label]-[BWToolbarShowColorsItem itemIdentifier]-[BWToolbarShowFontsItem image]-[BWToolbarShowFontsItem toolTip]-[BWToolbarShowFontsItem action]-[BWToolbarShowFontsItem target]-[BWToolbarShowFontsItem paletteLabel]-[BWToolbarShowFontsItem label]-[BWToolbarShowFontsItem itemIdentifier]-[BWSelectableToolbar documentToolbar]-[BWSelectableToolbar editableToolbar]-[BWSelectableToolbar initWithCoder:]-[BWSelectableToolbar setHelper:]-[BWSelectableToolbar helper]-[BWSelectableToolbar isPreferencesToolbar]-[BWSelectableToolbar setEnabledByIdentifier:]-[BWSelectableToolbar switchToItemAtIndex:animate:]-[BWSelectableToolbar setSelectedIndex:]-[BWSelectableToolbar selectedIndex]-[BWSelectableToolbar labels]-[BWSelectableToolbar setIsPreferencesToolbar:]-[BWSelectableToolbar selectableItemIdentifiers]-[BWSelectableToolbar toolbarSelectableItemIdentifiers:]-[BWSelectableToolbar toolbar:itemForItemIdentifier:willBeInsertedIntoToolbar:]-[BWSelectableToolbar toolbarAllowedItemIdentifiers:]-[BWSelectableToolbar toolbarDefaultItemIdentifiers:]-[BWSelectableToolbar windowDidResize:]-[BWSelectableToolbar enabledByIdentifier]-[BWSelectableToolbar validateToolbarItem:]-[BWSelectableToolbar setEnabled:forIdentifier:]-[BWSelectableToolbar setSelectedItemIdentifierWithoutAnimation:]-[BWSelectableToolbar setSelectedItemIdentifier:]-[BWSelectableToolbar dealloc]-[BWSelectableToolbar identifierAtIndex:]-[BWSelectableToolbar setItemSelectors]-[BWSelectableToolbar toggleActiveView:]-[BWSelectableToolbar selectItemAtIndex:]-[BWSelectableToolbar toolbarIndexFromSelectableIndex:]-[BWSelectableToolbar initialSetup]-[BWSelectableToolbar selectInitialItem]-[BWSelectableToolbar selectFirstItem]-[BWSelectableToolbar awakeFromNib]-[BWSelectableToolbar initWithIdentifier:]-[BWSelectableToolbar _defaultItemIdentifiers]-[BWSelectableToolbar encodeWithCoder:]-[BWSelectableToolbar setEditableToolbar:]-[BWSelectableToolbar setDocumentToolbar:]-[BWAddRegularBottomBar initWithCoder:]-[BWAddRegularBottomBar bounds]-[BWAddRegularBottomBar drawRect:]-[BWAddRegularBottomBar awakeFromNib]-[BWRemoveBottomBar bounds]-[BWInsetTextField initWithCoder:]-[BWTransparentButtonCell drawImage:withFrame:inView:]+[BWTransparentButtonCell initialize]-[BWTransparentButtonCell setControlSize:]-[BWTransparentButtonCell controlSize]-[BWTransparentButtonCell interiorColor]-[BWTransparentButtonCell _textAttributes]-[BWTransparentButtonCell drawTitle:withFrame:inView:]-[BWTransparentButtonCell drawBezelWithFrame:inView:]-[BWTransparentCheckboxCell _textAttributes]+[BWTransparentCheckboxCell initialize]-[BWTransparentCheckboxCell setControlSize:]-[BWTransparentCheckboxCell controlSize]-[BWTransparentCheckboxCell drawImage:withFrame:inView:]-[BWTransparentCheckboxCell drawInteriorWithFrame:inView:]-[BWTransparentCheckboxCell interiorColor]-[BWTransparentCheckboxCell drawTitle:withFrame:inView:]-[BWTransparentCheckboxCell isInTableView]-[BWTransparentPopUpButtonCell drawImageWithFrame:inView:]-[BWTransparentPopUpButtonCell imageRectForBounds:]+[BWTransparentPopUpButtonCell initialize]-[BWTransparentPopUpButtonCell setControlSize:]-[BWTransparentPopUpButtonCell controlSize]-[BWTransparentPopUpButtonCell interiorColor]-[BWTransparentPopUpButtonCell _textAttributes]-[BWTransparentPopUpButtonCell titleRectForBounds:]-[BWTransparentPopUpButtonCell drawBezelWithFrame:inView:]-[BWTransparentSliderCell initWithCoder:]+[BWTransparentSliderCell initialize]-[BWTransparentSliderCell setControlSize:]-[BWTransparentSliderCell controlSize]-[BWTransparentSliderCell setTickMarkPosition:]-[BWTransparentSliderCell stopTracking:at:inView:mouseIsUp:]-[BWTransparentSliderCell startTrackingAt:inView:]-[BWTransparentSliderCell knobRectFlipped:]-[BWTransparentSliderCell _usesCustomTrackImage]-[BWTransparentSliderCell drawKnob:]-[BWTransparentSliderCell drawBarInside:flipped:]-[BWSplitView initWithCoder:]+[BWSplitView initialize]-[BWSplitView colorIsEnabled]-[BWSplitView setCheckboxIsEnabled:]-[BWSplitView setMinValues:]-[BWSplitView setMaxValues:]-[BWSplitView setMinUnits:]-[BWSplitView setMaxUnits:]-[BWSplitView setCollapsiblePopupSelection:]-[BWSplitView collapsiblePopupSelection]-[BWSplitView setDividerCanCollapse:]-[BWSplitView dividerCanCollapse]-[BWSplitView collapsibleSubviewCollapsed]-[BWSplitView setResizableSubviewPreferredProportion:]-[BWSplitView resizableSubviewPreferredProportion]-[BWSplitView setNonresizableSubviewPreferredSize:]-[BWSplitView nonresizableSubviewPreferredSize]-[BWSplitView setStateForLastPreferredCalculations:]-[BWSplitView stateForLastPreferredCalculations]-[BWSplitView setToggleCollapseButton:]-[BWSplitView toggleCollapseButton]-[BWSplitView setSecondaryDelegate:]-[BWSplitView secondaryDelegate]-[BWSplitView dealloc]-[BWSplitView maxUnits]-[BWSplitView minUnits]-[BWSplitView maxValues]-[BWSplitView minValues]-[BWSplitView color]-[BWSplitView setColor:]-[BWSplitView setColorIsEnabled:]-[BWSplitView checkboxIsEnabled]-[BWSplitView setDividerStyle:]-[BWSplitView splitView:resizeSubviewsWithOldSize:]-[BWSplitView resizeAndAdjustSubviews]-[BWSplitView clearPreferredProportionsAndSizes]-[BWSplitView validateAndCalculatePreferredProportionsAndSizes]-[BWSplitView correctCollapsiblePreferredProportionOrSize]-[BWSplitView validatePreferredProportionsAndSizes]-[BWSplitView recalculatePreferredProportionsAndSizes]-[BWSplitView subviewMaximumSize:]-[BWSplitView subviewMinimumSize:]-[BWSplitView subviewIsResizable:]-[BWSplitView resizableSubviews]-[BWSplitView splitViewWillResizeSubviews:]-[BWSplitView splitViewDidResizeSubviews:]-[BWSplitView splitView:effectiveRect:forDrawnRect:ofDividerAtIndex:]-[BWSplitView splitView:constrainSplitPosition:ofSubviewAt:]-[BWSplitView splitView:constrainMinCoordinate:ofSubviewAt:]-[BWSplitView splitView:constrainMaxCoordinate:ofSubviewAt:]-[BWSplitView splitView:shouldCollapseSubview:forDoubleClickOnDividerAtIndex:]-[BWSplitView splitView:canCollapseSubview:]-[BWSplitView splitView:additionalEffectiveRectOfDividerAtIndex:]-[BWSplitView splitView:shouldHideDividerAtIndex:]-[BWSplitView mouseDown:]-[BWSplitView toggleCollapse:]-[BWSplitView restoreAutoresizesSubviews:]-[BWSplitView removeMinSizeForCollapsibleSubview]-[BWSplitView setMinSizeForCollapsibleSubview:]-[BWSplitView setCollapsibleSubviewCollapsed:]-[BWSplitView collapsibleDividerIndex]-[BWSplitView hasCollapsibleDivider]-[BWSplitView animationDuration]-[BWSplitView animationEnded]-[BWSplitView setCollapsibleSubviewCollapsedHelper:]-[BWSplitView adjustSubviews]-[BWSplitView hasCollapsibleSubview]-[BWSplitView collapsibleSubview]-[BWSplitView collapsibleSubviewIndex]-[BWSplitView collapsibleSubviewIsCollapsed]-[BWSplitView subviewIsCollapsed:]-[BWSplitView subviewIsCollapsible:]-[BWSplitView setDelegate:]-[BWSplitView drawDimpleInRect:]-[BWSplitView drawGradientDividerInRect:]-[BWSplitView drawDividerInRect:]-[BWSplitView awakeFromNib]-[BWSplitView encodeWithCoder:]-[BWTexturedSlider initWithCoder:]+[BWTexturedSlider initialize]-[BWTexturedSlider indicatorIndex]-[BWTexturedSlider setMinButton:]-[BWTexturedSlider minButton]-[BWTexturedSlider setMaxButton:]-[BWTexturedSlider maxButton]-[BWTexturedSlider dealloc]-[BWTexturedSlider resignFirstResponder]-[BWTexturedSlider becomeFirstResponder]-[BWTexturedSlider scrollWheel:]-[BWTexturedSlider setEnabled:]-[BWTexturedSlider setIndicatorIndex:]-[BWTexturedSlider drawRect:]-[BWTexturedSlider hitTest:]-[BWTexturedSlider setSliderToMaximum]-[BWTexturedSlider setSliderToMinimum]-[BWTexturedSlider setTrackHeight:]-[BWTexturedSlider trackHeight]-[BWTexturedSlider encodeWithCoder:]-[BWTexturedSliderCell initWithCoder:]+[BWTexturedSliderCell initialize]-[BWTexturedSliderCell setTrackHeight:]-[BWTexturedSliderCell trackHeight]-[BWTexturedSliderCell stopTracking:at:inView:mouseIsUp:]-[BWTexturedSliderCell startTrackingAt:inView:]-[BWTexturedSliderCell _usesCustomTrackImage]-[BWTexturedSliderCell drawKnob:]-[BWTexturedSliderCell drawBarInside:flipped:]-[BWTexturedSliderCell setNumberOfTickMarks:]-[BWTexturedSliderCell numberOfTickMarks]-[BWTexturedSliderCell setControlSize:]-[BWTexturedSliderCell controlSize]-[BWTexturedSliderCell encodeWithCoder:]-[BWAddSmallBottomBar initWithCoder:]-[BWAddSmallBottomBar bounds]-[BWAddSmallBottomBar drawRect:]-[BWAddSmallBottomBar awakeFromNib]-[BWAnchoredButtonBar initWithFrame:]+[BWAnchoredButtonBar wasBorderedBar]+[BWAnchoredButtonBar initialize]-[BWAnchoredButtonBar selectedIndex]-[BWAnchoredButtonBar isAtBottom]-[BWAnchoredButtonBar setIsResizable:]-[BWAnchoredButtonBar isResizable]-[BWAnchoredButtonBar setHandleIsRightAligned:]-[BWAnchoredButtonBar handleIsRightAligned]-[BWAnchoredButtonBar setSplitViewDelegate:]-[BWAnchoredButtonBar splitViewDelegate]-[BWAnchoredButtonBar splitView:shouldHideDividerAtIndex:]-[BWAnchoredButtonBar splitView:shouldCollapseSubview:forDoubleClickOnDividerAtIndex:]-[BWAnchoredButtonBar splitView:effectiveRect:forDrawnRect:ofDividerAtIndex:]-[BWAnchoredButtonBar splitView:constrainSplitPosition:ofSubviewAt:]-[BWAnchoredButtonBar splitView:canCollapseSubview:]-[BWAnchoredButtonBar splitView:resizeSubviewsWithOldSize:]-[BWAnchoredButtonBar splitView:constrainMaxCoordinate:ofSubviewAt:]-[BWAnchoredButtonBar splitView:constrainMinCoordinate:ofSubviewAt:]-[BWAnchoredButtonBar splitView:additionalEffectiveRectOfDividerAtIndex:]-[BWAnchoredButtonBar dealloc]-[BWAnchoredButtonBar setSelectedIndex:]-[BWAnchoredButtonBar setIsAtBottom:]-[BWAnchoredButtonBar splitView]-[BWAnchoredButtonBar dividerIndexNearestToHandle]-[BWAnchoredButtonBar isInLastSubview]-[BWAnchoredButtonBar viewDidMoveToSuperview]-[BWAnchoredButtonBar drawLastButtonInsetInRect:]-[BWAnchoredButtonBar drawResizeHandleInRect:withColor:]-[BWAnchoredButtonBar drawRect:]-[BWAnchoredButtonBar awakeFromNib]-[BWAnchoredButtonBar encodeWithCoder:]-[BWAnchoredButtonBar initWithCoder:]-[BWAnchoredButton initWithCoder:]-[BWAnchoredButton setIsAtLeftEdgeOfBar:]-[BWAnchoredButton isAtLeftEdgeOfBar]-[BWAnchoredButton setIsAtRightEdgeOfBar:]-[BWAnchoredButton isAtRightEdgeOfBar]-[BWAnchoredButton frame]-[BWAnchoredButton mouseDown:]-[BWAnchoredButtonCell controlSize]-[BWAnchoredButtonCell setControlSize:]-[BWAnchoredButtonCell highlightRectForBounds:]-[BWAnchoredButtonCell drawBezelWithFrame:inView:]-[BWAnchoredButtonCell textColor]-[BWAnchoredButtonCell _textAttributes]+[BWAnchoredButtonCell initialize]-[BWAnchoredButtonCell drawImage:withFrame:inView:]-[BWAnchoredButtonCell imageColor]-[BWAnchoredButtonCell titleRectForBounds:]-[BWAnchoredButtonCell drawWithFrame:inView:]-[NSColor(BWAdditions) bwDrawPixelThickLineAtPosition:withInset:inRect:inView:horizontal:flip:]-[NSImage(BWAdditions) bwRotateImage90DegreesClockwise:]-[NSImage(BWAdditions) bwTintedImageWithColor:]-[BWSelectableToolbarHelper initWithCoder:]-[BWSelectableToolbarHelper setContentViewsByIdentifier:]-[BWSelectableToolbarHelper contentViewsByIdentifier]-[BWSelectableToolbarHelper setWindowSizesByIdentifier:]-[BWSelectableToolbarHelper windowSizesByIdentifier]-[BWSelectableToolbarHelper setSelectedIdentifier:]-[BWSelectableToolbarHelper selectedIdentifier]-[BWSelectableToolbarHelper setOldWindowTitle:]-[BWSelectableToolbarHelper oldWindowTitle]-[BWSelectableToolbarHelper setInitialIBWindowSize:]-[BWSelectableToolbarHelper initialIBWindowSize]-[BWSelectableToolbarHelper setIsPreferencesToolbar:]-[BWSelectableToolbarHelper isPreferencesToolbar]-[BWSelectableToolbarHelper dealloc]-[BWSelectableToolbarHelper encodeWithCoder:]-[BWSelectableToolbarHelper init]-[NSWindow(BWAdditions) bwIsTextured]-[NSWindow(BWAdditions) bwResizeToSize:animate:]-[NSView(BWAdditions) bwBringToFront]-[NSView(BWAdditions) bwAnimator]-[NSView(BWAdditions) bwTurnOffLayer]-[BWTransparentTableView addTableColumn:]+[BWTransparentTableView cellClass]+[BWTransparentTableView initialize]-[BWTransparentTableView highlightSelectionInClipRect:]-[BWTransparentTableView _highlightColorForCell:]-[BWTransparentTableView _alternatingRowBackgroundColors]-[BWTransparentTableView backgroundColor]-[BWTransparentTableView drawBackgroundInClipRect:]-[BWTransparentTableViewCell drawInteriorWithFrame:inView:]-[BWTransparentTableViewCell editWithFrame:inView:editor:delegate:event:]-[BWTransparentTableViewCell selectWithFrame:inView:editor:delegate:start:length:]-[BWTransparentTableViewCell drawingRectForBounds:]-[BWAnchoredPopUpButton initWithCoder:]-[BWAnchoredPopUpButton setIsAtLeftEdgeOfBar:]-[BWAnchoredPopUpButton isAtLeftEdgeOfBar]-[BWAnchoredPopUpButton setIsAtRightEdgeOfBar:]-[BWAnchoredPopUpButton isAtRightEdgeOfBar]-[BWAnchoredPopUpButton frame]-[BWAnchoredPopUpButton mouseDown:]-[BWAnchoredPopUpButtonCell controlSize]-[BWAnchoredPopUpButtonCell setControlSize:]-[BWAnchoredPopUpButtonCell highlightRectForBounds:]-[BWAnchoredPopUpButtonCell drawBorderAndBackgroundWithFrame:inView:]-[BWAnchoredPopUpButtonCell textColor]-[BWAnchoredPopUpButtonCell _textAttributes]+[BWAnchoredPopUpButtonCell initialize]-[BWAnchoredPopUpButtonCell drawImageWithFrame:inView:]-[BWAnchoredPopUpButtonCell imageRectForBounds:]-[BWAnchoredPopUpButtonCell imageColor]-[BWAnchoredPopUpButtonCell titleRectForBounds:]-[BWAnchoredPopUpButtonCell drawArrowInFrame:]-[BWAnchoredPopUpButtonCell drawWithFrame:inView:]-[BWCustomView drawRect:]-[BWCustomView drawTextInRect:]-[BWUnanchoredButton initWithCoder:]-[BWUnanchoredButton frame]-[BWUnanchoredButton mouseDown:]-[BWUnanchoredButtonCell drawBezelWithFrame:inView:]-[BWUnanchoredButtonCell highlightRectForBounds:]+[BWUnanchoredButtonCell initialize]-[BWUnanchoredButtonContainer awakeFromNib]-[BWSheetController awakeFromNib]-[BWSheetController encodeWithCoder:]-[BWSheetController openSheet:]-[BWSheetController closeSheet:]-[BWSheetController messageDelegateAndCloseSheet:]-[BWSheetController delegate]-[BWSheetController sheet]-[BWSheetController parentWindow]-[BWSheetController initWithCoder:]-[BWSheetController setParentWindow:]-[BWSheetController setSheet:]-[BWSheetController setDelegate:]-[BWTransparentScrollView initWithCoder:]+[BWTransparentScrollView _verticalScrollerClass]-[BWAddMiniBottomBar initWithCoder:]-[BWAddMiniBottomBar bounds]-[BWAddMiniBottomBar drawRect:]-[BWAddMiniBottomBar awakeFromNib]-[BWAddSheetBottomBar initWithCoder:]-[BWAddSheetBottomBar bounds]-[BWAddSheetBottomBar drawRect:]-[BWAddSheetBottomBar awakeFromNib]-[BWTokenFieldCell setUpTokenAttachmentCell:forRepresentedObject:]-[BWTokenAttachmentCell arrowInHighlightedState:]-[BWTokenAttachmentCell interiorBackgroundStyle]+[BWTokenAttachmentCell initialize]-[BWTokenAttachmentCell pullDownRectForBounds:]-[BWTokenAttachmentCell pullDownImage]-[BWTokenAttachmentCell _textAttributes]-[BWTokenAttachmentCell drawTokenWithFrame:inView:]-[BWTransparentScroller initWithFrame:]+[BWTransparentScroller scrollerWidthForControlSize:]+[BWTransparentScroller scrollerWidth]+[BWTransparentScroller initialize]-[BWTransparentScroller rectForPart:]-[BWTransparentScroller _drawingRectForPart:]-[BWTransparentScroller drawKnob]-[BWTransparentScroller drawKnobSlot]-[BWTransparentScroller drawRect:]-[BWTransparentScroller initWithCoder:]-[BWTransparentTextFieldCell _textAttributes]+[BWTransparentTextFieldCell initialize]-[BWToolbarItem initWithCoder:]-[BWToolbarItem identifierString]-[BWToolbarItem dealloc]-[BWToolbarItem setIdentifierString:]-[BWToolbarItem encodeWithCoder:]+[NSString(BWAdditions) bwRandomUUID]+[NSEvent(BWAdditions) bwShiftKeyIsDown]+[NSEvent(BWAdditions) bwCommandKeyIsDown]+[NSEvent(BWAdditions) bwOptionKeyIsDown]+[NSEvent(BWAdditions) bwControlKeyIsDown]+[NSEvent(BWAdditions) bwCapsLockKeyIsDown]-[BWHyperlinkButton awakeFromNib]-[BWHyperlinkButton initWithCoder:]-[BWHyperlinkButton setUrlString:]-[BWHyperlinkButton urlString]-[BWHyperlinkButton dealloc]-[BWHyperlinkButton resetCursorRects]-[BWHyperlinkButton openURLInBrowser:]-[BWHyperlinkButton encodeWithCoder:]-[BWHyperlinkButtonCell _textAttributes]-[BWHyperlinkButtonCell isBordered]-[BWHyperlinkButtonCell setBordered:]-[BWHyperlinkButtonCell drawBezelWithFrame:inView:]-[BWGradientBox initWithCoder:]-[BWGradientBox fillStartingColor]-[BWGradientBox fillEndingColor]-[BWGradientBox fillColor]-[BWGradientBox topBorderColor]-[BWGradientBox bottomBorderColor]-[BWGradientBox setTopInsetAlpha:]-[BWGradientBox topInsetAlpha]-[BWGradientBox setBottomInsetAlpha:]-[BWGradientBox bottomInsetAlpha]-[BWGradientBox setHasTopBorder:]-[BWGradientBox hasTopBorder]-[BWGradientBox setHasBottomBorder:]-[BWGradientBox hasBottomBorder]-[BWGradientBox setHasGradient:]-[BWGradientBox hasGradient]-[BWGradientBox setHasFillColor:]-[BWGradientBox hasFillColor]-[BWGradientBox dealloc]-[BWGradientBox setBottomBorderColor:]-[BWGradientBox setTopBorderColor:]-[BWGradientBox setFillEndingColor:]-[BWGradientBox setFillStartingColor:]-[BWGradientBox setFillColor:]-[BWGradientBox isFlipped]-[BWGradientBox drawRect:]-[BWGradientBox encodeWithCoder:]-[BWStyledTextField hasShadow]-[BWStyledTextField setHasShadow:]-[BWStyledTextField shadowIsBelow]-[BWStyledTextField setShadowIsBelow:]-[BWStyledTextField shadowColor]-[BWStyledTextField setShadowColor:]-[BWStyledTextField hasGradient]-[BWStyledTextField setHasGradient:]-[BWStyledTextField startingColor]-[BWStyledTextField setStartingColor:]-[BWStyledTextField endingColor]-[BWStyledTextField setEndingColor:]-[BWStyledTextField solidColor]-[BWStyledTextField setSolidColor:]-[BWStyledTextFieldCell initWithCoder:]-[BWStyledTextFieldCell shadowIsBelow]-[BWStyledTextFieldCell shadowColor]-[BWStyledTextFieldCell setHasShadow:]-[BWStyledTextFieldCell hasShadow]-[BWStyledTextFieldCell setShadow:]-[BWStyledTextFieldCell shadow]-[BWStyledTextFieldCell setPreviousAttributes:]-[BWStyledTextFieldCell previousAttributes]-[BWStyledTextFieldCell startingColor]-[BWStyledTextFieldCell endingColor]-[BWStyledTextFieldCell hasGradient]-[BWStyledTextFieldCell solidColor]-[BWStyledTextFieldCell setShadowColor:]-[BWStyledTextFieldCell setShadowIsBelow:]-[BWStyledTextFieldCell setHasGradient:]-[BWStyledTextFieldCell setSolidColor:]-[BWStyledTextFieldCell setEndingColor:]-[BWStyledTextFieldCell setStartingColor:]-[BWStyledTextFieldCell drawInteriorWithFrame:inView:]-[BWStyledTextFieldCell applyGradient]-[BWStyledTextFieldCell awakeFromNib]-[BWStyledTextFieldCell changeShadow]-[BWStyledTextFieldCell _textAttributes]-[BWStyledTextFieldCell dealloc]-[BWStyledTextFieldCell copyWithZone:]-[BWStyledTextFieldCell encodeWithCoder:]+[NSApplication(BWAdditions) bwIsOnLeopard] stub helpers_scaleFactor_documentToolbar_editableToolbar_enabledColor_disabledColor_buttonFillN_buttonRightP_buttonFillP_buttonLeftP_buttonRightN_buttonLeftN_contentShadow_enabledColor_disabledColor_checkboxOffN_checkboxOnP_checkboxOnN_checkboxOffP_enabledColor_disabledColor_popUpFillN_pullDownRightP_popUpFillP_popUpLeftP_popUpRightP_pullDownRightN_popUpLeftN_popUpRightN_thumbPImage_thumbNImage_triangleThumbPImage_triangleThumbNImage_trackFillImage_trackRightImage_trackLeftImage_gradient_borderColor_dimpleImageBitmap_dimpleImageVector_gradientStartColor_gradientEndColor_smallPhotoImage_largePhotoImage_quietSpeakerImage_loudSpeakerImage_thumbPImage_thumbNImage_trackFillImage_trackRightImage_trackLeftImage_wasBorderedBar_gradient_topLineColor_borderedTopLineColor_resizeHandleColor_resizeInsetColor_bottomLineColor_sideInsetColor_topColor_middleTopColor_middleBottomColor_bottomColor_fillGradient_bottomBorderColor_sideInsetColor_borderedTopBorderColor_borderedSideBorderColor_topBorderColor_sideBorderColor_enabledTextColor_disabledTextColor_contentShadow_enabledImageColor_disabledImageColor_pressedColor_fillStop1_fillStop2_fillStop3_fillStop4_rowColor_altRowColor_highlightColor_fillGradient_bottomBorderColor_sideInsetColor_borderedTopBorderColor_borderedSideBorderColor_topBorderColor_sideBorderColor_enabledTextColor_disabledTextColor_contentShadow_enabledImageColor_disabledImageColor_pressedColor_pullDownArrow_fillStop1_fillStop2_fillStop3_fillStop4_fillGradient_topInsetColor_topBorderColor_borderColor_bottomInsetColor_fillStop1_fillStop2_fillStop3_fillStop4_pressedColor_highlightedArrowColor_arrowGradient_textShadow_blueStrokeGradient_blueInsetGradient_blueGradient_highlightedBlueStrokeGradient_highlightedBlueInsetGradient_highlightedBlueGradient_slotVerticalFill_backgroundColor_minKnobHeight_minKnobWidth_slotBottom_slotTop_slotRight_slotHorizontalFill_slotLeft_knobBottom_knobVerticalFill_knobTop_knobRight_knobHorizontalFill_knobLeft_textShadow_BWSelectableToolbarItemClickedNotification_OBJC_CLASS_$_BWAddMiniBottomBar_OBJC_CLASS_$_BWAddRegularBottomBar_OBJC_CLASS_$_BWAddSheetBottomBar_OBJC_CLASS_$_BWAddSmallBottomBar_OBJC_CLASS_$_BWAnchoredButton_OBJC_CLASS_$_BWAnchoredButtonBar_OBJC_CLASS_$_BWAnchoredButtonCell_OBJC_CLASS_$_BWAnchoredPopUpButton_OBJC_CLASS_$_BWAnchoredPopUpButtonCell_OBJC_CLASS_$_BWCustomView_OBJC_CLASS_$_BWGradientBox_OBJC_CLASS_$_BWHyperlinkButton_OBJC_CLASS_$_BWHyperlinkButtonCell_OBJC_CLASS_$_BWInsetTextField_OBJC_CLASS_$_BWRemoveBottomBar_OBJC_CLASS_$_BWSelectableToolbar_OBJC_CLASS_$_BWSelectableToolbarHelper_OBJC_CLASS_$_BWSheetController_OBJC_CLASS_$_BWSplitView_OBJC_CLASS_$_BWStyledTextField_OBJC_CLASS_$_BWStyledTextFieldCell_OBJC_CLASS_$_BWTexturedSlider_OBJC_CLASS_$_BWTexturedSliderCell_OBJC_CLASS_$_BWTokenAttachmentCell_OBJC_CLASS_$_BWTokenField_OBJC_CLASS_$_BWTokenFieldCell_OBJC_CLASS_$_BWToolbarItem_OBJC_CLASS_$_BWToolbarShowColorsItem_OBJC_CLASS_$_BWToolbarShowFontsItem_OBJC_CLASS_$_BWTransparentButton_OBJC_CLASS_$_BWTransparentButtonCell_OBJC_CLASS_$_BWTransparentCheckbox_OBJC_CLASS_$_BWTransparentCheckboxCell_OBJC_CLASS_$_BWTransparentPopUpButton_OBJC_CLASS_$_BWTransparentPopUpButtonCell_OBJC_CLASS_$_BWTransparentScrollView_OBJC_CLASS_$_BWTransparentScroller_OBJC_CLASS_$_BWTransparentSlider_OBJC_CLASS_$_BWTransparentSliderCell_OBJC_CLASS_$_BWTransparentTableView_OBJC_CLASS_$_BWTransparentTableViewCell_OBJC_CLASS_$_BWTransparentTextFieldCell_OBJC_CLASS_$_BWUnanchoredButton_OBJC_CLASS_$_BWUnanchoredButtonCell_OBJC_CLASS_$_BWUnanchoredButtonContainer_OBJC_IVAR_$_BWAnchoredButton.isAtLeftEdgeOfBar_OBJC_IVAR_$_BWAnchoredButton.isAtRightEdgeOfBar_OBJC_IVAR_$_BWAnchoredButton.topAndLeftInset_OBJC_IVAR_$_BWAnchoredButtonBar.handleIsRightAligned_OBJC_IVAR_$_BWAnchoredButtonBar.isAtBottom_OBJC_IVAR_$_BWAnchoredButtonBar.isResizable_OBJC_IVAR_$_BWAnchoredButtonBar.selectedIndex_OBJC_IVAR_$_BWAnchoredButtonBar.splitViewDelegate_OBJC_IVAR_$_BWAnchoredPopUpButton.isAtLeftEdgeOfBar_OBJC_IVAR_$_BWAnchoredPopUpButton.isAtRightEdgeOfBar_OBJC_IVAR_$_BWAnchoredPopUpButton.topAndLeftInset_OBJC_IVAR_$_BWCustomView.isOnItsOwn_OBJC_IVAR_$_BWGradientBox.bottomBorderColor_OBJC_IVAR_$_BWGradientBox.bottomInsetAlpha_OBJC_IVAR_$_BWGradientBox.fillColor_OBJC_IVAR_$_BWGradientBox.fillEndingColor_OBJC_IVAR_$_BWGradientBox.fillStartingColor_OBJC_IVAR_$_BWGradientBox.hasBottomBorder_OBJC_IVAR_$_BWGradientBox.hasFillColor_OBJC_IVAR_$_BWGradientBox.hasGradient_OBJC_IVAR_$_BWGradientBox.hasTopBorder_OBJC_IVAR_$_BWGradientBox.topBorderColor_OBJC_IVAR_$_BWGradientBox.topInsetAlpha_OBJC_IVAR_$_BWHyperlinkButton.urlString_OBJC_IVAR_$_BWSelectableToolbar.enabledByIdentifier_OBJC_IVAR_$_BWSelectableToolbar.helper_OBJC_IVAR_$_BWSelectableToolbar.inIB_OBJC_IVAR_$_BWSelectableToolbar.isPreferencesToolbar_OBJC_IVAR_$_BWSelectableToolbar.itemIdentifiers_OBJC_IVAR_$_BWSelectableToolbar.itemsByIdentifier_OBJC_IVAR_$_BWSelectableToolbar.selectedIndex_OBJC_IVAR_$_BWSelectableToolbarHelper.contentViewsByIdentifier_OBJC_IVAR_$_BWSelectableToolbarHelper.initialIBWindowSize_OBJC_IVAR_$_BWSelectableToolbarHelper.isPreferencesToolbar_OBJC_IVAR_$_BWSelectableToolbarHelper.oldWindowTitle_OBJC_IVAR_$_BWSelectableToolbarHelper.selectedIdentifier_OBJC_IVAR_$_BWSelectableToolbarHelper.windowSizesByIdentifier_OBJC_IVAR_$_BWSheetController.delegate_OBJC_IVAR_$_BWSheetController.parentWindow_OBJC_IVAR_$_BWSheetController.sheet_OBJC_IVAR_$_BWSplitView.checkboxIsEnabled_OBJC_IVAR_$_BWSplitView.collapsiblePopupSelection_OBJC_IVAR_$_BWSplitView.collapsibleSubviewCollapsed_OBJC_IVAR_$_BWSplitView.color_OBJC_IVAR_$_BWSplitView.colorIsEnabled_OBJC_IVAR_$_BWSplitView.dividerCanCollapse_OBJC_IVAR_$_BWSplitView.isAnimating_OBJC_IVAR_$_BWSplitView.maxUnits_OBJC_IVAR_$_BWSplitView.maxValues_OBJC_IVAR_$_BWSplitView.minUnits_OBJC_IVAR_$_BWSplitView.minValues_OBJC_IVAR_$_BWSplitView.nonresizableSubviewPreferredSize_OBJC_IVAR_$_BWSplitView.resizableSubviewPreferredProportion_OBJC_IVAR_$_BWSplitView.secondaryDelegate_OBJC_IVAR_$_BWSplitView.stateForLastPreferredCalculations_OBJC_IVAR_$_BWSplitView.toggleCollapseButton_OBJC_IVAR_$_BWSplitView.uncollapsedSize_OBJC_IVAR_$_BWStyledTextFieldCell.endingColor_OBJC_IVAR_$_BWStyledTextFieldCell.hasGradient_OBJC_IVAR_$_BWStyledTextFieldCell.hasShadow_OBJC_IVAR_$_BWStyledTextFieldCell.previousAttributes_OBJC_IVAR_$_BWStyledTextFieldCell.shadow_OBJC_IVAR_$_BWStyledTextFieldCell.shadowColor_OBJC_IVAR_$_BWStyledTextFieldCell.shadowIsBelow_OBJC_IVAR_$_BWStyledTextFieldCell.solidColor_OBJC_IVAR_$_BWStyledTextFieldCell.startingColor_OBJC_IVAR_$_BWTexturedSlider.indicatorIndex_OBJC_IVAR_$_BWTexturedSlider.maxButton_OBJC_IVAR_$_BWTexturedSlider.minButton_OBJC_IVAR_$_BWTexturedSlider.sliderCellRect_OBJC_IVAR_$_BWTexturedSlider.trackHeight_OBJC_IVAR_$_BWTexturedSliderCell.isPressed_OBJC_IVAR_$_BWTexturedSliderCell.trackHeight_OBJC_IVAR_$_BWToolbarItem.identifierString_OBJC_IVAR_$_BWTransparentScroller.isVertical_OBJC_IVAR_$_BWTransparentSliderCell.isPressed_OBJC_IVAR_$_BWTransparentTableViewCell.mIsEditingOrSelecting_OBJC_IVAR_$_BWUnanchoredButton.topAndLeftInset_OBJC_METACLASS_$_BWAddMiniBottomBar_OBJC_METACLASS_$_BWAddRegularBottomBar_OBJC_METACLASS_$_BWAddSheetBottomBar_OBJC_METACLASS_$_BWAddSmallBottomBar_OBJC_METACLASS_$_BWAnchoredButton_OBJC_METACLASS_$_BWAnchoredButtonBar_OBJC_METACLASS_$_BWAnchoredButtonCell_OBJC_METACLASS_$_BWAnchoredPopUpButton_OBJC_METACLASS_$_BWAnchoredPopUpButtonCell_OBJC_METACLASS_$_BWCustomView_OBJC_METACLASS_$_BWGradientBox_OBJC_METACLASS_$_BWHyperlinkButton_OBJC_METACLASS_$_BWHyperlinkButtonCell_OBJC_METACLASS_$_BWInsetTextField_OBJC_METACLASS_$_BWRemoveBottomBar_OBJC_METACLASS_$_BWSelectableToolbar_OBJC_METACLASS_$_BWSelectableToolbarHelper_OBJC_METACLASS_$_BWSheetController_OBJC_METACLASS_$_BWSplitView_OBJC_METACLASS_$_BWStyledTextField_OBJC_METACLASS_$_BWStyledTextFieldCell_OBJC_METACLASS_$_BWTexturedSlider_OBJC_METACLASS_$_BWTexturedSliderCell_OBJC_METACLASS_$_BWTokenAttachmentCell_OBJC_METACLASS_$_BWTokenField_OBJC_METACLASS_$_BWTokenFieldCell_OBJC_METACLASS_$_BWToolbarItem_OBJC_METACLASS_$_BWToolbarShowColorsItem_OBJC_METACLASS_$_BWToolbarShowFontsItem_OBJC_METACLASS_$_BWTransparentButton_OBJC_METACLASS_$_BWTransparentButtonCell_OBJC_METACLASS_$_BWTransparentCheckbox_OBJC_METACLASS_$_BWTransparentCheckboxCell_OBJC_METACLASS_$_BWTransparentPopUpButton_OBJC_METACLASS_$_BWTransparentPopUpButtonCell_OBJC_METACLASS_$_BWTransparentScrollView_OBJC_METACLASS_$_BWTransparentScroller_OBJC_METACLASS_$_BWTransparentSlider_OBJC_METACLASS_$_BWTransparentSliderCell_OBJC_METACLASS_$_BWTransparentTableView_OBJC_METACLASS_$_BWTransparentTableViewCell_OBJC_METACLASS_$_BWTransparentTextFieldCell_OBJC_METACLASS_$_BWUnanchoredButton_OBJC_METACLASS_$_BWUnanchoredButtonCell_OBJC_METACLASS_$_BWUnanchoredButtonContainer_compareViews_CFMakeCollectable_CFRelease_CFUUIDCreate_CFUUIDCreateString_CGContextRestoreGState_CGContextSaveGState_CGContextSetShouldSmoothFonts_Gestalt_NSApp_NSClassFromString_NSDrawThreePartImage_NSFontAttributeName_NSForegroundColorAttributeName_NSInsetRect_NSIntegralRect_NSIsEmptyRect_NSOffsetRect_NSPointInRect_NSRectFill_NSRectFillUsingOperation_NSShadowAttributeName_NSUnderlineStyleAttributeName_NSWindowDidResizeNotification_NSZeroRect_OBJC_CLASS_$_NSAffineTransform_OBJC_CLASS_$_NSAnimationContext_OBJC_CLASS_$_NSApplication_OBJC_CLASS_$_NSArchiver_OBJC_CLASS_$_NSArray_OBJC_CLASS_$_NSBezierPath_OBJC_CLASS_$_NSBundle_OBJC_CLASS_$_NSButton_OBJC_CLASS_$_NSButtonCell_OBJC_CLASS_$_NSColor_OBJC_CLASS_$_NSCursor_OBJC_CLASS_$_NSCustomView_OBJC_CLASS_$_NSDictionary_OBJC_CLASS_$_NSEvent_OBJC_CLASS_$_NSFont_OBJC_CLASS_$_NSGradient_OBJC_CLASS_$_NSGraphicsContext_OBJC_CLASS_$_NSImage_OBJC_CLASS_$_NSMutableArray_OBJC_CLASS_$_NSMutableAttributedString_OBJC_CLASS_$_NSMutableDictionary_OBJC_CLASS_$_NSNotificationCenter_OBJC_CLASS_$_NSNumber_OBJC_CLASS_$_NSObject_OBJC_CLASS_$_NSPopUpButton_OBJC_CLASS_$_NSPopUpButtonCell_OBJC_CLASS_$_NSScreen_OBJC_CLASS_$_NSScrollView_OBJC_CLASS_$_NSScroller_OBJC_CLASS_$_NSShadow_OBJC_CLASS_$_NSSlider_OBJC_CLASS_$_NSSliderCell_OBJC_CLASS_$_NSSortDescriptor_OBJC_CLASS_$_NSSplitView_OBJC_CLASS_$_NSString_OBJC_CLASS_$_NSTableView_OBJC_CLASS_$_NSTextField_OBJC_CLASS_$_NSTextFieldCell_OBJC_CLASS_$_NSTokenAttachmentCell_OBJC_CLASS_$_NSTokenField_OBJC_CLASS_$_NSTokenFieldCell_OBJC_CLASS_$_NSToolbar_OBJC_CLASS_$_NSToolbarItem_OBJC_CLASS_$_NSURL_OBJC_CLASS_$_NSUnarchiver_OBJC_CLASS_$_NSValue_OBJC_CLASS_$_NSView_OBJC_CLASS_$_NSWindow_OBJC_CLASS_$_NSWindowController_OBJC_CLASS_$_NSWorkspace_OBJC_IVAR_$_NSTokenAttachmentCell._tacFlags_OBJC_METACLASS_$_NSButton_OBJC_METACLASS_$_NSButtonCell_OBJC_METACLASS_$_NSCustomView_OBJC_METACLASS_$_NSObject_OBJC_METACLASS_$_NSPopUpButton_OBJC_METACLASS_$_NSPopUpButtonCell_OBJC_METACLASS_$_NSScrollView_OBJC_METACLASS_$_NSScroller_OBJC_METACLASS_$_NSSlider_OBJC_METACLASS_$_NSSliderCell_OBJC_METACLASS_$_NSSplitView_OBJC_METACLASS_$_NSTableView_OBJC_METACLASS_$_NSTextField_OBJC_METACLASS_$_NSTextFieldCell_OBJC_METACLASS_$_NSTokenAttachmentCell_OBJC_METACLASS_$_NSTokenField_OBJC_METACLASS_$_NSTokenFieldCell_OBJC_METACLASS_$_NSToolbar_OBJC_METACLASS_$_NSToolbarItem_OBJC_METACLASS_$_NSView___CFConstantStringClassReference__objc_empty_cache__objc_empty_vtable_ceilf_floor_fmaxf_fminf_modf_objc_assign_global_objc_assign_ivar_objc_enumerationMutation_objc_getProperty_objc_msgSendSuper2_fixup_objc_msgSendSuper2_stret_fixup_objc_msgSend_fixup_objc_msgSend_stret_fixup_objc_setProperty_roundfdyld_stub_binder/Users/brandon/Temp/bwtoolkit/BWToolbarShowColorsItem.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWToolbarShowColorsItem.o-[BWToolbarShowColorsItem image]/Users/brandon/Temp/bwtoolkit/BWToolbarShowColorsItem.m-[BWToolbarShowColorsItem toolTip]-[BWToolbarShowColorsItem action]-[BWToolbarShowColorsItem target]-[BWToolbarShowColorsItem paletteLabel]-[BWToolbarShowColorsItem label]-[BWToolbarShowColorsItem itemIdentifier]_OBJC_METACLASS_$_BWToolbarShowColorsItem_OBJC_CLASS_$_BWToolbarShowColorsItemBWToolbarShowFontsItem.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWToolbarShowFontsItem.o-[BWToolbarShowFontsItem image]/Users/brandon/Temp/bwtoolkit/BWToolbarShowFontsItem.m-[BWToolbarShowFontsItem toolTip]-[BWToolbarShowFontsItem action]-[BWToolbarShowFontsItem target]-[BWToolbarShowFontsItem paletteLabel]-[BWToolbarShowFontsItem label]-[BWToolbarShowFontsItem itemIdentifier]_OBJC_METACLASS_$_BWToolbarShowFontsItem_OBJC_CLASS_$_BWToolbarShowFontsItemBWSelectableToolbar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWSelectableToolbar.o-[BWSelectableToolbar documentToolbar]-[BWSelectableToolbar editableToolbar]/Users/brandon/Temp/bwtoolkit/BWSelectableToolbar.m-[BWSelectableToolbar initWithCoder:]-[BWSelectableToolbar setHelper:]-[BWSelectableToolbar helper]-[BWSelectableToolbar isPreferencesToolbar]-[BWSelectableToolbar setEnabledByIdentifier:]-[BWSelectableToolbar switchToItemAtIndex:animate:]-[BWSelectableToolbar setSelectedIndex:]-[BWSelectableToolbar selectedIndex]-[BWSelectableToolbar labels]-[BWSelectableToolbar setIsPreferencesToolbar:]-[BWSelectableToolbar selectableItemIdentifiers]-[BWSelectableToolbar toolbarSelectableItemIdentifiers:]-[BWSelectableToolbar toolbar:itemForItemIdentifier:willBeInsertedIntoToolbar:]-[BWSelectableToolbar toolbarAllowedItemIdentifiers:]-[BWSelectableToolbar toolbarDefaultItemIdentifiers:]-[BWSelectableToolbar windowDidResize:]-[BWSelectableToolbar enabledByIdentifier]-[BWSelectableToolbar validateToolbarItem:]-[BWSelectableToolbar setEnabled:forIdentifier:]-[BWSelectableToolbar setSelectedItemIdentifierWithoutAnimation:]-[BWSelectableToolbar setSelectedItemIdentifier:]-[BWSelectableToolbar dealloc]-[BWSelectableToolbar identifierAtIndex:]-[BWSelectableToolbar setItemSelectors]-[BWSelectableToolbar toggleActiveView:]-[BWSelectableToolbar selectItemAtIndex:]-[BWSelectableToolbar toolbarIndexFromSelectableIndex:]-[BWSelectableToolbar initialSetup]-[BWSelectableToolbar selectInitialItem]-[BWSelectableToolbar selectFirstItem]-[BWSelectableToolbar awakeFromNib]-[BWSelectableToolbar initWithIdentifier:]-[BWSelectableToolbar _defaultItemIdentifiers]-[BWSelectableToolbar encodeWithCoder:]-[BWSelectableToolbar setEditableToolbar:]-[BWSelectableToolbar setDocumentToolbar:]_BWSelectableToolbarItemClickedNotification_OBJC_METACLASS_$_BWSelectableToolbar_OBJC_CLASS_$_BWSelectableToolbar_OBJC_IVAR_$_BWSelectableToolbar.helper_OBJC_IVAR_$_BWSelectableToolbar.itemIdentifiers_OBJC_IVAR_$_BWSelectableToolbar.itemsByIdentifier_OBJC_IVAR_$_BWSelectableToolbar.enabledByIdentifier_OBJC_IVAR_$_BWSelectableToolbar.inIB_OBJC_IVAR_$_BWSelectableToolbar.selectedIndex_OBJC_IVAR_$_BWSelectableToolbar.isPreferencesToolbar_documentToolbar_editableToolbarBWAddRegularBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWAddRegularBottomBar.o-[BWAddRegularBottomBar initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWAddRegularBottomBar.m-[BWAddRegularBottomBar bounds]/System/Library/Frameworks/Foundation.framework/Headers/NSGeometry.h-[BWAddRegularBottomBar drawRect:]-[BWAddRegularBottomBar awakeFromNib]_OBJC_METACLASS_$_BWAddRegularBottomBar_OBJC_CLASS_$_BWAddRegularBottomBarBWRemoveBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWRemoveBottomBar.o-[BWRemoveBottomBar bounds]_OBJC_METACLASS_$_BWRemoveBottomBar_OBJC_CLASS_$_BWRemoveBottomBarBWInsetTextField.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWInsetTextField.o-[BWInsetTextField initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWInsetTextField.m_OBJC_METACLASS_$_BWInsetTextField_OBJC_CLASS_$_BWInsetTextFieldBWTransparentButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWTransparentButtonCell.o-[BWTransparentButtonCell drawImage:withFrame:inView:]/Users/brandon/Temp/bwtoolkit/BWTransparentButtonCell.m+[BWTransparentButtonCell initialize]-[BWTransparentButtonCell setControlSize:]-[BWTransparentButtonCell controlSize]-[BWTransparentButtonCell interiorColor]-[BWTransparentButtonCell _textAttributes]-[BWTransparentButtonCell drawTitle:withFrame:inView:]-[BWTransparentButtonCell drawBezelWithFrame:inView:]_OBJC_METACLASS_$_BWTransparentButtonCell_OBJC_CLASS_$_BWTransparentButtonCell_enabledColor_disabledColor_buttonFillN_buttonRightP_buttonFillP_buttonLeftP_buttonRightN_buttonLeftNBWTransparentCheckboxCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWTransparentCheckboxCell.o-[BWTransparentCheckboxCell _textAttributes]/Users/brandon/Temp/bwtoolkit/BWTransparentCheckboxCell.m+[BWTransparentCheckboxCell initialize]-[BWTransparentCheckboxCell setControlSize:]-[BWTransparentCheckboxCell controlSize]-[BWTransparentCheckboxCell drawImage:withFrame:inView:]-[BWTransparentCheckboxCell drawInteriorWithFrame:inView:]-[BWTransparentCheckboxCell interiorColor]-[BWTransparentCheckboxCell drawTitle:withFrame:inView:]-[BWTransparentCheckboxCell isInTableView]_OBJC_METACLASS_$_BWTransparentCheckboxCell_OBJC_CLASS_$_BWTransparentCheckboxCell_contentShadow_enabledColor_disabledColor_checkboxOffN_checkboxOnP_checkboxOnN_checkboxOffPBWTransparentPopUpButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWTransparentPopUpButtonCell.o-[BWTransparentPopUpButtonCell drawImageWithFrame:inView:]/Users/brandon/Temp/bwtoolkit/BWTransparentPopUpButtonCell.m-[BWTransparentPopUpButtonCell imageRectForBounds:]+[BWTransparentPopUpButtonCell initialize]-[BWTransparentPopUpButtonCell setControlSize:]-[BWTransparentPopUpButtonCell controlSize]-[BWTransparentPopUpButtonCell interiorColor]-[BWTransparentPopUpButtonCell _textAttributes]-[BWTransparentPopUpButtonCell titleRectForBounds:]-[BWTransparentPopUpButtonCell drawBezelWithFrame:inView:]_OBJC_METACLASS_$_BWTransparentPopUpButtonCell_OBJC_CLASS_$_BWTransparentPopUpButtonCell_enabledColor_disabledColor_popUpFillN_pullDownRightP_popUpFillP_popUpLeftP_popUpRightP_pullDownRightN_popUpLeftN_popUpRightNBWTransparentSliderCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWTransparentSliderCell.o-[BWTransparentSliderCell initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWTransparentSliderCell.m+[BWTransparentSliderCell initialize]-[BWTransparentSliderCell setControlSize:]-[BWTransparentSliderCell controlSize]-[BWTransparentSliderCell setTickMarkPosition:]-[BWTransparentSliderCell stopTracking:at:inView:mouseIsUp:]-[BWTransparentSliderCell startTrackingAt:inView:]-[BWTransparentSliderCell knobRectFlipped:]-[BWTransparentSliderCell _usesCustomTrackImage]-[BWTransparentSliderCell drawKnob:]-[BWTransparentSliderCell drawBarInside:flipped:]_OBJC_METACLASS_$_BWTransparentSliderCell_OBJC_CLASS_$_BWTransparentSliderCell_OBJC_IVAR_$_BWTransparentSliderCell.isPressed_thumbPImage_thumbNImage_triangleThumbPImage_triangleThumbNImage_trackFillImage_trackRightImage_trackLeftImageBWSplitView.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWSplitView.o-[BWSplitView initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWSplitView.m+[BWSplitView initialize]-[BWSplitView colorIsEnabled]-[BWSplitView setCheckboxIsEnabled:]-[BWSplitView setMinValues:]-[BWSplitView setMaxValues:]-[BWSplitView setMinUnits:]-[BWSplitView setMaxUnits:]-[BWSplitView setCollapsiblePopupSelection:]-[BWSplitView collapsiblePopupSelection]-[BWSplitView setDividerCanCollapse:]-[BWSplitView dividerCanCollapse]-[BWSplitView collapsibleSubviewCollapsed]-[BWSplitView setResizableSubviewPreferredProportion:]-[BWSplitView resizableSubviewPreferredProportion]-[BWSplitView setNonresizableSubviewPreferredSize:]-[BWSplitView nonresizableSubviewPreferredSize]-[BWSplitView setStateForLastPreferredCalculations:]-[BWSplitView stateForLastPreferredCalculations]-[BWSplitView setToggleCollapseButton:]-[BWSplitView toggleCollapseButton]-[BWSplitView setSecondaryDelegate:]-[BWSplitView secondaryDelegate]-[BWSplitView dealloc]-[BWSplitView maxUnits]-[BWSplitView minUnits]-[BWSplitView maxValues]-[BWSplitView minValues]-[BWSplitView color]-[BWSplitView setColor:]-[BWSplitView setColorIsEnabled:]-[BWSplitView checkboxIsEnabled]-[BWSplitView setDividerStyle:]-[BWSplitView splitView:resizeSubviewsWithOldSize:]-[BWSplitView resizeAndAdjustSubviews]-[BWSplitView clearPreferredProportionsAndSizes]-[BWSplitView validateAndCalculatePreferredProportionsAndSizes]-[BWSplitView correctCollapsiblePreferredProportionOrSize]-[BWSplitView validatePreferredProportionsAndSizes]-[BWSplitView recalculatePreferredProportionsAndSizes]-[BWSplitView subviewMaximumSize:]-[BWSplitView subviewMinimumSize:]-[BWSplitView subviewIsResizable:]-[BWSplitView resizableSubviews]-[BWSplitView splitViewWillResizeSubviews:]-[BWSplitView splitViewDidResizeSubviews:]-[BWSplitView splitView:effectiveRect:forDrawnRect:ofDividerAtIndex:]-[BWSplitView splitView:constrainSplitPosition:ofSubviewAt:]-[BWSplitView splitView:constrainMinCoordinate:ofSubviewAt:]-[BWSplitView splitView:constrainMaxCoordinate:ofSubviewAt:]-[BWSplitView splitView:shouldCollapseSubview:forDoubleClickOnDividerAtIndex:]-[BWSplitView splitView:canCollapseSubview:]-[BWSplitView splitView:additionalEffectiveRectOfDividerAtIndex:]-[BWSplitView splitView:shouldHideDividerAtIndex:]-[BWSplitView mouseDown:]-[BWSplitView toggleCollapse:]-[BWSplitView restoreAutoresizesSubviews:]-[BWSplitView removeMinSizeForCollapsibleSubview]-[BWSplitView setMinSizeForCollapsibleSubview:]-[BWSplitView setCollapsibleSubviewCollapsed:]-[BWSplitView collapsibleDividerIndex]-[BWSplitView hasCollapsibleDivider]-[BWSplitView animationDuration]-[BWSplitView animationEnded]-[BWSplitView setCollapsibleSubviewCollapsedHelper:]-[BWSplitView adjustSubviews]-[BWSplitView hasCollapsibleSubview]-[BWSplitView collapsibleSubview]-[BWSplitView collapsibleSubviewIndex]-[BWSplitView collapsibleSubviewIsCollapsed]-[BWSplitView subviewIsCollapsed:]-[BWSplitView subviewIsCollapsible:]-[BWSplitView setDelegate:]-[BWSplitView drawDimpleInRect:]-[BWSplitView drawGradientDividerInRect:]-[BWSplitView drawDividerInRect:]-[BWSplitView awakeFromNib]-[BWSplitView encodeWithCoder:]_OBJC_METACLASS_$_BWSplitView_OBJC_CLASS_$_BWSplitView_OBJC_IVAR_$_BWSplitView.color_OBJC_IVAR_$_BWSplitView.colorIsEnabled_OBJC_IVAR_$_BWSplitView.checkboxIsEnabled_OBJC_IVAR_$_BWSplitView.dividerCanCollapse_OBJC_IVAR_$_BWSplitView.collapsibleSubviewCollapsed_OBJC_IVAR_$_BWSplitView.secondaryDelegate_OBJC_IVAR_$_BWSplitView.minValues_OBJC_IVAR_$_BWSplitView.maxValues_OBJC_IVAR_$_BWSplitView.minUnits_OBJC_IVAR_$_BWSplitView.maxUnits_OBJC_IVAR_$_BWSplitView.resizableSubviewPreferredProportion_OBJC_IVAR_$_BWSplitView.nonresizableSubviewPreferredSize_OBJC_IVAR_$_BWSplitView.stateForLastPreferredCalculations_OBJC_IVAR_$_BWSplitView.collapsiblePopupSelection_OBJC_IVAR_$_BWSplitView.uncollapsedSize_OBJC_IVAR_$_BWSplitView.toggleCollapseButton_OBJC_IVAR_$_BWSplitView.isAnimating_scaleFactor_gradient_borderColor_dimpleImageBitmap_dimpleImageVector_gradientStartColor_gradientEndColorBWTexturedSlider.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWTexturedSlider.o-[BWTexturedSlider initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWTexturedSlider.m+[BWTexturedSlider initialize]-[BWTexturedSlider indicatorIndex]-[BWTexturedSlider setMinButton:]-[BWTexturedSlider minButton]-[BWTexturedSlider setMaxButton:]-[BWTexturedSlider maxButton]-[BWTexturedSlider dealloc]-[BWTexturedSlider resignFirstResponder]-[BWTexturedSlider becomeFirstResponder]-[BWTexturedSlider scrollWheel:]-[BWTexturedSlider setEnabled:]-[BWTexturedSlider setIndicatorIndex:]-[BWTexturedSlider drawRect:]-[BWTexturedSlider hitTest:]-[BWTexturedSlider setSliderToMaximum]-[BWTexturedSlider setSliderToMinimum]-[BWTexturedSlider setTrackHeight:]-[BWTexturedSlider trackHeight]-[BWTexturedSlider encodeWithCoder:]_OBJC_METACLASS_$_BWTexturedSlider_OBJC_CLASS_$_BWTexturedSlider_OBJC_IVAR_$_BWTexturedSlider.trackHeight_OBJC_IVAR_$_BWTexturedSlider.indicatorIndex_OBJC_IVAR_$_BWTexturedSlider.sliderCellRect_OBJC_IVAR_$_BWTexturedSlider.minButton_OBJC_IVAR_$_BWTexturedSlider.maxButton_smallPhotoImage_largePhotoImage_quietSpeakerImage_loudSpeakerImageBWTexturedSliderCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWTexturedSliderCell.o-[BWTexturedSliderCell initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWTexturedSliderCell.m+[BWTexturedSliderCell initialize]-[BWTexturedSliderCell setTrackHeight:]-[BWTexturedSliderCell trackHeight]-[BWTexturedSliderCell stopTracking:at:inView:mouseIsUp:]-[BWTexturedSliderCell startTrackingAt:inView:]-[BWTexturedSliderCell _usesCustomTrackImage]-[BWTexturedSliderCell drawKnob:]-[BWTexturedSliderCell drawBarInside:flipped:]-[BWTexturedSliderCell setNumberOfTickMarks:]-[BWTexturedSliderCell numberOfTickMarks]-[BWTexturedSliderCell setControlSize:]-[BWTexturedSliderCell controlSize]-[BWTexturedSliderCell encodeWithCoder:]_OBJC_METACLASS_$_BWTexturedSliderCell_OBJC_CLASS_$_BWTexturedSliderCell_OBJC_IVAR_$_BWTexturedSliderCell.isPressed_OBJC_IVAR_$_BWTexturedSliderCell.trackHeight_thumbPImage_thumbNImage_trackFillImage_trackRightImage_trackLeftImageBWAddSmallBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWAddSmallBottomBar.o-[BWAddSmallBottomBar initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWAddSmallBottomBar.m-[BWAddSmallBottomBar bounds]-[BWAddSmallBottomBar drawRect:]-[BWAddSmallBottomBar awakeFromNib]_OBJC_METACLASS_$_BWAddSmallBottomBar_OBJC_CLASS_$_BWAddSmallBottomBarBWAnchoredButtonBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWAnchoredButtonBar.o-[BWAnchoredButtonBar initWithFrame:]/Users/brandon/Temp/bwtoolkit/BWAnchoredButtonBar.m+[BWAnchoredButtonBar wasBorderedBar]+[BWAnchoredButtonBar initialize]-[BWAnchoredButtonBar selectedIndex]-[BWAnchoredButtonBar isAtBottom]-[BWAnchoredButtonBar setIsResizable:]-[BWAnchoredButtonBar isResizable]-[BWAnchoredButtonBar setHandleIsRightAligned:]-[BWAnchoredButtonBar handleIsRightAligned]-[BWAnchoredButtonBar setSplitViewDelegate:]-[BWAnchoredButtonBar splitViewDelegate]-[BWAnchoredButtonBar splitView:shouldHideDividerAtIndex:]-[BWAnchoredButtonBar splitView:shouldCollapseSubview:forDoubleClickOnDividerAtIndex:]-[BWAnchoredButtonBar splitView:effectiveRect:forDrawnRect:ofDividerAtIndex:]-[BWAnchoredButtonBar splitView:constrainSplitPosition:ofSubviewAt:]-[BWAnchoredButtonBar splitView:canCollapseSubview:]-[BWAnchoredButtonBar splitView:resizeSubviewsWithOldSize:]-[BWAnchoredButtonBar splitView:constrainMaxCoordinate:ofSubviewAt:]-[BWAnchoredButtonBar splitView:constrainMinCoordinate:ofSubviewAt:]-[BWAnchoredButtonBar splitView:additionalEffectiveRectOfDividerAtIndex:]-[BWAnchoredButtonBar dealloc]-[BWAnchoredButtonBar setSelectedIndex:]-[BWAnchoredButtonBar setIsAtBottom:]-[BWAnchoredButtonBar splitView]-[BWAnchoredButtonBar dividerIndexNearestToHandle]-[BWAnchoredButtonBar isInLastSubview]-[BWAnchoredButtonBar viewDidMoveToSuperview]-[BWAnchoredButtonBar drawLastButtonInsetInRect:]-[BWAnchoredButtonBar drawResizeHandleInRect:withColor:]-[BWAnchoredButtonBar drawRect:]-[BWAnchoredButtonBar awakeFromNib]-[BWAnchoredButtonBar encodeWithCoder:]-[BWAnchoredButtonBar initWithCoder:]_OBJC_METACLASS_$_BWAnchoredButtonBar_OBJC_CLASS_$_BWAnchoredButtonBar_OBJC_IVAR_$_BWAnchoredButtonBar.isResizable_OBJC_IVAR_$_BWAnchoredButtonBar.isAtBottom_OBJC_IVAR_$_BWAnchoredButtonBar.handleIsRightAligned_OBJC_IVAR_$_BWAnchoredButtonBar.selectedIndex_OBJC_IVAR_$_BWAnchoredButtonBar.splitViewDelegate_wasBorderedBar_gradient_topLineColor_borderedTopLineColor_resizeHandleColor_resizeInsetColor_bottomLineColor_sideInsetColor_topColor_middleTopColor_middleBottomColor_bottomColorBWAnchoredButton.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWAnchoredButton.o-[BWAnchoredButton initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWAnchoredButton.m-[BWAnchoredButton setIsAtLeftEdgeOfBar:]-[BWAnchoredButton isAtLeftEdgeOfBar]-[BWAnchoredButton setIsAtRightEdgeOfBar:]-[BWAnchoredButton isAtRightEdgeOfBar]-[BWAnchoredButton frame]-[BWAnchoredButton mouseDown:]_OBJC_METACLASS_$_BWAnchoredButton_OBJC_CLASS_$_BWAnchoredButton_OBJC_IVAR_$_BWAnchoredButton.isAtLeftEdgeOfBar_OBJC_IVAR_$_BWAnchoredButton.isAtRightEdgeOfBar_OBJC_IVAR_$_BWAnchoredButton.topAndLeftInsetBWAnchoredButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWAnchoredButtonCell.o-[BWAnchoredButtonCell controlSize]-[BWAnchoredButtonCell setControlSize:]/Users/brandon/Temp/bwtoolkit/BWAnchoredButtonCell.m-[BWAnchoredButtonCell highlightRectForBounds:]-[BWAnchoredButtonCell drawBezelWithFrame:inView:]-[BWAnchoredButtonCell textColor]-[BWAnchoredButtonCell _textAttributes]+[BWAnchoredButtonCell initialize]-[BWAnchoredButtonCell drawImage:withFrame:inView:]-[BWAnchoredButtonCell imageColor]-[BWAnchoredButtonCell titleRectForBounds:]-[BWAnchoredButtonCell drawWithFrame:inView:]_OBJC_METACLASS_$_BWAnchoredButtonCell_OBJC_CLASS_$_BWAnchoredButtonCell_fillGradient_bottomBorderColor_sideInsetColor_borderedTopBorderColor_borderedSideBorderColor_topBorderColor_sideBorderColor_enabledTextColor_disabledTextColor_contentShadow_enabledImageColor_disabledImageColor_pressedColor_fillStop1_fillStop2_fillStop3_fillStop4NSColor+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/NSColor+BWAdditions.o-[NSColor(BWAdditions) bwDrawPixelThickLineAtPosition:withInset:inRect:inView:horizontal:flip:]/Users/brandon/Temp/bwtoolkit/NSColor+BWAdditions.mNSImage+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/NSImage+BWAdditions.o-[NSImage(BWAdditions) bwRotateImage90DegreesClockwise:]/Users/brandon/Temp/bwtoolkit/NSImage+BWAdditions.m-[NSImage(BWAdditions) bwTintedImageWithColor:]BWSelectableToolbarHelper.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWSelectableToolbarHelper.o-[BWSelectableToolbarHelper initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWSelectableToolbarHelper.m-[BWSelectableToolbarHelper setContentViewsByIdentifier:]-[BWSelectableToolbarHelper contentViewsByIdentifier]-[BWSelectableToolbarHelper setWindowSizesByIdentifier:]-[BWSelectableToolbarHelper windowSizesByIdentifier]-[BWSelectableToolbarHelper setSelectedIdentifier:]-[BWSelectableToolbarHelper selectedIdentifier]-[BWSelectableToolbarHelper setOldWindowTitle:]-[BWSelectableToolbarHelper oldWindowTitle]-[BWSelectableToolbarHelper setInitialIBWindowSize:]-[BWSelectableToolbarHelper initialIBWindowSize]-[BWSelectableToolbarHelper setIsPreferencesToolbar:]-[BWSelectableToolbarHelper isPreferencesToolbar]-[BWSelectableToolbarHelper dealloc]-[BWSelectableToolbarHelper encodeWithCoder:]-[BWSelectableToolbarHelper init]_OBJC_METACLASS_$_BWSelectableToolbarHelper_OBJC_CLASS_$_BWSelectableToolbarHelper_OBJC_IVAR_$_BWSelectableToolbarHelper.contentViewsByIdentifier_OBJC_IVAR_$_BWSelectableToolbarHelper.windowSizesByIdentifier_OBJC_IVAR_$_BWSelectableToolbarHelper.selectedIdentifier_OBJC_IVAR_$_BWSelectableToolbarHelper.oldWindowTitle_OBJC_IVAR_$_BWSelectableToolbarHelper.initialIBWindowSize_OBJC_IVAR_$_BWSelectableToolbarHelper.isPreferencesToolbarNSWindow+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/NSWindow+BWAdditions.o-[NSWindow(BWAdditions) bwIsTextured]/Users/brandon/Temp/bwtoolkit/NSWindow+BWAdditions.m-[NSWindow(BWAdditions) bwResizeToSize:animate:]NSView+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/NSView+BWAdditions.o_compareViews/Users/brandon/Temp/bwtoolkit/NSView+BWAdditions.m-[NSView(BWAdditions) bwBringToFront]-[NSView(BWAdditions) bwAnimator]-[NSView(BWAdditions) bwTurnOffLayer]BWTransparentTableView.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWTransparentTableView.o-[BWTransparentTableView addTableColumn:]/Users/brandon/Temp/bwtoolkit/BWTransparentTableView.m+[BWTransparentTableView cellClass]+[BWTransparentTableView initialize]-[BWTransparentTableView highlightSelectionInClipRect:]-[BWTransparentTableView _highlightColorForCell:]-[BWTransparentTableView _alternatingRowBackgroundColors]-[BWTransparentTableView backgroundColor]-[BWTransparentTableView drawBackgroundInClipRect:]_OBJC_METACLASS_$_BWTransparentTableView_OBJC_CLASS_$_BWTransparentTableView_rowColor_altRowColor_highlightColorBWTransparentTableViewCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWTransparentTableViewCell.o-[BWTransparentTableViewCell drawInteriorWithFrame:inView:]/Users/brandon/Temp/bwtoolkit/BWTransparentTableViewCell.m-[BWTransparentTableViewCell editWithFrame:inView:editor:delegate:event:]-[BWTransparentTableViewCell selectWithFrame:inView:editor:delegate:start:length:]-[BWTransparentTableViewCell drawingRectForBounds:]_OBJC_METACLASS_$_BWTransparentTableViewCell_OBJC_CLASS_$_BWTransparentTableViewCell_OBJC_IVAR_$_BWTransparentTableViewCell.mIsEditingOrSelectingBWAnchoredPopUpButton.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWAnchoredPopUpButton.o-[BWAnchoredPopUpButton initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWAnchoredPopUpButton.m-[BWAnchoredPopUpButton setIsAtLeftEdgeOfBar:]-[BWAnchoredPopUpButton isAtLeftEdgeOfBar]-[BWAnchoredPopUpButton setIsAtRightEdgeOfBar:]-[BWAnchoredPopUpButton isAtRightEdgeOfBar]-[BWAnchoredPopUpButton frame]-[BWAnchoredPopUpButton mouseDown:]_OBJC_METACLASS_$_BWAnchoredPopUpButton_OBJC_CLASS_$_BWAnchoredPopUpButton_OBJC_IVAR_$_BWAnchoredPopUpButton.isAtLeftEdgeOfBar_OBJC_IVAR_$_BWAnchoredPopUpButton.isAtRightEdgeOfBar_OBJC_IVAR_$_BWAnchoredPopUpButton.topAndLeftInsetBWAnchoredPopUpButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWAnchoredPopUpButtonCell.o-[BWAnchoredPopUpButtonCell controlSize]-[BWAnchoredPopUpButtonCell setControlSize:]/Users/brandon/Temp/bwtoolkit/BWAnchoredPopUpButtonCell.m-[BWAnchoredPopUpButtonCell highlightRectForBounds:]-[BWAnchoredPopUpButtonCell drawBorderAndBackgroundWithFrame:inView:]-[BWAnchoredPopUpButtonCell textColor]-[BWAnchoredPopUpButtonCell _textAttributes]+[BWAnchoredPopUpButtonCell initialize]-[BWAnchoredPopUpButtonCell drawImageWithFrame:inView:]-[BWAnchoredPopUpButtonCell imageRectForBounds:]-[BWAnchoredPopUpButtonCell imageColor]-[BWAnchoredPopUpButtonCell titleRectForBounds:]-[BWAnchoredPopUpButtonCell drawArrowInFrame:]-[BWAnchoredPopUpButtonCell drawWithFrame:inView:]_OBJC_METACLASS_$_BWAnchoredPopUpButtonCell_OBJC_CLASS_$_BWAnchoredPopUpButtonCell_fillGradient_bottomBorderColor_sideInsetColor_borderedTopBorderColor_borderedSideBorderColor_topBorderColor_sideBorderColor_enabledTextColor_disabledTextColor_contentShadow_enabledImageColor_disabledImageColor_pressedColor_pullDownArrow_fillStop1_fillStop2_fillStop3_fillStop4BWCustomView.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWCustomView.o-[BWCustomView drawRect:]/Users/brandon/Temp/bwtoolkit/BWCustomView.m-[BWCustomView drawTextInRect:]_OBJC_METACLASS_$_BWCustomView_OBJC_CLASS_$_BWCustomView_OBJC_IVAR_$_BWCustomView.isOnItsOwnBWUnanchoredButton.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWUnanchoredButton.o-[BWUnanchoredButton initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWUnanchoredButton.m-[BWUnanchoredButton frame]-[BWUnanchoredButton mouseDown:]_OBJC_METACLASS_$_BWUnanchoredButton_OBJC_CLASS_$_BWUnanchoredButton_OBJC_IVAR_$_BWUnanchoredButton.topAndLeftInsetBWUnanchoredButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWUnanchoredButtonCell.o-[BWUnanchoredButtonCell drawBezelWithFrame:inView:]/Users/brandon/Temp/bwtoolkit/BWUnanchoredButtonCell.m-[BWUnanchoredButtonCell highlightRectForBounds:]+[BWUnanchoredButtonCell initialize]_OBJC_METACLASS_$_BWUnanchoredButtonCell_OBJC_CLASS_$_BWUnanchoredButtonCell_fillGradient_topInsetColor_topBorderColor_borderColor_bottomInsetColor_fillStop1_fillStop2_fillStop3_fillStop4_pressedColorBWUnanchoredButtonContainer.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWUnanchoredButtonContainer.o-[BWUnanchoredButtonContainer awakeFromNib]/Users/brandon/Temp/bwtoolkit/BWUnanchoredButtonContainer.m_OBJC_METACLASS_$_BWUnanchoredButtonContainer_OBJC_CLASS_$_BWUnanchoredButtonContainerBWSheetController.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWSheetController.o-[BWSheetController awakeFromNib]/Users/brandon/Temp/bwtoolkit/BWSheetController.m-[BWSheetController encodeWithCoder:]-[BWSheetController openSheet:]-[BWSheetController closeSheet:]-[BWSheetController messageDelegateAndCloseSheet:]-[BWSheetController delegate]-[BWSheetController sheet]-[BWSheetController parentWindow]-[BWSheetController initWithCoder:]-[BWSheetController setParentWindow:]-[BWSheetController setSheet:]-[BWSheetController setDelegate:]_OBJC_METACLASS_$_BWSheetController_OBJC_CLASS_$_BWSheetController_OBJC_IVAR_$_BWSheetController.sheet_OBJC_IVAR_$_BWSheetController.parentWindow_OBJC_IVAR_$_BWSheetController.delegateBWTransparentScrollView.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWTransparentScrollView.o-[BWTransparentScrollView initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWTransparentScrollView.m+[BWTransparentScrollView _verticalScrollerClass]_OBJC_METACLASS_$_BWTransparentScrollView_OBJC_CLASS_$_BWTransparentScrollViewBWAddMiniBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWAddMiniBottomBar.o-[BWAddMiniBottomBar initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWAddMiniBottomBar.m-[BWAddMiniBottomBar bounds]-[BWAddMiniBottomBar drawRect:]-[BWAddMiniBottomBar awakeFromNib]_OBJC_METACLASS_$_BWAddMiniBottomBar_OBJC_CLASS_$_BWAddMiniBottomBarBWAddSheetBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWAddSheetBottomBar.o-[BWAddSheetBottomBar initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWAddSheetBottomBar.m-[BWAddSheetBottomBar bounds]-[BWAddSheetBottomBar drawRect:]-[BWAddSheetBottomBar awakeFromNib]_OBJC_METACLASS_$_BWAddSheetBottomBar_OBJC_CLASS_$_BWAddSheetBottomBarBWTokenFieldCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWTokenFieldCell.o-[BWTokenFieldCell setUpTokenAttachmentCell:forRepresentedObject:]/Users/brandon/Temp/bwtoolkit/BWTokenFieldCell.m_OBJC_METACLASS_$_BWTokenFieldCell_OBJC_CLASS_$_BWTokenFieldCellBWTokenAttachmentCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWTokenAttachmentCell.o-[BWTokenAttachmentCell arrowInHighlightedState:]/Users/brandon/Temp/bwtoolkit/BWTokenAttachmentCell.m-[BWTokenAttachmentCell interiorBackgroundStyle]+[BWTokenAttachmentCell initialize]-[BWTokenAttachmentCell pullDownRectForBounds:]-[BWTokenAttachmentCell pullDownImage]-[BWTokenAttachmentCell _textAttributes]-[BWTokenAttachmentCell drawTokenWithFrame:inView:]_OBJC_METACLASS_$_BWTokenAttachmentCell_OBJC_CLASS_$_BWTokenAttachmentCell_highlightedArrowColor_arrowGradient_textShadow_blueStrokeGradient_blueInsetGradient_blueGradient_highlightedBlueStrokeGradient_highlightedBlueInsetGradient_highlightedBlueGradientBWTransparentScroller.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWTransparentScroller.o-[BWTransparentScroller initWithFrame:]/Users/brandon/Temp/bwtoolkit/BWTransparentScroller.m+[BWTransparentScroller scrollerWidthForControlSize:]+[BWTransparentScroller scrollerWidth]+[BWTransparentScroller initialize]-[BWTransparentScroller rectForPart:]-[BWTransparentScroller _drawingRectForPart:]-[BWTransparentScroller drawKnob]-[BWTransparentScroller drawKnobSlot]-[BWTransparentScroller drawRect:]-[BWTransparentScroller initWithCoder:]_OBJC_METACLASS_$_BWTransparentScroller_OBJC_CLASS_$_BWTransparentScroller_OBJC_IVAR_$_BWTransparentScroller.isVertical_slotVerticalFill_backgroundColor_minKnobHeight_minKnobWidth_slotBottom_slotTop_slotRight_slotHorizontalFill_slotLeft_knobBottom_knobVerticalFill_knobTop_knobRight_knobHorizontalFill_knobLeftBWTransparentTextFieldCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWTransparentTextFieldCell.o-[BWTransparentTextFieldCell _textAttributes]/Users/brandon/Temp/bwtoolkit/BWTransparentTextFieldCell.m+[BWTransparentTextFieldCell initialize]_OBJC_METACLASS_$_BWTransparentTextFieldCell_OBJC_CLASS_$_BWTransparentTextFieldCell_textShadowBWToolbarItem.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWToolbarItem.o-[BWToolbarItem initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWToolbarItem.m-[BWToolbarItem identifierString]-[BWToolbarItem dealloc]-[BWToolbarItem setIdentifierString:]-[BWToolbarItem encodeWithCoder:]_OBJC_METACLASS_$_BWToolbarItem_OBJC_CLASS_$_BWToolbarItem_OBJC_IVAR_$_BWToolbarItem.identifierStringNSString+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/NSString+BWAdditions.o+[NSString(BWAdditions) bwRandomUUID]/Users/brandon/Temp/bwtoolkit/NSString+BWAdditions.mNSEvent+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/NSEvent+BWAdditions.o+[NSEvent(BWAdditions) bwShiftKeyIsDown]/Users/brandon/Temp/bwtoolkit/NSEvent+BWAdditions.m+[NSEvent(BWAdditions) bwCommandKeyIsDown]+[NSEvent(BWAdditions) bwOptionKeyIsDown]+[NSEvent(BWAdditions) bwControlKeyIsDown]+[NSEvent(BWAdditions) bwCapsLockKeyIsDown]BWHyperlinkButton.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWHyperlinkButton.o-[BWHyperlinkButton awakeFromNib]/Users/brandon/Temp/bwtoolkit/BWHyperlinkButton.m-[BWHyperlinkButton initWithCoder:]-[BWHyperlinkButton setUrlString:]-[BWHyperlinkButton urlString]-[BWHyperlinkButton dealloc]-[BWHyperlinkButton resetCursorRects]-[BWHyperlinkButton openURLInBrowser:]-[BWHyperlinkButton encodeWithCoder:]_OBJC_METACLASS_$_BWHyperlinkButton_OBJC_CLASS_$_BWHyperlinkButton_OBJC_IVAR_$_BWHyperlinkButton.urlStringBWHyperlinkButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWHyperlinkButtonCell.o-[BWHyperlinkButtonCell _textAttributes]/Users/brandon/Temp/bwtoolkit/BWHyperlinkButtonCell.m-[BWHyperlinkButtonCell isBordered]-[BWHyperlinkButtonCell setBordered:]-[BWHyperlinkButtonCell drawBezelWithFrame:inView:]_OBJC_METACLASS_$_BWHyperlinkButtonCell_OBJC_CLASS_$_BWHyperlinkButtonCellBWGradientBox.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWGradientBox.o-[BWGradientBox initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWGradientBox.m-[BWGradientBox fillStartingColor]-[BWGradientBox fillEndingColor]-[BWGradientBox fillColor]-[BWGradientBox topBorderColor]-[BWGradientBox bottomBorderColor]-[BWGradientBox setTopInsetAlpha:]-[BWGradientBox topInsetAlpha]-[BWGradientBox setBottomInsetAlpha:]-[BWGradientBox bottomInsetAlpha]-[BWGradientBox setHasTopBorder:]-[BWGradientBox hasTopBorder]-[BWGradientBox setHasBottomBorder:]-[BWGradientBox hasBottomBorder]-[BWGradientBox setHasGradient:]-[BWGradientBox hasGradient]-[BWGradientBox setHasFillColor:]-[BWGradientBox hasFillColor]-[BWGradientBox dealloc]-[BWGradientBox setBottomBorderColor:]-[BWGradientBox setTopBorderColor:]-[BWGradientBox setFillEndingColor:]-[BWGradientBox setFillStartingColor:]-[BWGradientBox setFillColor:]-[BWGradientBox isFlipped]-[BWGradientBox drawRect:]-[BWGradientBox encodeWithCoder:]_OBJC_METACLASS_$_BWGradientBox_OBJC_CLASS_$_BWGradientBox_OBJC_IVAR_$_BWGradientBox.fillStartingColor_OBJC_IVAR_$_BWGradientBox.fillEndingColor_OBJC_IVAR_$_BWGradientBox.fillColor_OBJC_IVAR_$_BWGradientBox.topBorderColor_OBJC_IVAR_$_BWGradientBox.bottomBorderColor_OBJC_IVAR_$_BWGradientBox.topInsetAlpha_OBJC_IVAR_$_BWGradientBox.bottomInsetAlpha_OBJC_IVAR_$_BWGradientBox.hasTopBorder_OBJC_IVAR_$_BWGradientBox.hasBottomBorder_OBJC_IVAR_$_BWGradientBox.hasGradient_OBJC_IVAR_$_BWGradientBox.hasFillColorBWStyledTextField.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWStyledTextField.o-[BWStyledTextField hasShadow]/Users/brandon/Temp/bwtoolkit/BWStyledTextField.m-[BWStyledTextField setHasShadow:]-[BWStyledTextField shadowIsBelow]-[BWStyledTextField setShadowIsBelow:]-[BWStyledTextField shadowColor]-[BWStyledTextField setShadowColor:]-[BWStyledTextField hasGradient]-[BWStyledTextField setHasGradient:]-[BWStyledTextField startingColor]-[BWStyledTextField setStartingColor:]-[BWStyledTextField endingColor]-[BWStyledTextField setEndingColor:]-[BWStyledTextField solidColor]-[BWStyledTextField setSolidColor:]_OBJC_METACLASS_$_BWStyledTextField_OBJC_CLASS_$_BWStyledTextFieldBWStyledTextFieldCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWStyledTextFieldCell.o-[BWStyledTextFieldCell initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWStyledTextFieldCell.m-[BWStyledTextFieldCell shadowIsBelow]-[BWStyledTextFieldCell shadowColor]-[BWStyledTextFieldCell setHasShadow:]-[BWStyledTextFieldCell hasShadow]-[BWStyledTextFieldCell setShadow:]-[BWStyledTextFieldCell shadow]-[BWStyledTextFieldCell setPreviousAttributes:]-[BWStyledTextFieldCell previousAttributes]-[BWStyledTextFieldCell startingColor]-[BWStyledTextFieldCell endingColor]-[BWStyledTextFieldCell hasGradient]-[BWStyledTextFieldCell solidColor]-[BWStyledTextFieldCell setShadowColor:]-[BWStyledTextFieldCell setShadowIsBelow:]-[BWStyledTextFieldCell setHasGradient:]-[BWStyledTextFieldCell setSolidColor:]-[BWStyledTextFieldCell setEndingColor:]-[BWStyledTextFieldCell setStartingColor:]-[BWStyledTextFieldCell drawInteriorWithFrame:inView:]-[BWStyledTextFieldCell applyGradient]-[BWStyledTextFieldCell awakeFromNib]-[BWStyledTextFieldCell changeShadow]-[BWStyledTextFieldCell _textAttributes]-[BWStyledTextFieldCell dealloc]-[BWStyledTextFieldCell copyWithZone:]-[BWStyledTextFieldCell encodeWithCoder:]_OBJC_METACLASS_$_BWStyledTextFieldCell_OBJC_CLASS_$_BWStyledTextFieldCell_OBJC_IVAR_$_BWStyledTextFieldCell.shadowIsBelow_OBJC_IVAR_$_BWStyledTextFieldCell.hasShadow_OBJC_IVAR_$_BWStyledTextFieldCell.hasGradient_OBJC_IVAR_$_BWStyledTextFieldCell.shadowColor_OBJC_IVAR_$_BWStyledTextFieldCell.startingColor_OBJC_IVAR_$_BWStyledTextFieldCell.endingColor_OBJC_IVAR_$_BWStyledTextFieldCell.solidColor_OBJC_IVAR_$_BWStyledTextFieldCell.shadow_OBJC_IVAR_$_BWStyledTextFieldCell.previousAttributesNSApplication+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/NSApplication+BWAdditions.o+[NSApplication(BWAdditions) bwIsOnLeopard]/Users/brandon/Temp/bwtoolkit/NSApplication+BWAdditions.mT __TEXT@@__text__TEXT__symbol_stub__TEXT__stub_helper__TEXTZ4Z__cstring__TEXTAT__const__TEXT>>__unwind_info__TEXT?H?__DATA@@__dyld__DATA@@__la_symbol_ptr__DATA@@!__nl_symbol_ptr__DATA@$@B__const__DATA@ @__cfstring__DATA@@__data__DATAHH__bss__DATAH4__OBJCP@P@__message_refs__OBJCPP__cls_refs__OBJCWW__class__OBJChXphX__meta_class__OBJC`p`__inst_meth__OBJCHi8Hi__symbols__OBJC~@~__module_info__OBJC@__instance_vars__OBJC__property__OBJC`__class_ext__OBJCPP__cls_meth__OBJCp__category__OBJC\\__cat_inst_meth__OBJC  __cat_cls_meth__OBJCl__image_info__OBJC  8__LINKEDIT p@loader_path/../Frameworks/BWToolkitFramework.framework/Versions/A/BWToolkitFramework}";⿯͓ɂ"0\\\D ̎ P  6: [6TxK~  T/System/Library/Frameworks/Cocoa.framework/Versions/A/Cocoa 4/usr/lib/libgcc_s.1.dylib 4}/usr/lib/libSystem.B.dylib 4/usr/lib/libobjc.A.dylib d,/System/Library/Frameworks/CoreServices.framework/Versions/A/CoreServices h &/System/Library/Frameworks/CoreFoundation.framework/Versions/A/CoreFoundation p&/System/Library/Frameworks/ApplicationServices.framework/Versions/A/ApplicationServices `,/System/Library/Frameworks/Foundation.framework/Versions/C/Foundation X-/System/Library/Frameworks/AppKit.framework/Versions/C/AppKitPQX0L$ (L$YXfX'UX(]ÐUX(]ÐUX(]ÐUX7]ÐUX~(]ÐUSWV ^"?&?7L$$7D$L$<$qNj*?7L$$WË7v(L$D$<$97D$L$$#~7L$$ ^_[]ÐUX>6D$ $]ÐUX']ÐUX']ÐUX']ÐUX6]ÐUX']ÐUSWV ^=>b6L$$W^6D$L$<$ANj=Z6L$$'ËV6'L$D$<$ R6D$L$$N6L$$ ^_[]ÐUXU=5D$ $]ÐUE@D]ÐUE@D]ÐUE@X]UV^.6L$$eV5L$$S^]ÐUWV^66L$D$}<$u ^_]Ë-6L$$5L$$UWV ^96=6L$D$}<$GPG@5L$$tF5D$<$5L$$D$h5D$<$D$N55L$D$<$D$D$D$  ^_]ÐUWV^4D$}<$D$4D$L$<$D$ ^_]USWV^}G@4L$$u@4D$<$D$}4D$L$<$D$ _^_[]Ë_DG@4L$$?4D$L$$)몐USWV^3D$E$MQD4D$|$$MAT:3T$$Nj:38$\$ ]\$T$$3D$ED$ H$\$L$<$vEHT 4L$T$$D$ R^_[]USWV ^3D$}<$&2L$$2L$$s 1 ^_[]Ë]3D$<$2L$$2\$L$$2L$$USWV^2D$E$~42L$$ll1L$$ZNj<91]\$T$ $8D2UT$ D$L$<$2|$D$E$^_[]USWV ^L2P2L$D$}<$uCE1L$$Ë2D$<$@1\$L$$u  ^_[]Ë2D$<$f@1\$L$$P<1L$$>UXMIH}0UT$D$ $ ]UXA0D$E$]USWV ^}G@0L$$T0!T$L$$uM0D$<$ËG@0L$$n0D$L$$XGTGT ^_[]GTUWV^E}GT+0D$L$<$'0D$L$<$D$ ^_]UV^j'J0L$$N0D$E$j'L$$^]UWV^//L$D$E$ot?}'/L$$P/D$<$>'L$$^_]ÐUSWV^EE苆6E싆r/}|$D$E$n/fL$D$<$j/D$L$$n/vL$D$<$f/D$L$$|b/L$D$<$`CXn/L$D$<$A^/D$L$$+؃^_[]ÐUED$ E D$E$D$D$D$@]UE D$E$D$ D$@]ÐUED$ E D$E$D$D$D$L]USWV^}G@Y-L$$J=-D$<$2 -]\$L$$=-D$<$q-L$$,L$$D$4M,L$$Ë=-D$<$q-L$$-L$$9-L$D$$,L$L$L$ L$D$$2A,L$$ Pt6Q-|$D$<$,D$ D$L$<$=-D$E$q-L$$-L$$,L$$},L$${A,L$$iDžDžDžDžDžDžDžDžE-T$ T$L$$D$ E1;t $ExPt)y,T$ \$D$E$ju,\$D$$HG9uE-L$ L$D$$D$ 2EH@A-T$ $ -L$$A,L$$Nj-\$ D$L$<$EH@-|$T$ ${=-D$E$fq-L$$T9-L$D$ $PEH@,T$ $ -L$$A,L$$ٿNj 4,L$ D$T$ $裿-\$ D$L$<$艿EH@,|$T$ $mq,}|$L$E$QljE@@A-L$$1,|$L$$.=-D$E$q-L$$EH@m,T$ $ξi,ut$T$ D$L$ $覾ExPlEH@A-T$ ${ -L$$iA,L$$WNj=-L$E$@q-L$$.-L$$-\$ D$L$<$EH@-|$T$ $EH@,T$ $Ƚ -L$$趽A,L$$褽 4=-L$E$能q-L$$q9-L$D$ $m,L$ D$L$<$$-\$ D$L$ $E@@,L$T$EH@,T$ $Ǽ,|$L$$諼e,L$$虼=-L$E$xq-L$$fi,UT$T$ T$L$$8E@@A-L$$ ,|$L$$ ,L$$},L$$A,L$$Ի,L$$輻Dž0Dž4Dž8Dž<Dž@DžDDžHDžLE-PL$ 0L$D$$D$!U8 EȉDž8;t $Ǻ44ExPtKQ-]\$D$$蜺-L$$芺y,D$ t$L$$p=-D$E$Uq-L$$C-L$$1u,t$L$$@;E-PL$ 0L$D$$D$̹ExPtOƋF@A-L$$螹,\$L$$肹a,D$L$4$l=-D$E$Qq-L$$?],L$$-E@@u-L$$GEEEEEEEE=-D$E$贸%-L$$蜸E-UT$ UT$L$$D$nM EȉDžE;t&%-D$$$E!-L$$,t$L$$ȷ=-D$}<$襷q-L$$蓷Ë,D$$y,D$L$$cPtHQ-T$D$$ENj,D$$+,D$L$<$@;E-ML$ ML$D$$D$ȶeČ^_[]UWV^6&L$$艶EEEEEEEEEvD$E$9E^L$$$E~ML$ ML$D$E$D$TM MEȉMEEM;t^D$E$賵$蟵EMu]ZD$<$(&2T$L$$ u+D$<$VD$L$E$ݴE@E;E~ML$ ML$D$E$D$袴EĐ^_]ÐUSWVXEuN@}|$D$ $WFXpu~@]ct$D$4$+L$$D$L$<$EEEEEEEEOD$4$蹳x7L$$衳pWUT$ UT$L$$D$sM tEEȉ|EEt;t#E7D$x$$EuE}3L$$ËOD$E$ڲL$$ȲD$L$$貲EEEEFu;|TWML$ ML$D$p$D$fuc}|$D$<$BËD$E$+D$L$$c|$D$<$L$$D$Ĝ^_[]Ëuc}|$D$<$辱ËG@L$$觱D$L$$葱c|$D$<${L$$D$awEUWV^ $L$$'\L$$L$$0D$E$HDž8Dž<Dž@DžDDžHDžLDžPDžTD$E${(L$$c XL$ 8L$D$ $D$)~@ $Eȉ,Dž4@$;t D$($ѯ$软<4<D$<$訯 T$L$$茯D$<$r T$L$$Vu`D$<$@ T$L$$$u.D$<$D$L$0$4@4;,XL$ 8L$D$ $D$襮EEEEEEEED$E$K$UT$ UT$L$$D$rM (Eȉ,Dž4E(;tD$E$έ$躭E4<D$<$設 T$L$$茭D$<$r T$L$$Vu`D$<$@ T$L$$$u.D$<$D$L$0$4@4;,ML$ ML$D$$$D$諬0^_]ÐUSWV,^XD$}<$nL$$\TL$D$E$[$EML$ D$L$$E܋G@tL$$E؋G@tL$$tw}G@L$$ƫ$L$$贫\L$$被Ë4U؉T$ U܉T$D$$耫G@\$L$$g,^_[]ÐUWV^}Lu,L$$/|$$D$L GLL$$)L$$^_]ÐUSWVXEEEEEEEEEMIDMUT$ UT$D$ $D$nM M0ۅEȉM1EM;tE@D$)EM_}|$L$$ffDF;uuEML$ ML$D$E$D$Щlt@uFD}]\$L$$袩D$L$4$D$ 脩Č^_[]ÐUSWVXEEEEEEEEEMIDMCUT$ UT$D$ $D$M M0ۅEȉM1EM;tE@D$赨EM}|$L$$蜨ffDF;uuECML$ ML$D$E$D$\lt@uFD}S]\$L$$.[D$L$4$D$ Č^_[]ÐUWV ^L$$ާNjD$E$ǧL$$赧S WD$L$ ED$T$<$茧EHD_T$ $tEHH_T$ $\EHL_T$ $DEH@_T$ $,EEESD$E$ ^_]ÐUSWV^EEEEEEEED$E$衦EUT$ UT$L$$D$vM MEȉM1EM;tD$E$8$$E[UT$D$$SWL$D$$G;}uML$ ML$D$E$D$ĥVČ^_[]USWV^\D$}<$芥Ë(D$$vrkE D$L$$XXL$$FÉ}苆<E싆\$D$E$%G@\$L$$^_[]UWV^ L$$դ L$$ä L$$豤EEEEEEEEE D$E$aE L$$LE ML$ ML$D$E$D$>M MEȉMEEM;t D$E$ۣ$ǣEM< D$<$踣r T$L$$蜣u} D$<$膣r T$L$$juK D$<$Tr ~T$L$$8u |$D$E$E@E;E ML$ ML$D$E$D$v D$E$âu 1Đ^_]Ën UT$D$E$藢Nj D$E$耢 L$$n |$L$$XUSWVX Ex@xP - L$D$}<$) D$L$<$Dž0Dž4Dž8Dž<Dž@DžDDžHDžL! PT$ 0T$L$$D$h8 Eȉ18;t $4< %$虠% D$L$<$tML$<$D$@ F;u ! PL$ 0L$D$$D$葠7 5$ % D$L$E$\A] }|$D$<$;G@ L$$& L$$u|p@  L$$M L$$ L$D$$ݟ L$ D$D$4$蔟  L$$v D$}<$[M L$$I   D$L$t$ |$T$$EEEEEEEE  D$E$! UT$ UT$L$$D$蒞M EȉDžE;t#  D$E$=$)E4ExD T$4$  D$T$<$ExH D$4$ݝ D$ t$L$<$Ý;F؋! ML$ ML$D$$D${ }|$D$<$T D$<$BG@5 L$$-t1@@ L$$ L$$X = D$}<$D$՜ D$L$<$远 5$?% D$L$E$蒜EH@  T$ $l L$$Z L$$HNjEH@5 T$ $.Ë L$E$M L$$ L$$ \$ D$L$<$ٛEH@ |$T$ $轛EH@ T$ $襛 L$$蓛 L$$聛NjEH@5 T$ $g L$E$FM L$$4 L$D$ $0 (,L$ D$L$$ \$ D$L$<$ǚE@@ |$L$$諚^_[]Ëu~DF@ 5 L$$1 D$L$<$i D$L$4$SUWV ^EE EaML$D$E$ %L$$]L$$|$$D$D軙 %L$$赙]L$$裙|$$D$H}GTGPY|$D$<$nQUL$D$<$D$D$D$ : ^_]ÐUSWV,^EE苆 E싆ND$E$E䋆JT$T$ T$L$$D$輘NjJT$T$T$ T$L$$D$rËF|$D$E$WDE,^_[]ÐUSWV^}}苆E싆|UT$D$E$xD$<$t\$ D$L$E$חpL$<$ŗtT$ D$L$E$袗OXl\$ L$T$M ${hD$<$itt$ D$T$M $F^_[]UE@@@@@ ]UWV ^EEEgML$D$E$tTkoL$D$<$轖t4L$D$<$D$D$D$ 腖 ^_]UWV ^L$D$}<$OtsD$<$9L$$D$1]fM.u6z4L$D$<$D$D$D$ ؕD$<$ƕL$$贕t^D$<$螕T$L$$肕t,D$<$lL$$D$R ^_]ÐUV^D$E$(L$$D$ D$B^]UE@@@@@ ]UWV ^EEE)ML$D$E$觔t,YD$<$艔UL$$D$o ^_]U]U]ÐUV^D$E$4Dȋ^]ÐUWV0^L$$UD$E$ܓEtdx |$ x|$x|$$t$T$L$D$(D$$?D$ D$0^_]Ëx |$ x|$x|$$t$T$L$D$(D$$?D$ D$讒USWV,^EXED$}<$ܒT$L$$]t"D$<$D$ AD$ A藒D$<$腒t-D$E$lD$L$<$VNjEE苆E싆K L$KL$KL$ L$ M$L$|$D$E$,^_[]USWV^pL$$ՑD$L$<$近NjxL$$襑ËL$D$<$臑D$L$$qL$$GxL$$GËL$D$<$)D$L$$L$$xL$$Ë$L$D$<$ːD$L$$赐L$$苐xL$$苐Ë4L$D$<$mD$L$$WL$$-xL$$-ËDL$D$<$D$L$$L$$ϏxL$$ϏËTL$D$<$豏D$L$$蛏L$$qL$$q`L$$_L$$5L$$D$ ?D$?%`L$$L$$^_[]ÐUSWV^L$$юL$$迎L$$譎NjEE苎vM싎L$M $荎D$L$<$qJ~T$ $D$0AI\$ D$L$<$/ND$E$\$ D$L$<$^_[]U8XEXEM MoMM$L$M L$ML$ML$M(L$ ML$ D$ED$E$臍8]U]U]ÐUWV^7D$E$=Nj?L$$#3D$L$<$ ^_]ÐUSWV^D$}<$ތËL$$ČD$L$$讌t7D$<$蘌uAt$<${^_[]ËD$<$aDȋыt$<$D$ ?D$F?*USWV^L$$6L$$L$$݋NjEE苎M싎L$M $轋D$L$<$衋~L$E$脋\$ D$L$<$jL$E$UzufL$$D$0A)\$ D$L$<$D$ T$L$<$^_[]ËL$$D$0AÊ\$ D$t$USWV^\L$$聊D$L$<$kNj$L$$QËL$D$<$3|D$L$$\L$$$L$$Ë L$D$<$Չ|D$L$$迉hL$$蕉$L$$蕉Ë0L$D$<$w|D$L$$adL$$7$L$$7Ë@L$D$<$|D$L$$`L$$و\L$$D$шhL$$D$豈dL$$D$葈`L$$D$qThL$$Y L$$GPL$$TdL$$D$ ?D$?  L$$TL$$ч`L$$чL$$过XL$$蕇XL$$D$ D$腇^_[]ÐUSWVL^E E(XMM**L$$>fnE\EZYZMXX&ZMM$}D$}<$߆.L$<$m]†MX6M.EEEt}>D$<$tg.:N L$NL$NL$6t$ED$$ED$ ED$D$<$D$ .D$<$u>D$<$.D$<$҅u>D$<$輅.D$<$袅tx>D$<$茅ub6:r t$rt$rt$T$ED$$ED$ ED$L$$D$ &L^_[]Ë2*UWV0^D$}<$E MtX}Uq t$qt$qt$ L$D$T$E$葄0^_]USWVL^bD$E $`}t^E E苆bE싶G D$GD$GD$?|$}(|$ }|$ t$ut$u4$H^_[]>VL$$RL$$уÉ$I$D$?E EbE䋆O L$OL$OL$L$M(L$ ML$ D$ED$EЉ$o$ԂEЋEE@E@E@ L$U]U]ÐUV^D$E$Dȋ^]ÐUSWV,^L$$賂UD$}<$蛂ËD$<$臂ۍMt}tey |$ y|$y|$ $t$T$D$D$(D$$?D$ D$蹁,^_[]Ë뙄t끋y |$ y|$y|$ $t$T$D$D$(D$$?D$ D$(jUSWVL^D$E$dlj}܋D$<$D$=2D$<$+zT$L$$t$.D$$D$ AD$ A*D$E܉$Ҁt1&D$E$蹀"D$L$E܉$蠀E܋JL$$腀Ǎ]C D$ D$<$D$[D$<$D$ D$?9D$<$'K L$KL$KL$ L$ D$ED$E$Q T$$QT$ QT$ L$ML$ML$ML$ ML$D$E܉$D$,?D$(~D$<$yD$<$gL^_[]ÐUSWV<^} }苆E싆\M L$ML$ML$ML$ D$ED$E؉$EX E܋PD$<$~]PD$<$~PD$<$~PD$<$~PD$<$r~PD$<$W~tPD$<$@~uEX$EEECECEC <^_[]EXEEX E말USWV^>L$$}D$L$<$}NjFL$$s}ËrL$D$<$U}D$L$$?}L$$}FL$$}ËL$D$<$|D$L$$|L$$|FL$$|ËL$D$<$|D$L$$|L$$Y|FL$$Y|ËL$D$<$;|D$L$$%|L$${FL$${ËL$D$<${D$L$${L$${FL$${ËL$D$<${D$L$$i{L$$?{FL$$?{ËL$D$<$!{D$L$$ {L$$zFL$$zËL$D$<$zD$L$$zL$$zvL$$z.L$$qzL$$GzvL$$D$ ?D$?7z.L$$%zL$$y^_[]ÐUSWV^L$$yL$$yL$$yNjEE苎HM싎L$M $yD$L$<$y\T$ $D$0A[y\$ D$L$<$Ay`D$E$$y\$ D$L$<$ y^_[]USWV<^} }苆>E싆M L$ML$ML$ML$ D$ED$E؉$xEXEEXEEXED$<$_x]D$<$BxD$<$'xD$<$ xD$<$wD$<$wu+D$<$wuSEXE?D$<$wtD$<$}wuEXEEECECEC <^_[]U]U]ÐU]U]ÐU(XMAhMM;ML$ED$ ED$D$E$v(]ÐUSWV ^L$$vNjD$E$~v9*L$$XvD$L$<$BvNj2L$$(vËL$D$<$ vD$L$$uL$$u2L$$uËL$D$<$uD$L$$uL$$lu2L$$luËL$D$<$NuD$L$$8uL$$u2L$$uËL$D$<$tD$L$$tL$$t2L$$tËL$D$<$tD$L$$|tL$$Rt2L$$RtË.L$D$<$4tD$L$$tL$$s2L$$sË>L$D$<$sD$L$$sL$$s ^_[]U(XMAhMGMM$L$M L$ED$ED$ED$ ED$D$E$=s(]USWV<^} }苆E싆X]\$ D$ED$E؉$rhD$<$rE1EE@E@E@ <^_[]EXEML$ML$ M܉L$M؉L$D$$D$r8럐USWV<^~D$}<$$rGh}ut.2>:EOMD$$qfnM\Y $q}O M(XWU苆D$$qfnM\Y $q~D$E$]m]U\UXU2qEXEXE~XEEXE苆rED$ ED$D$$D$p<^_[]Í6USWV\^EEEEEEEE܋bL$$epUfnM.v2\YEE $Xp]EXEEEXEEXEЋD$E$o~ nM\MXEE؋6D$E$o]܉\$ ]؉\$]ԉ\$]Љ$] \$(fD$$|$T$L$D$ D$nL$E$.oD$E$o1|$ D$]\$E$nZnL$$nL$$nED$ ED$ED$E$XnD$$Gn9x\^_[]ÐUSWV^EE苆E싆ML$D$}<$BnËD$$D$ nCh]苆E싆D$<$D$m؃^_[]UEƀ]ÐUE@\]ÐUE@[]UE@Z]UEMAZ]UE@|]ÐUEMA|]UEMAY]UE@X]USWV^EE苆DE싆}|$D$E$BmL$D$<$mlD$L$$mL$D$<$lhD$L$$l(L$D$<$ldD$L$$l8L$D$<$}l`D$L$$glHL$D$<$Kl\D$L$$5lXL$D$<$lXD$L$$lThL$D$<$kPD$L$$kxL$D$<$kLD$L$$k]苆DE싆HD$}<$kD$L$$ek]苆DE싆\$D$<$Ik؃^_[]ÐUSWV^L$$D$ ?D$%?kL$$j>L$$jL$$D$ ?D$}?jL$$jJL$$yjL$$D$ ?D$^?ijL$$WjNL$$-jL$$-j2JN|$ T$L$$j:L$$iL$$iD$L$<$iNjL$$iË ZL$D$<$iD$L$$siBL$$IiL$$IiË jL$D$<$+iD$L$$iFL$$hBL$$D$hFL$$D$h^_[]ÐUED$ E D$E$D$D$D$`h]UED$ E D$E$D$D$D$deh]UED$ E D$E$D$D$D$h)h]UED$ E D$E$D$D$D$lg]UED$ E D$E$D$D$D$pg]UE D$E$D$ D$p`g]ÐUED$ E D$E$D$D$D$tGg]UE D$E$D$ D$tf]ÐUED$ E D$E$D$D$D$xf]UE D$E$D$ D$xf]ÐUED$ E D$E$D$D$D$sf]UE D$E$D$ D$"f]ÐUED$E$D$\e]ÐUWV^}GTWL$$eG`WL$$eGdWL$$eGhWL$$eGlWL$$eGpWL$$meGtWL$$XeWL$$@eGxWL$$+e}EKD$E$e^_]ÐUWV^}lu,AL$$d|$$D$ldGlaL$$dL$$d^_]ÐUWV^}hu,L$$ad|$$D$h;dGhL$$8d[L$$&d^_]ÐUWV^}du,]L$$c|$$D$dcGd}L$$cL$$c^_]ÐUWV^}`u,7L$$}c|$$D$`WcG` L$$TcwL$$Bc^_]ÐUWV^}Tu>}L$$ cL$$b|$$D$TbGTL$$bL$$b^_]ÐUSWV ^}GT]9t8L$$bD$$vb|$$D$TPbD$<$D$Hb ^_[]UXMUJXD$$D$b]UWV ^D$}<$at  ^_]É}E􋆯D$E$a]Ef.UWV ^}}oEML$D$E$maD$<$Ua ^_]USWV^}_\,,L$$!a0D$L$$ at<t$<$`^_[]ËG\T$L$$`u;}tD$E$`EM\D$L$ ML$USWV<^D$}<$_` D$<$G`L$$5`D$L$$`8D$<$`ED$D$$_DžDžDžDž DžDžDžDžE@t4L$$`_$Q L$ L$D$$$D$&_ 0f<E1ۋ0;t D$4$^$^!L$$^ٝC9<XA)ED$E$A uoD$}<$@ߩL$$@Ë߫D$<$@ߩL$$@9EEEEEEEEoD$$r@t3UT$ UT$L$$D$D@+M x|EEx;t EoD$E$?$?EM4}oD$]$?Ct$L$$?Et$D$$?E߫D$$?שut$L$$y?L$$g?8EuUE@E;|+3ML$ ML$D$t$D$?|0Ĝ^_[]ÐUSWVl^D$]$>sL$$>D$L$<$>L$$>L$$k>Dž0Dž4Dž8Dž<Dž@DžDDžHDžLD$$>ǧPL$ 0L$D$$D$=8 fEȉ18;tD$E$p=$\=4#\$D$E$F=tXD$E$-=iD$\$$!=XG;HǧPL$ 0L$D$$D$<EEEEEEEED$E$T<ǧUT$ UT$L$$D$&<M EȉDžE;tD$E$;$;E<D$E$;ק|$L$$;#|$L$E$y;ËL$E$b;ۋL$|$ $N; f.^;T$|$ $:NjD$D$ $:|$ D$L$ $:C|$ $D$p:D$L$ $T:L$|$ $I:,;|$L$$9NjD$L$$9|$ D$L$$9CL$$D$9D$L$$x9@;fǧML$ ML$D$$D$19T$D$}<$ 9T$D$<$8T$D$<$8l^_[]fD$\$$8L$|$ $8?fWL$|$ $S8USWVL^Exdd]\$L$$7hD$L$<$7VEExld]\$L$$7hD$L$<$7,L$$x7NjD$E$s7]̃EEģD$}<$H7},D$<$!7L$$7L$<$m]HfnV\ZYEE6D$D$E$6E\EZZM^$YZ$6L^_[]DEEEE܋t$u4$[6ʼnD$ED$EЉ$I6EzUSWVL^Ex`f]\$L$$5jD$L$<$5REExhf]\$L$$5jD$L$<$5$L$$z5Nj D$E$u5]̃EEơD$}<$J5}.D$<$#5L$$5L$<$m]HfnV\ZYEE4u|D$D$E$4E\EZZM^&YZ$4L^_[]fEEEE t$u4$e4ɉD$ED$EЉ$S4E끐USWV ^D$}<$ 4]tҞD$$3u6D$<$3uҞD$$3$ 1 ^_[]ÐUSWV^EEEEEEEED$E$I3EsUT$ UT$L$$D$3M MEE1ۋEM;tD$E$2$2EϞD$L$E$2EC9usML$ ML$D$E$D$z2kEČ^_[]EUWV^}G\T$L$$*2tEO\D$T$ $ 2^_]ÐUSWV\^}[ttD$<$1ËpD$<$1ۋĚ0L$D$E$1fM.v\D$<$D$x1}[uaD$<$^1ËpD$<$J1ۋĚL$D$E$A1 ZMf.D$<$0tD$<$0МD$<$D$0G\TT$L$$0tG\ut$L$$0\^_[]ÉL$D$M $0fML$D$MЉ $g0 ZM!\D$<$D$UWV@^} G\sӚT$L$$/Eu2M@A@A@ A @^_]M(W\Ӛy |$,y|$(y|$$ L$ H L$HL$HL$D$E8D$0ED$ t$T$E$l/<뒐USWV^D$}<$*/L$D$<$/uXG\T$L$$.t5_\,,L$$.0D$L$$.tEEE^_[]ËEMW\D$ED$ L$t$$.ȐUSWV^E@\'T$L$$8.th|s_ \$_\$_\$?|$}|$ L$$D$(D$$UWV0^pD$}<$][f.EEvXt;OTt4px |$x|$x|$ D$t$ $0^_]É}w}􋶏px |$x|$x|$ D$t$E$E뻋pP T$PT$PT$ D$L$<$UV^soL$$oL$$ٞd^]ÐUSWV^}}苆vEG\hlD$L$E$}苎vM싎mUT$L$M $noD$<$Vl\_L$ D$\$E$3oL$<$!ll_T$ ЉT$L$E$oL$<$l|_T$ D$L$E$oL$<$l_T$ D$L$E$oL$<$l_T$ D$L$E$\oL$<$Jl_T$ D$L$E$'oL$<$|o_T$ D$L$E$xoL$<$l_T$ ЉT$L$E$}苆vE싆oD$E$hlD$L$<$}苎vM싎hl|$L$E$d^_[]UE@`]ÐUSWV^EE苆HtE싆j}|$D$E$(m]L$D$<$C`j]L$D$<$mD$L$$j]L$D$<$mD$L$$؃^_[]ÐUSWV ^o^pVhL$$KRhD$L$<$5NjoNhL$$ËJh\L$D$<$FhD$L$$aL$$oNhL$$ËJh\L$D$<$FhD$L$$aL$$_oNhL$$_ËJh ]L$D$<$AFhD$L$$+aL$$oNhL$$ËJh]L$D$<$FhD$L$$aL$$ ^_[]ÐUED$ E D$E$D$D$D$t]UE D$E$D$ D$tH]ÐUED$ E D$E$D$D$D$x/]UE D$E$D$ D$x]ÐUWV^}Gt9gL$$Gx9gL$$}pE-fD$E$^_]ÐUWV ^fD$}<$WiL$$D$=}ypEyiD$E$" ^_]UWV ^fD$}<$iL$$D$}pEiD$E$ ^_]USWV^hD$}<$}iD$<$}hD$<$k۽|iD$<$S5hD$<$m]m]ۭ|]]E\EZEE\EZ|]ieD$|$E$EEhD$$۽phD$$iD$<$ۭp]]]|M^UYXE\E^YZXEZhD$D$<$!hD$<$ËhD$<$h\$ D$L$<$Ĝ^_[]ÉD$|$EЉ$EEUSWV^}}苆mE싆f]\$D$E${Gtf\$L$$\Gxf\$L$$C^_[]ÐUSWV^}GtefL$$GxefL$$`uyE@wnbD$|$EЉ$EX]QEEXaQEЋdM܉L$M؉L$MԉL$ MЉL$D$<$|E@`ww}uqbD$}|$E$dEXeQEEXiQEdML$ML$ML$ ML$D$<$} }!j bL$$NjQ[cL$$ӋQ[cL$$DžpDžtx|Ib|L$xL$tL$ pL$D$<$=}|$$D$tGtafL$$D$ Gt]fQ[T$L$$Gtb|$L$$GtbYfT$L$$GtcL$$ieL$$D$!j bL$$klU[cL$$MhU[cL$$/ËifD$|$E$,EXEXaQEE]hEIbML$ML$ML$ ML$D$l$|$$D$xGxafL$$D$Gx]fU[T$L$$cGxb|$L$$JGxbUfT$L$$+GxcL$$ieL$$D$Gt5bD$L$<$Gx5bD$t$!j bL$$NjY[cL$$ӋY[cL$$EEE]IbML$ML$ML$ ML$D$<$?}|$$D$tGtafL$$D$ Gt]fY[T$L$$Gtb|$L$$GtbYfT$L$$GtcL$$ieL$$D$!j bL$$ml][cL$$Oh][cL$$1ËifD$|$E$.EXEXaQEE]ȋhE̋IbM̉L$MȉL$MĉL$ ML$D$l$|$$D$xGxafL$$D$Gx]f][T$L$$eGxb|$L$$LGxbUfT$L$$-GxcL$$ieL$$D$Gt5bD$L$<$Gx5bD$L$<$EMH`Ĭ^_[]USWVL^^D$}|$E$EGdEGhEGlEGp&_D$<$P&_D$<$5Gt^L$$D$ @D$A_x^D$|$E$EXE\I^D$D$$D$ @GlXIGlIXGdGd6\D$<$^WpT$WlT$WhT$ WdT$|$L$$NL^_[]ËGt^L$$D$ @@D$@!_x^D$|$EЉ$EXE\IXvI^D$D$$D$ @@ USWV\XE6]D$E$Qu]ED$ ED$D$}<$D$cEӋGtYL$D$E$ZẺD$EȉD$EĉD$ ED$\$E$t]Ct\^_[]fnEfnMM@x񋉊YL$D$EЉ$E܉D$E؉D$EԉD$ EЉD$ED$M $NtE@x뀋EEEcM싀 ]ED$ ED$D$E$S>EEEcM䋀 ]ED$ ED$D$E$USWV^L[D$}<$\[\$D$<$T[D$<$ËX[D$<$P[\$ D$L$<$^_[]USWV^ZD$}<$rZ\$D$<$JZD$<$8ËZD$<$$Z\$ D$L$<$ ^_[]UWV^WD$}<$aZUT$L$$XD$<$D$^_]ÐUV^$WD$E$ZL$$p^]USWV^}}苆h`E싆VUT$D$E$6YD$<$YI\$ D$L$E$YL$<$VIT$ D$L$E$YL$<$VIT$ D$L$E$^_[]ÐU1]ÐU]ÐU1]ÐU]ÐU]UE@l]ÐUEMAl]U(XMAhMy_MmVML$ED$ ED$D$E$(]ÐUSWV ^[SL$$NjSD$E$9 \[[SL$$SD$L$<$tNjd[SL$$ZËSHL$D$<$<SD$L$$&(ML$$d[SL$$ËSHL$D$<$SD$L$$ ML$$d[SL$$ËSHL$D$<$SD$L$$j$ML$$@d[SL$$@ËSHL$D$<$"SD$L$$ ML$$d[SL$$ËSHL$D$<$SD$L$$ML$$ ^_[]U(XMAhM\MSM$L$M L$ED$ED$ED$ ED$D$E$+(]USWV<^}hNJJJDȋEEMM苆RD$$fnM\Y? $}MM(XUU苆RD$$fnM\Y? $m]]lEXEEU\UUu(X?E苆JSED$ ED$D$$D$<^_[]USWVL^EEEEEEEE}_l&IQL$$fnŠ] E+(E@ \Y>MM$]MXMMEX*?EEX.?EvQD$<$.I&I*ItSut$ ut$ut$u4$t$(T$L$D$D$$?D$ D$PL^_[]Ëut$ ut$ut$u4$t$(T$L$D$D$$?D$ D$X>USWV^}}苆YE싆O]\$D$E$ RD$<$zOCT$ D$L$$^_[]ÐUSWV^EE苆 YE싆*O}|$D$E$tSOBL$D$<$:RD$L$$gPD$$D$MCh؃^_[]ÐUE@@@@@ ]UWV ^EEwXEgNML$D$E$tTkNoNL$D$<$t4NNL$D$<$D$D$D$ ^_]UWV ^MML$D$}<$OtsMD$<$9ML$$D$1]fM.u6z4MML$D$<$D$D$D$ MD$<$ML$$t^MD$<$MMT$L$$t,MD$<$lML$$D$R ^_]ÐUV^LD$E$(LL$$D$ D$A^]UXDD]UE@X]ÐUE@R]UEMAR]UE@P]UEMAP]UE@Q]UE@T]ÐUSWV^EE苆$VE싆K}|$D$E$bK?L$D$<$6dOD$L$$K?L$D$<$`OD$L$$K?L$D$<$\OD$L$$tN?L$D$<$XOD$L$$؃^_[]ÐUSWVLXEQ,KT$ $D$ ?D$J?<MJT$$'MBT$$MQ,Kt$$D$ ?D$*?MJT$$MBT$$MQ,Kt$$D$ ?D$}?MJT$$}MBT$$PMQ,Kt$$D$ ?D$r?=MJT$$(MBT$$MQ,Kt$$D$ ?D$f?MJT$$MBT$$MQ,Kt$$D$ ?D$f?MJT$$~MBT$$QMQ,Kt$$D$ ?D$?>MJT$$)MBT$$MQ,Kt$$D$ ?D$>?MJT$$MBT$$M@QLIt$$MHNMMBBBB\$,|$ t$T$UT$$D$4?D$0D$(/?D$$D$/?D$D$D$ D$8MBT$$MQ,Kt$$D$ ?D$MJT$$MBT$$MQ,Kt$$D$ ?D$?MJT$$lMBL$$?L^_[]ÐUED$E$D$X]ÐUWV^}GX{FHT$L$$u 1^_]ËEMWXHD$ L$t$$ѐUWV ^}GXFGT$L$$u 1 ^_]ËEMUXGD$L$ T$t$<$[UWV@^} GXE GT$L$$&Eu2M@A@A@ A @^_]M(WX Gy |$,y|$(y|$$ L$ H L$HL$HL$D$E8D$0ED$ t$T$E$<뒐UWV ^}GXD;FT$L$$TEuEE ^_]ËEMWX;FD$D$ L$t$$%ΐUWV^}GXcDET$L$$u 1^_]ËEMWXED$ L$t$$ѐUWV ^}GXCDT$L$$zEu FL$$a ^_]EMOXDD$L$ D$t$ $+ȐUWV ^}GX{CDT$L$$EuEE ^_]ËEMWXDD$D$ L$t$$ΐUWV ^}GXCsDT$L$$EuEE ^_]ËEMWXsDD$D$ L$t$$UΐUSWV^ED$E $}9+A|$}|$}<$ EEA|$} |$M $E\EEoED$|$E$E\EEED$<$zËED$<$fۋA|$D$}Љ<$]EXEX{0EoEt$u t$u4$'EMuMNFpAF UE @XBDT$L$$ua1M@A@A@ A Č^_[]|$D$}<$EE1E @XD|$UT$ t$D$u4$JĈUSWV^CD$}<$ËBD$$9u?D$$D$}苆JE싆x?D$E$^_[]ÐUSWV ^}]tZt>tCD$$D$ixCD$$D$OKtCD$$D$tCD$$D$xCD$$D${TxAD$$D$ ^_[]ÐUWV0^E}GQ>udD$|$E$@ED$D$<$D$ A7@D$<$D$^0^_]ÉD$|$E؉$\@ED$D$<$D$ A0USWV ^1EHAD$<$Nj E<L$$?D$L$<$tNj E<L$$?D$L$<$uz؃ ^_[]USWV ^@D$}<$NË AD$<$:|<L$$(ۉt<t$$ ^_[]Ë@D$<$P=D$L$$ΐUSWV ^@D$}<$u 1 ^_[]Ë\@D$<$Ë@D$<$;L$$pX@L$$^9UWV^@D$}<$1t+?D$<$@D$L$<$^_]ÐUSWV^;D$E$q;L$$;D$}<$i;L$$D$EEEEEEEE;D$<$:;ML$ ML$D$$D$M EȉDžE ;t;D$E$$EML$ML$ML$ML$ML$ ,ȉL$D$<$D$(D$$D$ ^_[]USWV,^9ML$ML$ML$ML$}|$ D$] $D$(D$$D$ D$9ML$ML$ML$ML$|$ D$$D$(D$$D$ D$Q9ML$ML$ML$ML$|$ D$$D$(D$$D$ D$,^_[]ÐUSWV|^(9D$}|$]$QYC D$CD$ CD$D$E$D$?D$(EEEEEEEE̋8.8ỦT$UȉT$UĉT$ UT$L$$D$C!ExQ@.|8S T$ST$ST$T$UT$ L$$D$(D$$D$ D$ExPXCX8$EE@E@E A9D$E$mtE@9D.U܉T$U؉T$UԉT$ UЉT$L$D$E$'M܉L$M؉L$ MԉL$MЉL$M $D$D$?9H.}|$}|$}|$ }|$T$L$M $9K L$KL$KL$ L$D$}<$Q L.|8S T$ST$ST$T$UT$ L$$D$(D$$D$ D$L.|8{ |${|${|$;|$}|$ L$$D$(D$$D$ D$L.|8S T$ST$ST$T$|$ L$$D$(D$$D$ D$m|^_[]C KS]UMX#E<.USWV^84L$$4L$$؋5D$E$ Nj4D$<$5D$E$4D$<$4D$<$iË91L$$O4D$L$$981L$$4D$L$<$5D$<$Ë91L$$4D$L$$81L$$4D$L$<$4D$<$iEÉ߅tl5D$<$1Jt⋞5\$<$4Ë91L$$4D$L$$1t5\$끋5ML$|$}1UT$D$<$5D$E$^_[]Ë5&USWV^}}苆(:E싆/UT$D$E$fX3D$<$N/#\$ D$L$E$(T3L$<$/#T$ ЉT$L$E$P3L$<$/#T$ ЉT$L$E$L3L$<$L2#T$ D$L$E$^_[]ÐUWV ^EE 9E􋆍-ML$ML$ML$ ML$D$E$2t`M5%1L$$!1L$$؋I2D$<$D$E2D$<$D$ ^_]ÐUE@]]UEMA]]UE@\]UEMA\]UWV ^EEG8E-ML$D$E$Ut*g4_1L$$1uG`?Gd? ^_]G`GdU(XM M7M,D$ED$E$EAEEE@E@@ A(]UWV ^50D$}<$s}U7E􋆁.ML$D$E$Q ^_]U]U]ÐUEEE@E@E @ ]USWV<^,D$E$/L$$T,/T$L$$,D$E$/L$$/L$$o}Ep$.}W T$WT$WT$ T$L$$D$B%t$E싎,L$M $._ \$_\$_\$\$D$ T$E$D$(D$$D$ D$x$E싎,L$M $._ \$_\$_\$\$D$ T$E$D$(D$$D$ D$Ax$E싎,L$M $#.W T$WT$WT$T$D$ L$E$D$(D$$D$ D$E$E싎,L$M $._ \$_\$_\$\$D$ T$E$D$(D$$D$ D$S$E싎,L$M $5._ \$_\$_\$\$D$ T$E$D$(D$$D$ D$$E싎,L$M $ÿ.W T$WT$WT$T$D$ L$E$D$(D$$D$ D$oEs,D$E$PT,/T$L$$4:,D$E$/L$$tut$E,L$M $.Uz |$z|$z|$T$D$ L$E$D$(D$$D$ D$茾,D$E$w/L$$etot$,D$E$F.Ur t$rt$rt$T$D$ L$<$D$(D$$D$ D$<^_[]E~|$E싎,L$M $ý.}_ \$_\$_\$\$D$ T$E$D$(D$$D$ D$l$E싎,L$M $N._ \$_\$_\$\$D$ T$E$D$(D$$D$ D$$UV^r&D$E$̼~zDȋ^]ÐUSWV^<,$L$$苼%L$$y|$L$$gNjEE苎0M싎@&L$M $G<&D$L$<$+)L$E$T%\$ D$L$<$\,8&L$$D$0A̻T%\$ D$L$<$費T%DD$ T$L$<$芻^_[]USWVLXE&+6%T$ $D$ ?D$}?FM$T$$1M"T$$M&+6%t$$D$ ?D$r?M$T$$ܺM&T$$诺M&+6%t$$D$ ?D$f?蜺M$T$$臺M*T$$ZM&+6%t$$D$ ?D$f?GM$T$$2M.T$$MJ+V#t$$MR(MM"&*.\$,|$ t$T$UT$$D$4?D$0D$(/?D$$D$/?D$D$D$ D$8tMT$$GM&+6%t$$D$ ?D$J?4M$T$$MT$$M&+6%t$$D$ ?D$*?߸M$T$$ʸMT$$蝸M&+6%t$$D$ L>D$芸M$T$$uMT$$HM&+6%t$$D$ ?D$?5M$T$$ MT$$M&+6%t$$D$ 33>D$M$T$$˷MT$$螷M&+6%t$$D$ ?D$ =苷M$T$$vM T$$IM z(t$$D$?>M$T$$)MT$$M&+6%t$$D$ ?D$>M$T$$ԶMT$$觶Mz(t$$D$?蜶M$T$$臶MT$$ZM&+6%t$$D$ >D$GM$T$$2MT$$M&+6%t$$D$ ?D$>?M$T$$ݵMT$$谵M2+V#t$$譵M$T$$蘵MT$$kMb%t$$D$ D$XM&+6%|$$D$ @?D$?'Mv(D$L$4$L^_[]USWV<^D$}<$|T$L$$ƴ]t"D$<$D$ AD$ A蝴D$<$苴!D$$quD$$Zt\!D$$CD$L$<$-Nj!D$<$D$4L$$]苆(EEH L$HL$ HL$D$E؉$D$?D$fML$ML$M܉L$M؉L$ M$L$|$D$E${<^_[]ÐUV^D$E$JDȋ^]ÐU8XM M!'M!M L$ML$ML$ML$ D$ED$E$ED$ED$ ED$ED$E$D$?D$U8]USWV<^}}苆&E싆ML$ML$ML$ ML$M L$D$E$HJD$<$0tz]6L$$K L$KL$KL$ L$ D$|$E؉$ED$ ED$E܉D$E؉$D$v<^_[]USWVl^(M$L$M L$ML$ML$ D$E(D$}<${E$D$E D$ ED$ED$E$߰EEMMMM MM$},]t<D$E($GtXGXG XG EGE$O L$OL$OL$L$ D$E(D$EЉ$芰EEGEGEG }0t#},*M\Xp,ً|!TL$$PL$$}|!TL$$گPL$$m]ԯ]Ȁ},*^EOMM*M^MMMXMMXO U\MUE!L$$BNjD$<$D$EXEEED$ EXED$D$<$ED$ ED$D$<$®D$E$譮D$<$蛮l^_[]MZMXMMXO\MMEUSWV<^D$E$D$0L$$NjL$E$D$~L$$Ë2T$ $ӭz*ED$ *ML$L$$裭&L$$葭NjD$<$}jL$$UY2USËfUT$ 2Y]]\$D$$v}d$D$$]W]f]\$ UWT$D$$豬^D$$蟬EEEEMM싆D$E$D$`rUT$UT$UT$ UT$L$$2D$<$ <^_[]UWV0^D$}<$EEEUD$<$ͫNjID$<$蹫ED$E$褫ED$ ED$ED$E$D$@ED$<$jD$<$X0^_]ÐUE@]UEMA]UEP@]UEE@E@]UWV ^EE+ED$E$aWL$D$E$豪D$L$<$蛪WT$L$E$| OD$T$ $`D$L$<$JWT$L$E$+wD$L$<$WT$L$E$;D$L$<$KT$L$E$T$ D$L$<$觩KT$L$E$舩CD$L$<$o ^_]UED$ E D$E$D$D$D$M]UE D$E$D$ D$]ÐUED$ E D$E$D$D$D$]UE D$E$D$ D$蒨]ÐUED$ E D$E$D$D$D$ y]UE D$E$D$ D$ (]ÐUED$ E D$E$D$D$D$]UE D$E$D$ D$辧]ÐUWV^}GL$$蘧GL$$胧G L$$nGL$$Y}E D$E$>^_]ÐUSWV^D$E$ ^T$ D$L$M $2T$E$ΦjD$T$<$踦^|$ D$T$M $蕦T$E$耦^|$ D$T$M $]NT$E$H^|$ D$T$M $%&T$E$f\$T$ D$|$U$.L$E$ԥVt$ D$L$U$讥^_[]UWV ^EEE􋆵D$E$zu>1} L$$LL$$:|$$D$u>1} L$$L$$|$$D$Ф u>} L$$ĤL$$貤|$$D$ 茤u>} L$$耤L$$n|$$D$H ^_]ÐUXD$E$/]USWV|^ D$}|$E$EE D$<$ڣ]t8 D$|$E$ңE\EYXEE D$|$E$蚣EE D$|$EЉ$tEXEM\EEEMED$ ED$ED$E$辢u=nML$ML$ML$ ML$ˉL$D$<$D$Ѣ|^_[]ÐUEM9tU 9u9D]1]ÐUWV^!D$}<${|$ t$L$$[^_]UXD$E$D$+]UWV ^ L$$}L$$]) yZED$L$D$}<$D$ 蹡1 D$<$觡 ^_]UXX]ÐU1]ÐUSWV,^EE苆E싆}|$D$E$R D$<$:L$$( XT$L$$ \ L$$ L$$ڠE䋆 D$}<$ p D$L$]$詠UT$D$<$萠 |$ UT$D$$s,^_[]ÐUXsKD$ $F]ÐUV^ L$$D$ HZ?D$> L$$L$$ϟ L$$D$ HZ?D$ #>迟 L$$譟L$$胟 L$$D$ HZ?D$>s L$$aL$$7^]ÐUSWVL^ ML$ML$ML$ ML$D$}<$É]ЉЉE؋ L$<$<9EEM܋EЍ< |$D$Eԉ$赞e |$ D$ED$E$襞EXE싆 L$$` L$$H L$$D$.L$$D$ HZ?D$>NjL$$D$ HZ?D$>ܝËL$$B \$ |$L$$訝L$$薝 UT$UT$UT$ UT$L$$D$B` L$$HE@E;EaL^_[]UVX LD$ t$T$ $D$^]ÐUWV ^g D$}<$Ŝt?E}7Mc P T$PT$PT$ D$L$E$舜 ^_]ÐUSWV,^D$E$VT$L$$:,D$E$ 4L$$Nj PL$$L$$ћDL$$进Ë$ D$E$訛 L$$D$ D$膛D$L$$p L$ |$T$$N8$ L$$D$0A&|$ D$L$$ PL$$NjD$E$ݚ \$ D$L$<$ÚDL$$豚 D$L$E$蘚E@4\@XMM苎M싎@P T$PT$PT$ D$E D$L$E$7,^_[]Ë0L$$D$ ?D$F?UWV0^ML$ML$ML$ML$ D$}|$E$ԙG0}E􋆑ML$ML$ML$ ML$M,L$$M(L$ M$L$M L$D$E$bG00^_]ÐUWV@^ML$ML$ML$ML$ D$}|$E$"G0} EML$ML$ML$ ML$M0L$(M,L$$M(L$ M$L$M L$D$E$詘G0@^_]UWV@^} } E3M L$ML$ML$ML$ D$ED$E$O0}ugE/P T$PT$PT$ D$L$E $fnM(\f.v\MYoXUUEEGEGEG @^_]UE@a]UEMAa]UE@`]UEMA`]UWV ^EE E􋆻ML$D$E$9t*KCL$$uGd?Gh? ^_]GdGhU(XM M MD$ED$E$迖EAEEE@E@@ A(]UWV ^D$}<$W}) EeML$D$E$5 ^_]U]U]ÐUEEE@E@E @ ]USWV<^D$E$•hL$$谕8T$L$$蔕D$E$whL$$eL$$SEp}W T$WT$WT$ T$L$$D$B E싎L$M $l_ \$_\$_\$\$D$ T$E$D$(D$$D$ D$藔E싎L$M $yl_ \$_\$_\$\$D$ T$E$D$(D$$D$ D$%E싎L$M $lW T$WT$WT$T$D$ L$E$D$(D$$D$ D$賓EE싎L$M $苓l_ \$_\$_\$\$D$ T$E$D$(D$$D$ D$7E싎L$M $l_ \$_\$_\$\$D$ T$E$D$(D$$D$ D$ŒE싎L$M $角lW T$WT$WT$T$D$ L$E$D$(D$$D$ D$SEyD$E$48T$L$$@D$E$L$$tuEL$M $ǑlUz |$z|$z|$T$D$ L$E$D$(D$$D$ D$pD$E$[L$$ItuEL$M $'lUz |$z|$z|$T$D$ L$E$D$(D$$D$ D$АMQ T$QT$QT$ L$D$E$蝐<^_[]EEE싎L$M $nl}_ \$_\$_\$\$D$ T$E$D$(D$$D$ D$E싎L$M $l_ \$_\$_\$\$D$ T$E$D$(D$$D$ D$襏UV^D$E$xzvDȋ^]ÐUSWV^4L$$7lL$$%(L$$NjEE苎<M싎L$M $D$L$<$׎DL$E$躎\$ D$L$<$蠎L$$D$0Ax\$ D$L$<$^@D$ T$L$<$6^_[]USWVLXET$ $D$ ?D$}?MT$$ݍM"T$$谍Mt$$D$ ?D$r?蝍MT$$舍M&T$$[Mt$$D$ ?D$f?HMT$$3M*T$$Mt$$D$ ?D$f?MT$$ތM.T$$豌Mt$$讌MMM"&*.\$,|$ t$T$UT$$D$4?D$0D$(/?D$$D$/?D$D$D$ D$8 MT$$Mt$$D$ ?D$J?MT$$ˋMT$$螋Mt$$D$ ?D$*?苋MT$$vMT$$IMt$$D$ L>D$6MT$$!MT$$Mt$$D$ ?D$?MT$$̊MT$$蟊Mt$$D$ 33>D$茊MT$$wMT$$JMt$$D$ ?D$ =7MT$$"MT$$M&t$$D$?MT$$ՉM T$$訉Mt$$D$ ?D$>蕉MT$$耉MT$$SM&t$$D$?HMT$$3MT$$Mt$$D$ >D$MT$$ވMT$$豈Mt$$D$ ?D$>?螈MT$$艈MT$$\Mt$$YM:T$$DMT$$Mt$$D$ D$M|$$D$ @?D$?ӇM"D$T$4$躇M: |$$虇MD$T$4$耇ƋM|$$cNjM\$T$4$BMD$T$<$)ML$$L^_[]USWVL^"D$E$E܋L$$ˆT$L$$识t%D$E܉$D$ AD$ A膆D$E܉$qt1D$E$XD$L$E܉$?E܋L$$$Ǎ]C D$ D$<$D$D$<$D$ D$?؅D$<$ƅ K L$KL$KL$ L$ D$ED$E$觅fQ T$$QT$ QT$ L$ML$ML$ML$ ML$D$E܉$D$,?D$(*D$<$D$<$L^_[]UWV@^} }EM L$ML$ML$ML$ D$ED$E$资EE܋D$<$芄L$$xfn.E܋EvEXEEXEE@E@E@ @^_]UV^D$E$Dȋ^]ÐUVT^E EEM L$ML$ML$ML$ D$ED$E$蘃EXEED$ED$ ED$ED$EЉ$D$D$@@EMU]ЋEPH@ T^]USWV<^EXEE싾D$E$тD$L$<$軂E䋆L$$蠂lj}ED$ D$<$D$vD$<$D$ D$?T D$<$B8L$$*$D$E$EY$ ]EXLEEEdO L$OL$OL$L$XED$ ML$D$E$D$$?D$ qT$ $YÍMQ T$ L$$D$/L$$D$ D$? L$$W T$WT$WT$T$E\ED$ ML$L$M $D$$?D$ 蘀D$$膀 D$$tD$}<$_ D$<$M<^_[]ËdQ T$QT$QT$ L$EXD$ ED$D$E$D$$?D$ hUSWV<^}}苆E싆ML$ML$ML$ ML$M L$D$E$D$<$ttz] L$$UK L$KL$KL$ L$ D$|$E؉$9ED$ ED$E܉D$E؉$D$~<^_[]USWV<^u D$}|$E$~D$<$~E苆`D$<$~L$$~ D$$f~EuD$E$K~hL$$9~NjhL$$~u u uD$E$}L$$}EH L$ HL$HL$$D$w}upD$E$}Ǎ$}D$L$<$u} pD$E$X}L$$F}hL$$4} uF\}pD$4$}L$$|Ë`D$$D$|9~tuN L$NL$NL$L$}|$ D$]$D$(D$$D$ D$|EtV T$VT$VT$T$|$ L$$D$(D$$D$ D$+|Ep\$<$|]|L$$|t F D$FD$FD$D$ED$ \$]$D$(D$$D$ D${}tV T$VT$VT$T$UT$ L$$D$(D$$D$ D$K{tF D$FD$FD$D$UT$ \$]$D$(D$$D$ D$z]tuN L$NL$NL$L$}|$ D$E$D$(D$$D$ D$ztN L$NL$NL$L$|$ \$E$D$(c ElD$$Fz;EEtuV T$VT$VT$T$UT$ L$]$D$(D$$D$ D$yEt~ |$~|$~|$6t$UT$ L$$D$(D$$D$ D$yEpL$U$qyM|T$$\yMt uF D$FD$FD$D$ED$ L$߉<$D$(D$$D$ D$xEtV T$VT$VT$T$ED$ L$<$D$(D$$D$ D$xEtV T$VT$VT$T$ED$ L$]$D$(D$$D$ D$GxEtN L$NL$NL$L$ML$ D$$D$(D$$D$ D$wEtMQ T$QT$QT$ L$ML$ D$E$upD$E$w|L$$wtuN L$NL$NL$L$ML$ D$}<$D$(D$$D$ D$'wEtV T$VT$VT$T$UT$ L$<$D$(D$$D$ D$vEt^ \$^\$^\$\$UT$ L$<$D$(D$$D$ D$yvEt^ \$^\$^\$\$UT$ L$<$D$(D$$D$ D$"vEt~ |$~|$~|$>|$UT$ L$}<$D$(D$$D$ D$uEtN L$NL$NL$L$UT$ D$<$)uN L$NL$NL$L$ML$ D$}<$D$(D$$D$ D$=uEtV T$VT$VT$T$UT$ L$<$D$(D$$D$ D$tEt^ \$^\$^\$\$UT$ L$<$D$(D$$D$ D$tEt^ \$^\$^\$\$UT$ L$<$D$(D$$D$ D$8tEt~ |$~|$~|$>|$UT$ L$}<$D$(D$$D$ D$sEtN L$NL$NL$L$UT$ D$<$D$(D$$E@\Mtu~ |$~|$~|$>|$D$ T$}<$D$(D$$D$ D$6sMt^ \$^\$^\$\$]\$ T$<$D$(D$$D$ D$rMtV T$VT$VT$T$\$ D$<$D$(D$$D$ D$rMtV T$VT$VT$T$\$ D$<$D$(D$$D$ D$7rMtV T$VT$VT$T$\$ D$]$D$(D$$D$ D$qMtV T$VT$VT$T$UT$ D$$D$(D$$D$ D$qMt~ |$~|$~|$>|$UT$ D$$D$(D$$D$ D$2qMtN L$NL$NL$L$UT$ D$$D$(D$$D$ D$pE@ E.@v3MQ T$QT$QT$ L$D$E$p<^_[]ËED$E uXuN L$NL$NL$L$ML$ \$]$D$(D$$D$ D$p}tF D$FD$FD$D$ED$ T$$D$(D$$D$ D$otN L$NL$NL$L$ED$ \$]$D$(D$$tuV T$VT$VT$T$UT$ L$]$D$(D$$D$ D$)oMtV T$VT$VT$T$UT$ D$$D$(D$$D$ D$nMt~ |$~|$~|$>|$UT$ D$}<$D$(D$$D$ D$xnMtF D$FD$FD$D$UT$ L$<$D$(,USWV<^Ex\4D$E$nL$$m2;M,I L$ JL$T$$mE܋D$E$mZT$L$$muD$E$rmE܋L$$WmFL$$EmL$$3mNjL$$m\$ D$L$<$lL$$D$@Al\$ D$L$<$lL$$lFL$$lL$$ylËD$$D$ D$UlzL$$=l2L$$D$>#l.D$L$$ lD$ \$L$<$kBL$$k|$ }܉|$L$$kL$$kǍ]CK L$D$ D$|$E$D$k(YK YC~YUX~YE$XECk}E$1k\$ m\$D$<$j<^_[]ÍE,H,@ 2D$L$ :D$|$$jM,IUWV ^EEEML$D$E$kjt*}uL$$GjuG\?G`? ^_]G\G`U(XM M]MD$ED$E$iEAEEE@E@@ A(]UWV ^KD$}<$i}E􋆗ML$D$E$gi ^_]U(E D$ED$ ED$ED$E$D$?D$h(]UWV@^ED$ED$ ED$ED$E$D$@D$ghML$ML$ML$ ML$D$<$D$BhD$E$shUT$UT$UT$UT$D$ L$<$D$(D$$D$ D$!h!L$E$hUT$UT$UT$UT$D$ L$<$D$(D$$D$ D$g%L$E$gUT$UT$UT$UT$D$ L$<$D$(D$$D$ D$Gg)L$E$,gUT$UT$UT$UT$D$ L$<$D$(D$$D$ D$f%L$E$fUT$UT$UT$UT$D$ L$<$D$(D$$D$ D$mf%L$E$RfUT$UT$UT$UT$D$ L$<$D$(D$$D$ D$f@^_]ÐUSWVLXET$ $D$ ?D${?eMVT$$eMT$$|eMt$$D$ ?D${?ieMVT$$TeMT$$'eMt$$D$ ?D$l?eMVT$$dMT$$dMt$$D$ ?D$s?dMVT$$dMT$$}dMt$$zdMMM\$,|$ t$T$UT$$D$4?D$0D$(?D$$D$?D$D$D$ D$8cMT$$cMt$$D$ ?D$>cMVT$$cMT$$jcMt$$D$ ?D$?WcMVT$$BcM T$$cMt$$D$ ף=D$cMVT$$bMT$$bMt$$D$ q= ?D$?bMVT$$bMT$$kbMt$$D$ >D$XbMVT$$CbM"L$$bL^_[]USWV^EEEEEEEE-D$E$atUT$ UT$L$$D$aM xEȉ|1Ex;t-D$E$Ra$>aED$\$E$Ca)ED$D$$D$ AaG;|uML$ ML$D$t$D$`>Ĝ^_[]UE@ ]ÐUE@]ÐUE@]ÐUWV ^}GL$$D$d`GT$L$$D$D$D$ -`GT$L$$`tGL$$D$_ ^_]USWV^L$$_}OL$T$$_L$$_ËL$$w_OL$T$$^_L$$L_NjL$ \$D$]$'_(L$ |$D$$_^_[]ÐUWV ^}GL$$D$?^aOWT$ L$t$$D$D$D$^ ^_]ÐUWV^}GL$$D$Z^OsL$T$$9^^_]UWV^E@ thT$L$$]tHEMI D$ |$T$ $]t4ML$t$ $]UT$D$$]^_]USWV^EE苆`E싆D$E$e]E}ĻL$D$<$5]ËԻL$D$<$]NjD$$]]\$$D$\D$<$\\$$D$\؃^_[]UED$ E D$E$D$D$D$\]UED$ E D$E$D$D$D$g\]UED$ E D$E$D$D$D$ +\]UWV ^EEEWML$D$E$[t:[ L$D$<$[uD$<$D$[ ^_]UXgD$ $b[]ÐUE@@@@@ ]UWV ^EEeE􋆅ML$D$E$[tTL$D$<$Zt49L$D$<$D$D$D$ Z ^_]UWV ^L$D$}<$mZts D$<$WZL$$D$OZ]fM.u6z4L$D$<$D$D$D$ Y D$<$YL$$Yt^ D$<$YT$L$$Yt, D$<$YL$$D$pY ^_]ÐUWV^D$}<$EYL$$D$ D$A#YD$<$YoT$L$$Xt,D$<$XoL$$D$X^_]UE@@@@@ ]UWV ^EEEML$D$E$eXtTL$D$<$=Xt4L$D$<$D$D$D$ X ^_]UWV ^OSL$D$}<$WtsoD$<$WgL$$D$W]fM.u6z4sL$D$<$D$D$D$ XWoD$<$FWcL$$4Wt^oD$<$WO_T$L$$Wt,oD$<$V_L$$D$V ^_]ÐUWV^=D$}<$V9L$$D$ D$ BV=D$<$sVT$L$$WVt,=D$<$AVL$$D$'V^_]USWV ^:L$$UNjJD$]$UFD$L$<$UNjBML$D$<$U>D$$U:D$L$<$U6D$]$tU^D$L$<$^UbL$$FU2D$L$<$0U.D$$U*D$L$<$UD$<$T ^_[]UXMA$#uD$ $D$T]ÉD$ $D$TUSWV,^vNL$$}TJL$$}T}䋆zL$$PTL$$>TnL$$,Tlj}܋JD$<$D$ @D$@TD$<$D$SD$<$SL$$SNjD$<$D$ D$SD$<$m]D$ D$@EEj^EXnEQSED$ D$<$D$`@,SD$<$D$ D$ SL$$^^EERËED$ D$$D$RED$ D$$D$@RD$$D$ @D$`@rRED$ D$$D$MRJ}^L$$+RL$$D$@?RҾL$$QD$$Qֶ|$L$$D$ BQD$u܉4$Q,^_[]ËL$$QL$$D$L>~QҾL$$lQD$<$ZQҶҾ|$$BQD$$0QbUSWV^ѼL$$QͼL$$Q۽dML$ML$ML$ML$ D$ED$E$PED$ED$ ED$ED$ۭdٝ|^|`D$D$E$OẺD$EȉD$ EĉD$ED$`D$D$EЉ$ۭdݝpOApf.} wf. ML$ML$ML$ML$ D$|$E$OEEEEEEEEM̉L$MȉL$MĉL$ML$ D$|$E$eOEEEEEEEE̋M܉L$M؉L$MԉL$MЉL$ D$|$E$OEEEEEEEEYEiUT$UT$UT$ UT$D$D$L$$uNdYE̋iỦT$UȉT$UĉT$ UT$D$D$L$$"N`YE܋iU܉T$U؉T$UԉT$ UЉT$D$D$L$$MMA$imd\$L$$D$ BMmm`\$L$$D$ BlMqm|$L$$D$ BHMeD$E$3MaUT$UT$UT$ UT$L$$MZEf.f.uL$$D$=D$'?D$ l>D$>LUL$$LL$$~LL$$fLL$$D$ LLqD$d$4LL$$Lļ^_[]Ë]md\$L$$D$ BKam`\$L$$D$ BKeLUXMA$u ]ÉMMD$E$xKUSWV^L$$D$?D$~?D$ d?D$Y?)KNjL$$D$?D$z?D$ T?D$C?JË:FL$$Jj\$ |$L$$JL$$JL$$D$?D$f?D$ 8?D$$?qJNjL$$D$?D$G?D$ ?D$>7JË:FL$$Jj\$ |$L$$JL$$IL$$D$?D$~?D$ j?D$b?INjL$$D$?D$z?D$ ]?D$N?IË:FL$$eIj\$ |$L$$KIL$$!IL$$D$?D${?D$ >D$>INjL$$D$?D$l?D$ >D$>HË:FL$$Hj\$ |$L$$HL$$iHL$$D$?D$x?D$ >D$L>IHNjL$$D$?D$i?D$ <>D$(>HË:FL$$Gj\$ |$L$$GL$$GL$$D$?D${?D$ ?D$>GNjL$$D$?D$l?D$ >D$>WGË:FL$$=Gj\$ |$L$$#GL$$FL$$D$?D$^?D$ ?D$>FNjL$$D$?D$K?D$ >D$h>FË:FL$$Fj\$ |$L$$kFL$$AF"FL$$AF~L$$/FL$$FBL$$EL$$E]R*^ED$ D$<$D$EL$$EjL$$D$>EfD$L$<$oEL$$D$?D$~?D$ y?D$v?7EδL$$%EL$$D^_[]ÐUSWV\^} }苆E싆8M L$ML$ML$ML$ D$ED$E؉$DEXЛEG$]uEXěE܋ܴL$$lDL$$lD]$Mf.w f.vrD$<$(DUT$UT$U܉T$U؉T$ L$D$Eȉ$ DEEEEEEEEEECECEC \^_[]USWV,^}G$u-}]䋞$\$]$cCÉ؃,^_[]Ë lL$$9CL$$'C`L$$CÉ}苾}싾$|$}<$B D$|$$B?8|$ t$D$$BTUV^\L$$BfnfXXhME^]ÐUV^L$$?BfnfXX ME^]ÐUWVP^EE;E/ML$ML$ML$ ML$D$E$At}D$<$D$AOD$|$EЉ$AEE̋OD$|$E$AE^EEט.Ew GxP^_]GxUSWV^RL$$AD$L$<$@NjL$$@ËL$D$<$@ D$L$$@L$$@L$$@ËL$D$<$c@ D$L$$M@L$$#@L$$#@ËL$D$<$@ D$L$$?L$$?L$$?ËL$D$<$? D$L$$?L$$g?L$$g?ËΟL$D$<$I? D$L$$3?L$$ ?L$$ ?ËޟL$D$<$> D$L$$>L$$>L$$>ËL$D$<$> D$L$$w>ƣL$$M>L$$M>ËL$D$<$/> D$L$$>£L$$=L$$=ËL$D$<$= D$L$$=L$$=L$$=ËL$D$<$s= D$L$$]=L$$3=L$$3=Ë.L$D$<$= D$L$$<L$$<L$$<Ë>L$D$<$< D$L$$<L$$w<L$$D$ HZ?D$>g<L$$U<L$$+<L$$+<׋L$$<L$$fnfnXM;fnXEXƣL$$;Nj£L$$;T$ $fnfnXMt;fnXEX^_[]ÐUSWV^E}z] ዶt$\$<$%;D$\$E$D$ :{xNE<D$$:ٝL<YL$:E4M<0t$$ٝHe:ٝD0_H0<\YD $;:ٝ@4X@4f<E84<G0G8G {x D$\$E$9E<D$\$]$t9!4E\\f8<\X<48OG<O ^_[]NONON ŋD$\$E$D$ 8D$\$E$D$ 8D$\$EЉ$D$ b8{x=]X]eX!\fUOgW D$\$E$D$ 7{x!e\fU랋HOHOH O E<D$$y7ٝ\<Y\$k7E<M48t$$ٝX7ٝT8_X84\YT $6ٝP<XPL$D$<$.jD$L$$.؃^_[]UE D$E$D$ D$HJ.]ÐUWV^}GHL$$$.}ɥE􋆙D$E$ .^_]USWV ^}GH]9t8VL$$-D$$-|$$D$H-GHtAr.T$L$$-u!GHfD$L$<$h- ^_[]ËjL$$H-ZL$$6-fD$t$<$ -USWV^}}苆E싆T]\$D$E$,D$<$,L0T$ D$L$$,^_[]USWV ^$+lj|$$+$+É<$+tD$$Y, ^_[]ÐUV^КL$$),̚L$$,^]ÐUV^nL$$+L$$+^]ÐUV^(DL$$+@L$$+^]ÐUV^L$$W+L$$E+^]ÐUV^L$$+L$$*^]ÐUE@\]ÐUWV^E}|$D$<$*=L$D$<$*^_]USWV ^L$D$E$n*ua.L$$R*Nj2D$E$5**D$L$$*&D$L$<$ * ^_[]ÐUSWV^EE苆E싆N}|$D$E$)t2J"L$D$<$)D$L$$)؃^_[]UED$ E D$E$D$D$D$\k)]UWV^}G\L$$")}E􋆗D$E$)^_]USWV<^ L$$(Nj,D$]\$E$(|ML$ML$ML$ ML$|$D$$(<^_[]USWV^}}苆&E싆]\$D$E$D(D$<$,(T$ D$L$$ (^_[]U]ÐU]ÐU]USWV^xďL$$'L$$'L$$'NjEE苆̟E싆|D$E$'xD$L$<$g'DL$$G'\$ D$L$<$-'T0L$$D$'\$ D$L$<$&^_[]ÐU]UE@o]UEMAo]UE@n]UEMAn]UE@m]UEMAm]UE@l]UEMAl]UE@h]ÐUEE@h]UE@d]ÐUEE@d]UE@`]ÐUE@\]ÐUE@X]ÐUE@T]ÐUE@P]ÐUWV^}GXQL$$%GPQL$$%GTQL$$%G\QL$$%G`QL$$|%}EED$E$a%^_]USWV ^}G`]9tRL$$&%D$$%|$$D$`$"D$<$D$$ ^_[]USWV ^}G\]9tR8L$$$<D$$$|$$D$\x$D$<$D$p$ ^_[]USWV ^}GT]9tRL$$:$ƍD$$($|$$D$T$6D$<$D$# ^_[]USWV ^}GP]9tRLL$$#PD$$#|$$D$P#D$<$D$# ^_[]USWV ^}GX]9tR֌L$$N#ڌD$$<#|$$D$X#JD$<$D$# ^_[]USWVXlExnyota΋NXl1T$ $"5L$t$M $"ML$ ML$ML$M $D$<"MylGlL$$M"}GdD$L$$-"Ë5D$|$E$*"ML$ML$ML$ML$|$ D$$D$(D$$D$ D$!ExmlL$$!}GhD$L$$r!Ë5D$|$E$o!ML$ML$ML$ML$|$ D$$D$(D$$D$ D$!ļ^_[]Ël͒يT$ $ uNPVTlT$ L$\$$ Njl5T$t$p$ l|t$xt$tt$ pt$T$<$D$BA l]L$<$) u~\l5L$t$M $ UT$UT$UT$UT$t$ L$<$D$(D$$D$ D$L$$FdD$L$$uNj5D$t$E$rML$ML$ML$ML$t$ D$<$D$(D$$D$ D$Cu~`l5D$t$E$M̉L$MȉL$MĉL$ML$t$ D$<$D$(D$$D$ D$L$$nFhD$L$$QNj5D$t$EЉ$NM܉L$M؉L$MԉL$MЉL$t$ D$<$D$(D$$D$ D$USWV^}}苆E싆UT$D$E$D$<$ }\$ D$L$E$mL$<$[ }T$ D$L$E$8L$<$& .}T$ D$L$E$L$<$ >}T$ D$L$E$L$<$ N}T$ D$L$E$L$<$^}T$ ЉT$L$E$aL$<$On}T$ ЉT$L$E$)L$<$~}T$ ЉT$L$E$L$<$}T$ ЉT$L$E$L$<$}T$ \$L$E$L$<$}T$ \$L$E$O^_[]ÐUSWV^EE苆TE싆}|$D$E$xzL$D$<$LD$L$$zL$D$<$HD$L$$zL$D$<$DD$L$$lzL$D$<$P@D$L$$:zL$D$<$<D$L$$zL$D$<$8D$L$$zL$D$<$4D$L$$zL$D$<$0D$L$$izL$D$<$M,D$L$$4({L$D$<$*$\$D$$({L$D$<$ \$D$$D$$u.L$$LD$L$$D$$zu.L$$^HD$L$$HD$$6u.L$$DD$L$$ D$$u.L$$@D$L$$D$$u.L$$<D$L$$|؃^_[]UV^D$E$PL$$>^]ÐUWV^D$}<$cUT$L$$D$<$D$^_]UV^VD$E$L$$^]ÐUWV^D$}<$uUT$L$$[gD$<$D$A^_]UV^D$E$^L$$^]UWV^D$}<$UT$L$$πD$<$D$^_]ÐUV^"D$E$ZL$$n^]ÐUWV^~D$}<$AOUT$L$$'3D$<$D$ ^_]UV^~D$E$&L$$^]UWV^K~D$}<$UT$L$$D$<$D$v^_]ÐUV^}D$E$LL$$:^]UWV^}D$}<$GUT$L$$D$<$D$^_]ÐUV^V}D$E$L$$^]UWV^}D$}<$yUT$L$$`k~D$<$D$F^_]ÐUE@@]ÐUE@2]UE@<]ÐUE@8]ÐUE@D]ÐUE@1]UEMA1]UE@4]ÐUE@0]USWV,^EE苆>E싆|}|$D$E$|rL$D$<$pD$L$$W|rL$D$<$;D$L$$"|rL$D$<$D$L$$|rL$D$<$D$L$$|rL$D$<$:D$L$$|sL$D$<$mD$L$$W|sL$D$<$;D$L$$%|"sL$D$<$ ځD$L$$D$$u.v}L$$D$L$$D$$u.v|L$$D$L$$kD$$Yu.v}L$$=D$L$$'ށD$$u.v6L$$ځD$L$$D$$t4{2L$D$$D$D$D$ ؃,^_[]ÐUED$ E D$E$D$D$D$Du]UED$ E D$E$D$D$D$H9]UE D$E$D$ D$H]ÐUSWV ^}G4]9tJBxL$$FxD$$|$$D$4~D$<$ ^_[]UXMUJ0}D$$S]UWV^E}G2t}t$<$!^_]Ë]}D$<$a|D$L$<$ USWV ^}G@]9tQJwL$$ NwD$$ |$$D$@ G@|D$L$<$ ^_[]ÐUSWV ^}G<]9tJvL$$L vD$$: |$$D$< |D$<$ ^_[]USWV ^}G8]9tJfvL$$ jvD$$ |$$D$8 n|D$<$ ^_[]USWV|^X|pvL$$w zL$$e zD$E$P {L$$P }zL$E$& {L$$& }EE yL$} <$ Ë`uL$|$Mȉ $ {UԉT$UЉT$ỦT$UȉT$ L$\$M؉ $m]m]D$M\ME\YtcE EXEEX|pvL$$A {ED$ L$$D$ EE苆 E싆dvML$ML$ML$ ML$|$D$E$ X|pvL$$ yL$$ |^_[]USWVl^|tD$E$ tL$$p W\yD$E$S :xD$E$6 yL$$6 }xL$E$ yL$$m] ]E\E$ }|tL$E$ hsL$D$MЉ $ EEz|rT$ $m] wMML$ ED$L$$T prL$$B Epz|rL$$' NjyD$E$ ËyL$E$v\$ D$L$<$prL$$NjwL$M $EEEEMM싖0v]\$]\$]\$ ]\$T$<$D$C^wD$M $ILzyML$T$$*xD$L$E$l^_[]ÐUSWV^woL$$qL$$oL$$Nj]]苆vE싆qD$E$qD$L$<$rw|$D$$kjwD$$Y^_[]ÐUSWV^w&oL$$)^pL$$oL$$Nj]C4FtD$L$<${02qu:D$<$D$ ?D$v|$D$$^_[]ÉD$<$D$ USWV,^vfnL$$ioL$$WZnL$$Elj}]]苆~E싆pD$E$"pD$L$<${1tRuD$؉$t:^8uD$E$2o|$ D$L$E$E@HnfT$L$$E@Hnf|$L$$bËn|$D$E$GuD$L$$1uPouL$D$}<$D$D$D$ uUT$D$<$E,^_[]UWV^}GD-nL$$GH-nL$$G@-nL$$G<-nL$$mG8-nL$$XG4-nL$$C}A}E!mD$E$(^_]ÐUSWV^}}苆|E싆tsML$D$E$GHlL$$\$$D$HGDxmL$$\$$D$DrG4xmL$$o\$$D$4IG8xmL$$F\$$D$8 Gh@hXh@hvh@}hh @mhh$@]hh(@Mhh,@=hh0@-h h4@h#h8@ h8h<@hLh@@hahD@hshH@hhL@hhP@hhT@hhX@hh\@}hh`@mhhd@]hhh@Mh&hl@=h>hp@-hRht@hkhx@ hh|@hh@hh@hh@orderFrontColorPanel:sharedApplicationautoreleaseinitWithContentsOfFile:pathForImageResource:bundleForClass:classNSApplicationBWToolbarShowColorsItemColorsShow Color PanelToolbarItemColors.tiffNSToolbarItemtoolTip:8@0:4paletteLabelimage#@orderFrontFontPanel:BWToolbarShowFontsItemFontsShow Font PanelToolbarItemFonts.tiffactiontargetlabelitemIdentifierrecalculateKeyViewLoopremoveObject:sizeValuebwResizeToSize:animate:initialIBWindowSizeidentifierAtIndex:addSubview:moveObject:toParent:copyaddObject:toParent:initWithFrame:makeFirstResponder:arrayoldWindowTitlesetTitle:selectedItemIdentifiersetOldWindowTitle:titlesetIsPreferencesToolbar:selectableItemIdentifiersboolValuenumberWithBool:removeObserver:name:object:setAction:toggleActiveView:setTarget:postNotificationName:object:userInfo:dictionaryWithObject:forKey:setSelectedIdentifier:setSelectedItemIdentifier:countvalueWithSize:windowSizesByIdentifiersetContentViewsByIdentifier:contentViewmutableCopyselectItemAtIndex:setItemSelectorssetObject:forKey:addObject:itemsaddObserver:selector:name:object:windowDidResize:defaultCentereditableToolbarcountByEnumeratingWithState:objects:count:isMemberOfClass:childrenOfObject:parentOfObject:indexOfObject:switchToItemAtIndex:animate:toolbarIndexFromSelectableIndex:selectInitialItemsetAllowsUserCustomization:setShowsToolbarButton:_windowinitialSetupsetEditableToolbar:initWithIdentifier:isEqualToArray:arrayWithObjects:_defaultItemIdentifiersenabledByIdentifierdocumentToolbarsetEnabledByIdentifier:setHelper:setDocumentToolbar:decodeObjectForKey:initWithCoder:ibDidAddToDesignableDocument:NSArrayNSMutableArrayNSNotificationCenterNSValueNSDictionaryBWClickedItemBWSelectableToolbarItemClickedNSObjectNSToolbarBWSelectableToolbar@"BWSelectableToolbarHelper"itemIdentifiers@"NSMutableArray"itemsByIdentifier@"NSMutableDictionary"inIBi@8@0:4v16@0:4i8c12setSelectedIndex:labelstoolbarSelectableItemIdentifiers:toolbar:itemForItemIdentifier:willBeInsertedIntoToolbar:@20@0:4@8@12c16toolbarAllowedItemIdentifiers:toolbarDefaultItemIdentifiers:validateToolbarItem:c12@0:4@8setEnabled:forIdentifier:v16@0:4c8@12setSelectedItemIdentifierWithoutAnimation:@12@0:4i8i12@0:4i8selectFirstItem 50T@"NSMutableArray",R,PT@"NSMutableDictionary",C,VenabledByIdentifier,PisPreferencesToolbarhelperT@"BWSelectableToolbarHelper",&,Vhelper,PBWSTDocumentToolbarBWSTHelperBWSTIsPreferencesToolbarBWSTEnabledByIdentifierNSToolbarFlexibleSpaceItemNSToolbarSpaceItemNSToolbarSeparatorItem7E6A9228-C9F3-4F21-8054-E4BF3F2F6BA80D5950D1-D4A8-44C6-9DBC-251CFEF852E2BWSelectableToolbarHelperIBEditableBWSelectableToolbarsetMovable:isSheetcontentBorderThicknessForEdge:setContentBorderThickness:forEdge:addBottomBarBWAddRegularBottomBar{_NSRect={_NSPoint=ff}{_NSSize=ff}}8@0:4 BWRemoveBottomBarsetBackgroundStyle:NSTextFieldBWInsetTextField1NSButtonBWTransparentButton1isEnabled_textAttributesinitdrawTitle:withFrame:inView:setSize:namecolorWithCalibratedWhite:alpha:NSBundleBWTransparentButtonCellNSActionTemplateNSButtonCell{_NSRect={_NSPoint=ff}{_NSSize=ff}}32@0:4@8{_NSRect={_NSPoint=ff}{_NSSize=ff}}12@28TransparentButtonLeftN.tiffTransparentButtonFillN.tiffTransparentButtonRightN.tiffTransparentButtonLeftP.tiffTransparentButtonFillP.tiffTransparentButtonRightP.tiffBWTransparentCheckboxsizebackgroundStylegraphicsPortcontrolViewboldSystemFontOfSize:isInTableViewinteriorColoraddEntriesFromDictionary:setShadowOffset:setFlipped:allocBWTransparentCheckboxCellNSMutableDictionaryBWTransparentTableViewNSGraphicsContext!2TransparentCheckboxOffN.tiffTransparentCheckboxOffP.tiffTransparentCheckboxOnN.tiffTransparentCheckboxOnP.tiffNSPopUpButtonBWTransparentPopUpButton1 alignmentimagePositioninvertimageRectForBounds:concatsetScalesWhenResized:pullsDownisHighlightedBWTransparentPopUpButtonCellNSColorNSAffineTransforminitializecontrolSize{_NSRect={_NSPoint=ff}{_NSSize=ff}}24@0:4{_NSRect={_NSPoint=ff}{_NSSize=ff}}8drawImageWithFrame:inView:drawBezelWithFrame:inView:!3 TransparentPopUpFillN.tiffTransparentPopUpFillP.tiffTransparentPopUpRightN.tiffTransparentPopUpRightP.tiffTransparentPopUpLeftN.tiffTransparentPopUpLeftP.tiffTransparentPopUpPullDownRightN.tifTransparentPopUpPullDownRightP.tifNSSliderBWTransparentSliderstopTracking:at:inView:mouseIsUp:startTrackingAt:inView:knobRectFlipped:rectOfTickMarkAtIndex:setTickMarkPosition:BWTransparentSliderCellNSSliderCellv32@0:4{_NSPoint=ff}8{_NSPoint=ff}16@24c28{_NSRect={_NSPoint=ff}{_NSSize=ff}}12@0:4c8_usesCustomTrackImagev28@0:4{_NSRect={_NSPoint=ff}{_NSSize=ff}}8c24!0TransparentSliderTrackLeft.tiffTransparentSliderTrackFill.tiffTransparentSliderTrackRight.tiffTransparentSliderThumbP.tiffTransparentSliderThumbN.tiffTransparentSliderTriangleThumbN.tiffTransparentSliderTriangleThumbP.tiffdeallocnewblackColorsetDividerStyle:splitView:resizeSubviewsWithOldSize:sortUsingDescriptors:arrayWithObject:initWithKey:ascending:allValuesdictionaryWithCapacity:validateAndCalculatePreferredProportionsAndSizescorrectCollapsiblePreferredProportionOrSizevalidatePreferredProportionsAndSizesrecalculatePreferredProportionsAndSizesallKeysnonresizableSubviewPreferredSizeresizableSubviewPreferredProportionsetStateForLastPreferredCalculations:setNonresizableSubviewPreferredSize:setResizableSubviewPreferredProportion:numberWithFloat:dictionaryarrayWithCapacity:autoresizingMasksplitViewWillResizeSubviews:splitViewDidResizeSubviews:collapsibleSubviewIsCollapsedsplitView:effectiveRect:forDrawnRect:ofDividerAtIndex:splitView:constrainSplitPosition:ofSubviewAt:clearPreferredProportionsAndSizessplitView:constrainMinCoordinate:ofSubviewAt:subviewMinimumSize:subviewMaximumSize:splitView:constrainMaxCoordinate:ofSubviewAt:splitView:shouldCollapseSubview:forDoubleClickOnDividerAtIndex:splitView:canCollapseSubview:splitView:additionalEffectiveRectOfDividerAtIndex:collapsibleDividerIndexmouseDown:resizeAndAdjustSubviewsrestoreAutoresizesSubviews:animationEndedsetCollapsibleSubviewCollapsedHelper:setMinSizeForCollapsibleSubview:endGroupingsetFrameSize:animatorsetDuration:animationDurationcurrentContextbeginGroupingremoveMinSizeForCollapsibleSubviewcollapsibleSubviewCollapsedsetHidden:autoresizesSubviewssubviewIsResizable:setShowsStateBy:cellsetToggleCollapseButton:objectForKey:setAutoresizesSubviews:removeObjectForKey:numberWithInt:setState:hasCollapsibleDividerhasCollapsibleSubviewbwShiftKeyIsDownsetCollapsibleSubviewCollapsed:invalidateCursorRectsForView:adjustSubviewscollapsibleSubviewIndexsubviewIsCollapsed:collapsibleSubviewisSubviewCollapsed:subviewIsCollapsible:subviewsconvertRectFromBase:convertRectToBase:drawDimpleInRect:bwDrawPixelThickLineAtPosition:withInset:inRect:inView:horizontal:flip:isVerticalcenterScanRect:drawGradientDividerInRect:drawDividerInRect:drawSwatchInRect:dividerThicknessuserSpaceScaleFactordividerCanCollapseencodeInt:forKey:collapsiblePopupSelectionmaxUnitsminUnitsmaxValuescolorIsEnabledcolordelegatesetDividerCanCollapse:setCollapsiblePopupSelection:decodeIntForKey:setMaxUnits:setMinUnits:setMaxValues:setMinValues:setColorIsEnabled:setColor:BWSplitViewNSEventNSNumberNSAnimationContextBWAnchoredButtonBarNSSortDescriptorNSSplitViewcheckboxIsEnabledsecondaryDelegate@"NSArray"uncollapsedSizeisAnimatingsetCheckboxIsEnabled:setSecondaryDelegate:f12@0:4i8resizableSubviewsf20@0:4@8f12i16c20@0:4@8@12i16c16@0:4@8@12c16@0:4@8i12toggleCollapse:v24@0:4{_NSRect={_NSPoint=ff}{_NSSize=ff}}8awakeFromNib"!T@,VsecondaryDelegate,PtoggleCollapseButtonT@"NSButton",&,VtoggleCollapseButton,PstateForLastPreferredCalculationsT@"NSArray",&,VstateForLastPreferredCalculations,PT@"NSMutableDictionary",&,VnonresizableSubviewPreferredSize,PT@"NSMutableDictionary",&,VresizableSubviewPreferredProportion,PTc,VcollapsibleSubviewCollapsedTc,VdividerCanCollapseTi,VcollapsiblePopupSelectionT@"NSMutableDictionary",&,VmaxUnits,PT@"NSMutableDictionary",&,VminUnits,PT@"NSMutableDictionary",&,VmaxValues,PminValuesT@"NSMutableDictionary",&,VminValues,PTc,VcheckboxIsEnabledTc,VcolorIsEnabledT@"NSColor",C,Vcolor,PBWSVColorBWSVColorIsEnabledBWSVMinValuesBWSVMaxValuesBWSVMinUnitsBWSVMaxUnitsBWSVCollapsiblePopupSelectionBWSVDividerCanCollapseselfGradientSplitViewDimpleBitmap.tifGradientSplitViewDimpleVector.pdfreleaseresignFirstResponderbecomeFirstRespondersetShowsFirstResponder:setFloatValue:deltaXdeltaYdoubleValuesetEnabled:setSliderToMaximumsetHighlightsBy:setSliderToMinimumsetImage:setBordered:setFrame:removeFromSuperviewsetFrameOrigin:convertPoint:fromView:hitTest:maxValuesendAction:to:setDoubleValue:minValuesetTrackHeight:maxButtonsetMaxButton:setMinButton:BWTexturedSlidersliderCellRect{_NSRect="origin"{_NSPoint="x"f"y"f}"size"{_NSSize="width"f"height"f}}@"NSButton"i8@0:4c8@0:4scrollWheel:v12@0:4c8setIndicatorIndex:@16@0:4{_NSPoint=ff}81rT@"NSButton",&,VmaxButton,PminButtonT@"NSButton",&,VminButton,PindicatorIndexTi,VindicatorIndexBWTSIndicatorIndexBWTSMinButtonBWTSMaxButtonTexturedSliderSpeakerQuiet.pngTexturedSliderSpeakerLoud.pngTexturedSliderPhotoSmall.tifTexturedSliderPhotoLarge.tifcompositeToPoint:operation:trackHeightBWTexturedSliderCellisPressedv12@0:4i8c20@0:4{_NSPoint=ff}8@16drawKnob:drawBarInside:flipped:setNumberOfTickMarks:numberOfTickMarksI8@0:4!@Ti,VtrackHeightBWTSTrackHeightTexturedSliderTrackLeft.tiffTexturedSliderTrackFill.tiffTexturedSliderTrackRight.tiffTexturedSliderThumbP.tiffTexturedSliderThumbN.tiffBWAddSmallBottomBarsplitView:shouldHideDividerAtIndex:dividerIndexNearestToHandlelastObjectisInLastSubviewsetIsAtRightEdgeOfBar:setIsAtLeftEdgeOfBar:classNameobjectAtIndex:drawLastButtonInsetInRect:drawResizeHandleInRect:withColor:bwBringToFrontsetSplitViewDelegate:splitViewDelegateisKindOfClass:splitViewisAtBottomisResizablesetHandleIsRightAligned:setIsAtBottom:setIsResizable:mainScreeninitWithColorsAndLocations:retainNSScreenwasBorderedBarv8@0:4{_NSRect={_NSPoint=ff}{_NSSize=ff}}48@0:4@8{_NSRect={_NSPoint=ff}{_NSSize=ff}}12{_NSRect={_NSPoint=ff}{_NSSize=ff}}28i44v20@0:4@8{_NSSize=ff}12{_NSRect={_NSPoint=ff}{_NSSize=ff}}16@0:4@8i12viewDidMoveToSuperview@24@0:4{_NSRect={_NSPoint=ff}{_NSSize=ff}}8AT@,VsplitViewDelegate,PhandleIsRightAlignedTc,VhandleIsRightAlignedTc,VisResizableTc,VisAtBottomselectedIndexTi,VselectedIndexBWABBIsResizableBWABBIsAtBottomBWABBHandleIsRightAlignedBWABBSelectedIndexBWAnchoredButtonBWAnchoredPopUpButtontopAndLeftInset{_NSPoint="x"f"y"f}1@Tc,VisAtRightEdgeOfBarTc,VisAtLeftEdgeOfBardrawImage:withFrame:inView:setTemplate:intValueshowsStateBytitleRectForBounds:systemFontOfSize:textColorisAtRightEdgeOfBarsuperviewhighlightRectForBounds:drawWithFrame:inView:setShadowColor:colorWithAlphaComponent:BWAnchoredButtonCellv32@0:4@8{_NSRect={_NSPoint=ff}{_NSSize=ff}}12@28v28@0:4{_NSRect={_NSPoint=ff}{_NSSize=ff}}8@24strokelineToPoint:moveToPoint:setLineWidth:bezierPathNSBezierPathBWAdditionsv44@0:4i8i12{_NSRect={_NSPoint=ff}{_NSSize=ff}}16@32c36c40drawInRect:rotateByDegrees:pixelsHighpixelsWidebestRepresentationForDevice:unlockFocuslockFocusbwRotateImage90DegreesClockwise:@12@0:4c8encodeBool:forKey:encodeSize:forKey:selectedIdentifierarchivedDataWithRootObject:contentViewsByIdentifierdecodeBoolForKey:setInitialIBWindowSize:decodeSizeForKey:setWindowSizesByIdentifier:unarchiveObjectWithData:NSStringNSUnarchiverNSArchiver@"NSString"{_NSSize="width"f"height"f}v12@0:4@8v16@0:4{_NSSize=ff}8{_NSSize=ff}8@0:40Tc,VisPreferencesToolbarT{_NSSize="width"f"height"f},VinitialIBWindowSizeT@"NSString",C,VoldWindowTitle,PT@"NSString",C,VselectedIdentifier,PT@"NSMutableDictionary",C,VwindowSizesByIdentifier,PT@"NSMutableDictionary",C,VcontentViewsByIdentifier,PBWSTHContentViewsByIdentifierBWSTHWindowSizesByIdentifierBWSTHSelectedIdentifierBWSTHOldWindowTitleBWSTHInitialIBWindowSizeBWSTHIsPreferencesToolbarstyleMasksetFrame:display:animate:NSWindowbwIsTexturedv20@0:4{_NSSize=ff}8c16setWantsLayer:bwTurnOffLayerdurationsortSubviewsUsingFunction:context:bwAnimatorrestoreGraphicsStatesetCompositingOperation:saveGraphicsStaterectOfRow:containsIndex:selectedRowIndexesrowsInRect:drawBackgroundInClipRect:usesAlternatingRowBackgroundColorssetDataCell:dataCelladdTableColumn:BWTransparentTableViewCellNSTableViewcellClass#8@0:4highlightSelectionInClipRect:_highlightColorForCell:_alternatingRowBackgroundColorsbackgroundColor1ueditWithFrame:inView:editor:delegate:event:selectWithFrame:inView:editor:delegate:start:length:cellSizeForBounds:drawingRectForBounds:setAttributedStringValue:initWithString:attributes:attributesAtIndex:effectiveRange:attributedStringValueNSMutableAttributedStringmIsEditingOrSelectingv40@0:4{_NSRect={_NSPoint=ff}{_NSSize=ff}}8@24@28@32@36v44@0:4{_NSRect={_NSPoint=ff}{_NSSize=ff}}8@24@28@32i36i40! 1PdrawInRect:fromRect:operation:fraction:isTemplatedrawAtPoint:fromRect:operation:fraction:scaleXBy:yBy:translateXBy:yBy:transformbwTintedImageWithColor:imageColordrawArrowInFrame:isAtLeftEdgeOfBardrawInRect:angle:respondsToSelector:NSShadowBWAnchoredPopUpButtonCellNSFontNSPopUpButtonCelldrawBorderAndBackgroundWithFrame:inView:setControlSize:v12@0:4I8ButtonBarPullDownArrow.pdfdrawAtPoint:boundingRectWithSize:options:stringWithFormat:drawTextInRect:childlessCustomViewBackgroundColorcontainerCustomViewBackgroundColorbwIsOnLeopardcustomViewDarkBorderColorcustomViewDarkTexturedBorderColorcustomViewLightBorderColor%d x %d pt%d ptNSCustomViewBWCustomViewisOnItsOwn#BWUnanchoredButton10BWUnanchoredButtonCellBWUnanchoredButtonContainercloseSheet:performSelector:withObject:shouldCloseSheet:endSheet:beginSheet:modalForWindow:modalDelegate:didEndSelector:contextInfo:encodeObject:forKey:initWithWindow:orderOut:setAlphaValue:NSWindowControllerBWSCSheetBWSCParentWindowBWSheetControllersheet@"NSWindow"parentWindow@setParentWindow:setSheet:setDelegate:messageDelegateAndCloseSheet:openSheet:@12@0:4@8T@,&,N,Vdelegate,PT@"NSWindow",&,N,Vsheet,PT@"NSWindow",&,N,VparentWindow,PsetDrawsBackground:ibTesterBWTransparentScrollerNSScrollViewBWTransparentScrollView_verticalScrollerClass&setBottomCornerRounded:BWAddMiniBottomBarBWAddSheetBottomBarNSTokenFieldBWTokenField13setFont:fontsetAttachment:attachmentsetRepresentedObject:initTextCell:stringValueBWTokenAttachmentCellNSTokenFieldCellBWTokenFieldCellsetUpTokenAttachmentCell:forRepresentedObject:@16@0:4@8@12!$GpullDownRectForBounds:arrowInHighlightedState:interiorBackgroundStylegetRed:green:blue:alpha:tokenBackgroundColorbezierPathWithRoundedRect:xRadius:yRadius:drawInBezierPath:angle:fillcolorWithCalibratedRed:green:blue:alpha:NSTokenAttachmentCellpullDownImagedrawTokenWithFrame:inView:%floatValue_drawingRectForPart:rectForPart:drawKnobknobProportiondrawKnobSlotsetArrowsPosition:NSScrollerscrollerWidthForControlSize:f12@0:4I8scrollerWidthf8@0:4c{_NSRect={_NSPoint=ff}{_NSSize=ff}}12@0:4I81Q0TransparentScrollerKnobTop.tifTransparentScrollerKnobVerticalFill.tifTransparentScrollerKnobBottom.tifTransparentScrollerSlotTop.tifTransparentScrollerSlotVerticalFill.tifTransparentScrollerSlotBottom.tifTransparentScrollerKnobLeft.tifTransparentScrollerKnobHorizontalFill.tifTransparentScrollerKnobRight.tifTransparentScrollerSlotLeft.tifTransparentScrollerSlotHorizontalFill.tifTransparentScrollerSlotRight.tifBWTransparentTextFieldCell!_setItemIdentifier:bwRandomUUIDisEqualToString:setIdentifierString:BWToolbarItem#AidentifierStringT@"NSString",C,VidentifierString,PBWTIIdentifierStringmodifierFlagscurrentEventbwCapsLockKeyIsDownbwControlKeyIsDownbwOptionKeyIsDownbwCommandKeyIsDownaddCursorRect:cursor:pointingHandCursoropenURL:URLWithString:sharedWorkspaceurlStringsetUrlString:openURLInBrowser:NSWorkspaceNSURLNSCursorBWHyperlinkButtonresetCursorRects1T@"NSString",C,N,VurlString,PBWHBUrlStringblueColorBWHyperlinkButtonCellisBorderedsetNeedsDisplay:boundssetinitWithStartingColor:endingColor:bottomInsetAlphaencodeFloat:forKey:topInsetAlphahasFillColorhasBottomBorderhasTopBorderencodeWithCoder:bottomBorderColorfillColorfillEndingColorfillStartingColorgrayColorsetBottomInsetAlpha:setTopInsetAlpha:decodeFloatForKey:setHasFillColor:setHasBottomBorder:setHasTopBorder:setBottomBorderColor:setTopBorderColor:setFillColor:setFillEndingColor:setFillStartingColor:NSViewBWGradientBoxfv12@0:4f8isFlippeddrawRect:%0Tc,VhasFillColorTc,VhasBottomBorderTc,VhasTopBorderTf,VbottomInsetAlphaTf,VtopInsetAlphaT@"NSColor",&,N,VbottomBorderColor,PtopBorderColorT@"NSColor",&,N,VtopBorderColor,PT@"NSColor",&,N,VfillColor,PT@"NSColor",&,N,VfillEndingColor,PT@"NSColor",&,N,VfillStartingColor,PBWGBFillStartingColorBWGBFillEndingColorBWGBFillColorBWGBTopBorderColorBWGBBottomBorderColorBWGBHasTopBorderBWGBHasBottomBorderBWGBHasGradientBWGBHasFillColorBWGBTopInsetAlphaBWGBBottomInsetAlphasolidColorsetEndingColor:setStartingColor:hasShadowBWStyledTextFieldchangeShadowdrawInteriorWithFrame:inView:setPatternPhase:convertRect:toView:framesetTextColor:colorWithPatternImage:initWithSize:descenderascenderwindowsetShadow:isEqualTo:shadowcopyWithZone:shadowIsBelowendingColorstartingColorshadowColorperformSelector:withObject:afterDelay:applyGradientgreenColorwhiteColorsetSolidColor:setPreviousAttributes:setHasGradient:setHasShadow:setShadowIsBelow:NSImageNSGradientNSTextFieldCellBWStyledTextFieldCell@"NSColor"@"NSShadow"@12@0:4^{_NSZone=}8!&T@"NSColor",&,N,VsolidColor,PhasGradientTc,VhasGradientT@"NSColor",&,N,VendingColor,PT@"NSColor",&,N,VstartingColor,PpreviousAttributesT@"NSMutableDictionary",&,VpreviousAttributes,PT@"NSShadow",&,N,Vshadow,PTc,VhasShadowT@"NSColor",&,N,VshadowColor,PTc,VshadowIsBelowBWSTFCShadowIsBelowBWSTFCHasShadowBWSTFCHasGradientBWSTFCShadowColorBWSTFCPreviousAttributesBWSTFCStartingColorBWSTFCEndingColorBWSTFCSolidColor.???@@@@@@?@)\(?0C?Y@?@>Gz?HBHA@p0BAS?1Zd? A44?4 ~.>N^n~.>N^n~`A0HPp0 @,  @`$$000Pp"" 0Pp$$     0GP!!   @`0P @0"P"p""""<(  ) )6+  +00P0'0!00'1!01P1)1 11)2 3X4 888 88909D9`999=> >@>`>>>>(?@  -APdjyn$ <GYd>p22 /;GZ+xt`:=N`pb@;&dEYi{`*`5''*2Q:t0HiN'&p;&:}L&y&$'2'D'@bz4pX(-CTuAXKl* /HYv7ey4Mhy $-:[iF2J`w " : N a u     '* 5 E ` s   d      . 2 F O f        4&3b4|ZL-=GXcqL4Sn  &@O~f'$.'b?FS`n6:)x N ""<#K#Z#c######## $$$G$T$]$%?%t%%%%%%q'((((( ).)<)V)#x) *,*H*Z*d****A,U,,--f:X"-1-<-R-`--..1.J._....+/@/M/V/e/|/H2c2223#3|33333333f4455"5<;5N5q5755555566;)6=6P6f6y666;99;9&;4;;;;9:0:A:t:::::::$=g;u;;0;PXxk 6,(U'4<   * I  c yg p } m$ &'*^,l-34 4`0HHiaHi8a\j Pha6Pka6Pladla \*(bD0lXb M\*bUDlbLZ`sb(lc#,\*HclX\mxcc  hm \c#|8qYhcpxlrtd6jPs8d6* \Hshd  hԆtzdD ud u d$hv %(e<m$4Hv&XeL@lXv&e('Lwe))`w)e )dx)f)D0xHf6)PPxxf:+dxft,,xx,f6,Pyg6,PHy8g,-x-hg--y-g.l-(y/g/^,|ȇy*0g<!20@z<2(h2L؇Tz2Xh 4`z54ȋhp4D{h66p8{7ԋh9d|i<&<L4}<000060600 00 M0U0LZ0(0#,00(c  0<#0P0d6j06* 0x  000$0<m$0L@0('0̌))0 )0)06)0:+0t,,06,06,0,-0--0.l-0/^,0<!20H20 40p4066090<&<0pjLXZp(pFnp4tp"p|pLZpXpvnpdtpRp& #pL#b z#~# R p~13p6+, $+C+ ;p<bw6 D= >,@Z0AG  GB2CEn JE+M{pO`5 O+ "& !p B!p4P7 Q R+Q40S+VSX(h(SXSpSHp8Yi-BZUTX(h(ZXZ`:(cp.[i-cZHp\X(h(eX epeHp&nr0orhfVe X(h(qX qh(q@tbqz2t^p u4x|w+yM z z  v      *f z zO xz lz`z flp ЀKp  :Xpv p   pTz4 p. p p.p2 p  z ~ $by:آȦ4y) e)  w= Y ֵv .X 7X ĹX lh x hz Xh d  > i* .8M*:/Dz  rN p" &: wu wL+   BE  :`  < "`5 f+zq ~pc Xp$R &&7 x9h3*bG.`5 + G@b^ 4x<ZpX(h(X`5 +T47  +Oth&Z N  pB  h n  X  x  b X 7X |z@TpVS 6n&7 :  `5 !+A"#'##.t#`:*$h $+# *3f'p4r5Hp~+$pB+.%br$|5X(h($X$ >p?2  4?pp? ?p? @jpD@ = <<b<r@`5 A+$=dpB$ H$+F$pK$pF $ HK]$ F%:&.N?%r&N%rO:KP'PP.P`:FQh Q+P $ar2cf'pdrPdHpX$pXq' &e/(JRbrR|ThX(h(RXR( y7 Bi`:~h ~+}br~   v+ t^+p+ L+p+ F pz+  * + 2`5 J+ +(4Ԍ7  Ȏ+4r7 4 f+---r&.pBHp.~..T@//ެ+//M/e/7 +AHpj2p2 4`5 +<3 3p>$463 `5 +0 J482,HpB5p.5p"5p7p q5p565/564/=6N5)6;5;<t6f"5Z:P6 f6 R6 6 >y6 6P7 *`5 T+; 9pZ9 ;p9 d&;p*;< 04;p;;Z;9;T4;pH;:9.: :p"; $=p&;p;p <9p H;;; @9 9 $:g; (:Hp^:a<`5 Z+`hXXXX(YXYYYYZHZxZZZ[8[h[[[[(\\xX\\\\]H]x]]]^8^h^^^^(_X___̍_`H`x``@,~@,~@,~@,~@,~@,~@,~@,~@,@,@, @,0@,@@,P@,`@,p@,@,@,@,@,@,@,@,@,@,@, @,0@,@@,P@,`@,p@,@,@,@,@,@,Ѐ@,@,@,@,@, @,0@,@@,P@,`@,p@,@,@,@,@$D6HHHL_/PdTb/X/h2 ><T /X~ /Y /Z/[ t+\.H` Hd Hh HllHpKHtX x d| 6 /d\d`dtXx/hdl/P/Q /RdTt+X'/\./]Vf`HH  j  b/$&/0'/`./aVfd)/\Vf\L+R+^+R+F t+ * /x2 H3 \ 5><P5><T5><X7><\q5><`56d46hN5/l;5/m</n"5/o ;/09/1</24;><4&;><8;><<9><@:I<D$=HH1b  1XzKl= `    .8~ a 2 Xh 5Zu.'b !j\!!!!.'F +L++^+,223:4 "5*7<<;5G7N5h74z757q5777585.85S8 9<<<;<&;=$=7=:n=9=4;=;=     ȉ   H `    L.VL]L`jLtqL|LLB0LL,$$GLGLZL8,$L//̥//LLĸ, ;4#T6tg   63T9N'+<#C$# DK#E#p FEc2p03D3W3li3&.)N!`!Ip$} pQ"`DppSDppSCRBUDppSDppSDppSGpSDppSGpSDppSGpSDppSGpSCRBpSCRBUCRBUCRBUDppSCRBUCRBUDppSCRBUDppSCRBpSCRBUDppSCRBpSCRBpSDppSDppSCRCTDppSDppSDppSGpSDppSDppSCRBpSDppSCRBUCRBUDppSCRBUDppSCRBUISISISISISISISDpSISDpSISDpSISDpSDpSDpSDpSISDpSISDpSISDpSISISDpSISISDpSISISDpSISISISISDpSDpSDpSISISISISISK`B`B`rB\BSBSB`B`B`B`B`B`9B`'B\B`]B`B`B`0B`B\B`B`$BVBYBVBSB`$BSB\B\BSB`B`BSB`B`B\B`QB`*B`QC3 pRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRARARARARARARARBRBRARARARARARARARARARARARARARARARARBRARARARARBRARBRARARARARBRARARBRARARARARARBRBRARARBRBRBRARARBRBRBRBRARARARARARARARARARARBRARARARARARARARARCXB`BVBRBZBTB\BTBVBRBRB`B`B SBSBSBSBSBSBSBVBSBVBSBSBSBSBYBVDSDSDSDRAp RAp RApSBVBVBYBSB`BS !ppp Q@dyld_stub_binderQq@___CFConstantStringClassReference$} @_NSZeroRectq@_NSApp@_NSFontAttributeNameq@_NSForegroundColorAttributeName@_NSShadowAttributeName@_NSUnderlineStyleAttributeName@_NSWindowDidResizeNotificationqq@_CFMakeCollectableq @_CFReleaseq@_CFUUIDCreateq@_CFUUIDCreateStringq@_CGContextRestoreGStateq@_CGContextSaveGStateq @_CGContextSetShouldSmoothFontsq$@_Gestaltq(@_NSClassFromStringq,@_NSDrawThreePartImageq0@_NSInsetRectq4@_NSIntegralRectq8@_NSIsEmptyRectq<@_NSOffsetRectq@@_NSPointInRectqD@_NSRectFillqH@_NSRectFillUsingOperationqL@_ceilfqP@_floorfqT@_fmaxfqX@_fminfq\@_modfq`@_objc_assign_globalqd@_objc_assign_ivarqh@_objc_enumerationMutationql@_objc_getPropertyqp@_objc_msgSendqt@_objc_msgSendSuperqx@_objc_msgSendSuper_stretq|@_objc_msgSend_fpretq@_objc_msgSend_stretq@_objc_setPropertyq@_roundf_.objc_cVcompareViewsJBWSelectableToolbarItemClickedNotificationP lass_name_BWxategory_name_NS TSARemoveBottomBarInsetTextFieldCustomViewUnanchoredButtonHyperlinkButtonGradientBoxoransparentexturedSliderolbarkenShowItemColorsItemFontsItem  electableToolbarplitViewheetControllertyledTextFieldȱ HelperddnchoredRegularBottomBarSMiniBottomBar  ز ButtonCheckboxPopUpButtonST Cell  Cell ȴ Cell lidercroll Cellص   Cell mallBottomBarheetBottomBar ButtonPopUpButtonBarȷ  Cell ظ ableViewextFieldCell Cell  Cell Ⱥ  Cellontainer ػ  Viewer   FieldAttachmentCellȽ Cell  ؾ    Cell   Cell Window_BWAdditions View_BWAdditions String_BWAdditions Image_BWAdditions Event_BWAdditions Color_BWAdditions Application_BWAdditions         &,28>DJPV\ t z $4DTdt$4DTdt@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@ @@@AA(A8AHAXAhAxAAAAAAAAABB(B8BHBXBhBxBBBBBBBBBCC(C8CHCXChCxCCCCCCCCCDD(D8DHDXDhDxDDDDDDDDDEE(E8EHEXEhExEEEEEEEEEFF(F8FHFXFhFxFFFFFFFFFGG(G8GHGXGhGxGGGGGGGGGHH(H8HHHXHhHxHHHHHPPP PPPPP P$P(P,P0P4P8PN>.h$$fNf.Jh$J$N.i$$PNP.nBi$n$N. ki$ $N.i$$N.i$$N.6i$6$N.j$$0N0., kj$, $&N&.R j$R $N. j$ $RNR.B!j$B!$RNR.!k$!$xNx. "Hk$ "$N.#nk$#$<N<.L#k$L#$.N..z#k$z#$<N<.#k$#$ N .~1l$~1$&N&.3/l$3$<N<.6_l$6$N.;l$;$4N4.<l$<$rNr.D=l$D=$tNt.>%m$>$tNt.,@Wm$,@$N.0Avm$0A$RNR.Bm$B$N.2Cm$2C$N.En$E$N.M$n$M$N.OOn$O$N.O~n$O$Nn n& Hn& Hdcdnd ofnYK.Po$Po$&N&.Qo$Qp$N.QHp$Q$2N2.Rkp$R$JNJdcdpdpfnYK.0Sq$0S$%N%dcd6qdIqfnYK.VSq$VSq$tNtdcdrd+rfnYK.Sr$S$ N .Sr$Sr$N.S0s$S$<N<.TYs$T$N.Us$U$N..Vs$.V$ N .8Ys$8Y$ N .BZt$BZ$}N}Nt& H\t& Hkt& Hxt& Ht& Ht& Ht& Ht& HdcdtdtfnYK.ZTu$Z$ N .Z}u$Zu$N.Zu$Z$^N^..[v$.[$N.\:v$\$zNz.]gv$]$2N2.`v$`$tNt.(cv$(c$N.cw$c$^N^N>.y]}$y$N}& $I}& (I}& ,I}& 0I}& 4I}& 8I}& N>.|$|$~N~.v($v$<N<.E$$<N<.b$$<N<.*~$*$<N<.f$f$<N<.р$$.N..Ѐ$Ѐ$<N<. 8$ $.N..:h$:$<N<.v$v$.N..΁$$<N<.$$.N..$$&N&.4?$4$N..V$.$rNr.n$$rNr.$$rNr.$$rNr.$$N.z͂$z$vNv.$$4N4.$$$$lNl.)$$RNR.I$$N.}$$N.:$:$LNL.Ճ$$RNR.آ$آ$N.ȦP$Ȧ$lNl.4$4$N.$$N. ބ$ $N.$$N.$$$NNN.ֵE$ֵ$XNX..q$.$N.$$N.$$N.Ĺ$Ĺ$N.l\$l$N.$$ZNZ.h$h$XNX.$$N.XW$X$ N .d$d$N.>$>$N.Ç$$ZNZ.*$*$N.. $.$ N .8P$8$dNd.$$N.*$*$hNh.ˈ$$:N:.$$DND.!$$bNb.r?$r$VNV.d$$^N^.&$&$dNd.$$DND.ډ$$~N~.L$L$N."$$DND.B>$B$N.:_$:$N.<$<$N."$"$DND.fNJ$f$tNt& H& @I& DI & HI& LI1& PIE& TIdcdWdjfnYK.ދ$$ N .2$$N.U$$N.~t$~$<N<.$$.N..$$<N<.$֌$$$.N..R$R$dNd.$$hNh.9$$hNh.b$$N.$$vNv.$$N.xʍ$x$N.h$h$N.*$*$N.,$$N..S$.$^N^.w$$:N:.$$N& XI͎& \Iގ& `I& dIdcddfnYK.$$N.$ޏ$N.$$N.=$$N.k$$ N .$$ N .$$N.$$ZNZ.B$B$ZNZ.8$$tNt.r$$,N,.<$<$N.Ñ$$xNx.T$T$N& hI & lI-& pI=& tIN& xIdcd^dtfnYK.$$&N&. $/$N.c$$2N2.$$JNJdcddfnYK.05$0[$N.B$B$ N .N$N$ N .Z$Z$N.h$h$ N .t7$t$N.^$$ N .$$ N .$$ N .˕$$(N(. $ $&N&. $ $fNf.n U$n $lNl. $ $N. $ $tNt. ?$ $fNf. t$ $N.$$tNt.|$|$tNt.:$$N.$$N.$$N.T̘$T$N.$$N.$$N.VF$V$N.m$$ZNZ.6$6$N.&͙$&$N.:$:$N. '$ $N.!K$!$ N ."s$"$N& |I& I& I& Iך& I& I& I & I& I'& I7& IJ& IdcdWdjfnYK.t#ޛ$t#$ N .#6$#$N.#a$#$ N .#$#$N.#$#$N.*$Ԝ$*$$pNp.$$$$RNRdcd d$fnYK.$$$$ N .$$$$N.$$$$2N2..%M$.%$N.B+$B+$<N<.~+$~+$2N2.,ʞ$,$zNz.*3$*3$N.4!$4$<N<.5D$5$N.5p$5$N& I& I& Iϟ& I& I& I& I!& I3& IF& IU& Ih& I|& I& I& I& I& Idcdd̠fnYK.6C$6$MNMdcdסdfnYK.9d$9$FNF.<Ѣ$<$NdcddfnYK.<$<̣$ N .<$<$N.<<$<$N.=m$=$N.$=$$=$N.>Τ$>$<N<.?$?$.N..4?>$4?$<N<.p?w$p?$.N..?$?$<N<.?$?$.N..@$@$<N<.D@@$D@$.N..r@l$r@$N.A$A$N.B$B$UNUdcddfnYK.Cp$C$,N,. D˧$ D$[N[dcddfnYK.hE$hE$*N*.EȨ$E$JNJ.E$E$.N.. F$ F$Ndcd6dOfnYK.Fɩ$F$N.F*$F$N.F\$F$N.G$G$*N*.G$G$N.HϪ$H$N.K$K$HNH.HKA$HK$mNmu& I& I& IdcddfnYK.K7$Ks$xNx..N$.N$N.N$N$N.OK$O$NdcddfnYK.P$P<$ N .Pr$P$N.P$P$ N .Pͮ$P$N.P$P$N.FQ$$FQ$pNp.QC$Q$RNRdcdgdfnYK.R$R$ N .R)$RV$N.R$R$2N2.JRŰ$JR$LNL.X $X$<N<.X2$X$2N2.Z_$Z$ N .$a$$a$N.2c$2c$N.d$d$<N<.Pd$Pd$N.&eI$&e$.N..Thx$Th$N& I& J̲& Jܲ& J& J & J& J.& J@& JS& Jb& $Ju& (J& ,J& 0J& 4J& 8J& $HNH.̥t$̥$HNH.$$N.$$N.ެ$ެ$N.$$nNn.J$$N.l$$N.$$N.$$N& J& J& J& J& J)& J2& J=& JQ& J[& Jg& Jy& J& J& J& JdcddfnYK.jF$jt$ZNZ.ĸ$ĸ$wNw& JdcddfnYK.<e$<$|N|.$$.N..$$NNN.4$4$N.$$tNtdcd6dMfnYK.$$YNYdcd d6fnYK.$$FNF.& $&$FNF.l5$l$FNF._$$FNF.$$ENEdcddfnYK.>?$>^$ N .J$J$JNJ.$$N.0$0$|N|.$$<N<. $$NNN.6=$6$N.c$$tNtdcddfnYK.,$,$N.2N$2t$N.8$8$ N .B$B$ N dcddfnYK.Px$P$ N .Z$Z$ N .f$f$N.t$t$ N .$$N.?$$ N .`$$N.$$ N .$$N.$$ N .$$N. $$ N .,$$N.O$$ N . r$ $ N .$$ N ."$"$ N ..$.$ N .:$:$N. $$vNv.R1$R$vNv.U$$vNv.>z$>$vNv.$$vNv.*$*$*N*.T$T$N.$$Ndcdd1fnYK.$$>N>.$$^N^.Z$Z$>N>.=$$^N^.d$$:N:.0$0$^N^.$$>N>.$$^N^.*$*$:N:.d$d$^N^.:$$:N:.[$$^N^.Z$Z$:N:.$$]N]dcddfnYK.U$y$ N .$$ N . $ $ N .$$ N ." $"$ N ..@$.$ N .:c$:$N.H$H$ N .T$T$ N .`$`$BNB.$$<N<."$$<N<.R$$.N..H~$H$nNn.$$,N,.$$^N^.@$@$vNv.#$$nNn.$L$$$nNn.w$$N.$$N.($($N.$$N.!$$N.^J$^$N.k$$DND.Z$Z$NdcddfnYK.NU$N$ENEd-@"j4FXj|(;RddvX/eJ9`n  69, R  B!;!f "#L#z##/~1M3}6;<D=C>u,@0AB2CEBMmOOPQ Q/ RU 0Sq VS S S S TE U| .V 8Y BZ Z- ZZ Z .[ \ ] `> (cy c  e e e< Vew f h `j&nA0oupq qq(q[tqttu|wAykDzTz`zlzxzzFzszzz|v (D*`fЀ .:cv4.4Le~z$Cj:آȦJ4  ֵ7.bĹ"l_hXPdj>*.8El*r*L&sLB%:O<q"f~4Rt$R!Ahxh*.5Z~, P x  B !'!<V!!T!!! "/"0U"B~"N"Z"h"t$#F#k### # $n r$ $ % :% v%%|&J&i&&T&& 'V3'a'6'&':' (!9("_(t#(#(#(#)#$)*$>)$])$)$)$).% *B+.*~+V*,y**3*4*5*5*+6+9+<+<%,<[,<,=,$=,>'-?]-4?-p?-?-?/.@_.D@.r@.A.B/C&/ DW/E}/E/ F/F/F!0FK0Go0G0H0K1HK:1Kv1.N1N2OG2Ps2P2P2P2P%3FQD3Qh3R3R3R3JR94X`4X4Z4$a42c5dF5Pdw5&e5Th5Bi5y6}86~T6~u6~6687 -7zK7f777J7278D8h8t888(8+9ԌH9m99Ȏ9r994:f9:|:B:: ;~:;^;&;;;̥<<<`<ެ<<<<=G=ju=ĸ=<===4>A>g>>&>l>?[?J}??0??@6.@T@,@2@8@B@PAZ4AfVAtsAAAAABCD*0DTRDrDDDZDDE0DEeEE*EdEEFZ:F^FFF FF"G.6G:]GHGTG`GG%HQHHzHHH@HI$JIII(IIJ^>JeJZJNJZJ HJ HJ HJ H K HK H'K H4K HBK HOK H\K HjK HwK HK HK HK HK HK HK HK HK IK IL IL IL I*L I7L IGL ISL I`L $ImL (IzL ,IL 0IL 4IL 8IL N INN IXN IhN I{N IN IN IN IN IN IN IN I O IO I0O I?O IRO IfO ItO IO IO IO IO IO IO IO IO JO JO JP J)P J9P JJP J\P JoP J~P $JP (JP ,JP 0JP 4JP 8JP ? @ A B C D E F G H I J K L M N O P Q R S T U V W X Y Z [ \ ] ^ _ ` a b c d e f g h i j k l m n o p q r s t u v w x y z { | } ~                  __mh_dylib_headerdyld_stub_binding_helper__dyld_func_lookup-[BWToolbarShowColorsItem itemIdentifier]-[BWToolbarShowColorsItem label]-[BWToolbarShowColorsItem paletteLabel]-[BWToolbarShowColorsItem action]-[BWToolbarShowColorsItem toolTip]-[BWToolbarShowColorsItem image]-[BWToolbarShowColorsItem target]-[BWToolbarShowFontsItem itemIdentifier]-[BWToolbarShowFontsItem label]-[BWToolbarShowFontsItem paletteLabel]-[BWToolbarShowFontsItem action]-[BWToolbarShowFontsItem toolTip]-[BWToolbarShowFontsItem image]-[BWToolbarShowFontsItem target]-[BWSelectableToolbar toolbarDefaultItemIdentifiers:]-[BWSelectableToolbar toolbarAllowedItemIdentifiers:]-[BWSelectableToolbar isPreferencesToolbar]-[BWSelectableToolbar documentToolbar]-[BWSelectableToolbar editableToolbar]-[BWSelectableToolbar awakeFromNib]-[BWSelectableToolbar selectFirstItem]-[BWSelectableToolbar selectInitialItem]-[BWSelectableToolbar toggleActiveView:]-[BWSelectableToolbar identifierAtIndex:]-[BWSelectableToolbar setEnabled:forIdentifier:]-[BWSelectableToolbar validateToolbarItem:]-[BWSelectableToolbar toolbar:itemForItemIdentifier:willBeInsertedIntoToolbar:]-[BWSelectableToolbar toolbarSelectableItemIdentifiers:]-[BWSelectableToolbar selectedIndex]-[BWSelectableToolbar setSelectedIndex:]-[BWSelectableToolbar setDocumentToolbar:]-[BWSelectableToolbar setEditableToolbar:]-[BWSelectableToolbar initWithCoder:]-[BWSelectableToolbar setHelper:]-[BWSelectableToolbar helper]-[BWSelectableToolbar setEnabledByIdentifier:]-[BWSelectableToolbar switchToItemAtIndex:animate:]-[BWSelectableToolbar labels]-[BWSelectableToolbar setIsPreferencesToolbar:]-[BWSelectableToolbar selectableItemIdentifiers]-[BWSelectableToolbar windowDidResize:]-[BWSelectableToolbar enabledByIdentifier]-[BWSelectableToolbar setSelectedItemIdentifierWithoutAnimation:]-[BWSelectableToolbar setSelectedItemIdentifier:]-[BWSelectableToolbar dealloc]-[BWSelectableToolbar setItemSelectors]-[BWSelectableToolbar selectItemAtIndex:]-[BWSelectableToolbar toolbarIndexFromSelectableIndex:]-[BWSelectableToolbar initialSetup]-[BWSelectableToolbar initWithIdentifier:]-[BWSelectableToolbar _defaultItemIdentifiers]-[BWSelectableToolbar encodeWithCoder:]-[BWAddRegularBottomBar bounds]-[BWAddRegularBottomBar initWithCoder:]-[BWAddRegularBottomBar drawRect:]-[BWAddRegularBottomBar awakeFromNib]-[BWRemoveBottomBar bounds]-[BWInsetTextField initWithCoder:]-[BWTransparentButtonCell controlSize]-[BWTransparentButtonCell setControlSize:]-[BWTransparentButtonCell interiorColor]-[BWTransparentButtonCell drawBezelWithFrame:inView:]-[BWTransparentButtonCell drawImage:withFrame:inView:]+[BWTransparentButtonCell initialize]-[BWTransparentButtonCell _textAttributes]-[BWTransparentButtonCell drawTitle:withFrame:inView:]-[BWTransparentCheckboxCell controlSize]-[BWTransparentCheckboxCell setControlSize:]-[BWTransparentCheckboxCell isInTableView]-[BWTransparentCheckboxCell interiorColor]-[BWTransparentCheckboxCell _textAttributes]+[BWTransparentCheckboxCell initialize]-[BWTransparentCheckboxCell drawImage:withFrame:inView:]-[BWTransparentCheckboxCell drawInteriorWithFrame:inView:]-[BWTransparentCheckboxCell drawTitle:withFrame:inView:]-[BWTransparentPopUpButtonCell controlSize]-[BWTransparentPopUpButtonCell setControlSize:]-[BWTransparentPopUpButtonCell interiorColor]-[BWTransparentPopUpButtonCell drawBezelWithFrame:inView:]-[BWTransparentPopUpButtonCell drawImageWithFrame:inView:]-[BWTransparentPopUpButtonCell imageRectForBounds:]+[BWTransparentPopUpButtonCell initialize]-[BWTransparentPopUpButtonCell _textAttributes]-[BWTransparentPopUpButtonCell titleRectForBounds:]-[BWTransparentSliderCell _usesCustomTrackImage]-[BWTransparentSliderCell setTickMarkPosition:]-[BWTransparentSliderCell controlSize]-[BWTransparentSliderCell setControlSize:]-[BWTransparentSliderCell startTrackingAt:inView:]+[BWTransparentSliderCell initialize]-[BWTransparentSliderCell stopTracking:at:inView:mouseIsUp:]-[BWTransparentSliderCell knobRectFlipped:]-[BWTransparentSliderCell drawKnob:]-[BWTransparentSliderCell drawBarInside:flipped:]-[BWTransparentSliderCell initWithCoder:]-[BWSplitView animationEnded]-[BWSplitView secondaryDelegate]-[BWSplitView collapsibleSubviewCollapsed]-[BWSplitView dividerCanCollapse]-[BWSplitView setDividerCanCollapse:]-[BWSplitView collapsiblePopupSelection]-[BWSplitView setCollapsiblePopupSelection:]-[BWSplitView setCheckboxIsEnabled:]-[BWSplitView colorIsEnabled]-[BWSplitView initWithCoder:]+[BWSplitView initialize]-[BWSplitView setMinValues:]-[BWSplitView setMaxValues:]-[BWSplitView setMinUnits:]-[BWSplitView setMaxUnits:]-[BWSplitView setResizableSubviewPreferredProportion:]-[BWSplitView resizableSubviewPreferredProportion]-[BWSplitView setNonresizableSubviewPreferredSize:]-[BWSplitView nonresizableSubviewPreferredSize]-[BWSplitView setStateForLastPreferredCalculations:]-[BWSplitView stateForLastPreferredCalculations]-[BWSplitView setToggleCollapseButton:]-[BWSplitView toggleCollapseButton]-[BWSplitView setSecondaryDelegate:]-[BWSplitView dealloc]-[BWSplitView maxUnits]-[BWSplitView minUnits]-[BWSplitView maxValues]-[BWSplitView minValues]-[BWSplitView color]-[BWSplitView setColor:]-[BWSplitView setColorIsEnabled:]-[BWSplitView checkboxIsEnabled]-[BWSplitView setDividerStyle:]-[BWSplitView splitView:resizeSubviewsWithOldSize:]-[BWSplitView resizeAndAdjustSubviews]-[BWSplitView clearPreferredProportionsAndSizes]-[BWSplitView validateAndCalculatePreferredProportionsAndSizes]-[BWSplitView correctCollapsiblePreferredProportionOrSize]-[BWSplitView validatePreferredProportionsAndSizes]-[BWSplitView recalculatePreferredProportionsAndSizes]-[BWSplitView subviewMaximumSize:]-[BWSplitView subviewMinimumSize:]-[BWSplitView subviewIsResizable:]-[BWSplitView resizableSubviews]-[BWSplitView splitViewWillResizeSubviews:]-[BWSplitView splitViewDidResizeSubviews:]-[BWSplitView splitView:effectiveRect:forDrawnRect:ofDividerAtIndex:]-[BWSplitView splitView:constrainSplitPosition:ofSubviewAt:]-[BWSplitView splitView:constrainMinCoordinate:ofSubviewAt:]-[BWSplitView splitView:constrainMaxCoordinate:ofSubviewAt:]-[BWSplitView splitView:shouldCollapseSubview:forDoubleClickOnDividerAtIndex:]-[BWSplitView splitView:canCollapseSubview:]-[BWSplitView splitView:additionalEffectiveRectOfDividerAtIndex:]-[BWSplitView splitView:shouldHideDividerAtIndex:]-[BWSplitView mouseDown:]-[BWSplitView toggleCollapse:]-[BWSplitView restoreAutoresizesSubviews:]-[BWSplitView removeMinSizeForCollapsibleSubview]-[BWSplitView setMinSizeForCollapsibleSubview:]-[BWSplitView setCollapsibleSubviewCollapsed:]-[BWSplitView collapsibleDividerIndex]-[BWSplitView hasCollapsibleDivider]-[BWSplitView animationDuration]-[BWSplitView setCollapsibleSubviewCollapsedHelper:]-[BWSplitView adjustSubviews]-[BWSplitView hasCollapsibleSubview]-[BWSplitView collapsibleSubview]-[BWSplitView collapsibleSubviewIndex]-[BWSplitView collapsibleSubviewIsCollapsed]-[BWSplitView subviewIsCollapsed:]-[BWSplitView subviewIsCollapsible:]-[BWSplitView setDelegate:]-[BWSplitView drawDimpleInRect:]-[BWSplitView drawGradientDividerInRect:]-[BWSplitView drawDividerInRect:]-[BWSplitView awakeFromNib]-[BWSplitView encodeWithCoder:]-[BWTexturedSlider indicatorIndex]-[BWTexturedSlider initWithCoder:]+[BWTexturedSlider initialize]-[BWTexturedSlider setMinButton:]-[BWTexturedSlider minButton]-[BWTexturedSlider setMaxButton:]-[BWTexturedSlider maxButton]-[BWTexturedSlider dealloc]-[BWTexturedSlider resignFirstResponder]-[BWTexturedSlider becomeFirstResponder]-[BWTexturedSlider scrollWheel:]-[BWTexturedSlider setEnabled:]-[BWTexturedSlider setIndicatorIndex:]-[BWTexturedSlider drawRect:]-[BWTexturedSlider hitTest:]-[BWTexturedSlider setSliderToMaximum]-[BWTexturedSlider setSliderToMinimum]-[BWTexturedSlider setTrackHeight:]-[BWTexturedSlider trackHeight]-[BWTexturedSlider encodeWithCoder:]-[BWTexturedSliderCell controlSize]-[BWTexturedSliderCell setControlSize:]-[BWTexturedSliderCell numberOfTickMarks]-[BWTexturedSliderCell setNumberOfTickMarks:]-[BWTexturedSliderCell _usesCustomTrackImage]-[BWTexturedSliderCell trackHeight]-[BWTexturedSliderCell setTrackHeight:]-[BWTexturedSliderCell startTrackingAt:inView:]+[BWTexturedSliderCell initialize]-[BWTexturedSliderCell stopTracking:at:inView:mouseIsUp:]-[BWTexturedSliderCell drawKnob:]-[BWTexturedSliderCell drawBarInside:flipped:]-[BWTexturedSliderCell encodeWithCoder:]-[BWTexturedSliderCell initWithCoder:]-[BWAddSmallBottomBar bounds]-[BWAddSmallBottomBar initWithCoder:]-[BWAddSmallBottomBar drawRect:]-[BWAddSmallBottomBar awakeFromNib]+[BWAnchoredButtonBar wasBorderedBar]-[BWAnchoredButtonBar splitViewDelegate]-[BWAnchoredButtonBar handleIsRightAligned]-[BWAnchoredButtonBar setHandleIsRightAligned:]-[BWAnchoredButtonBar isResizable]-[BWAnchoredButtonBar setIsResizable:]-[BWAnchoredButtonBar isAtBottom]-[BWAnchoredButtonBar selectedIndex]-[BWAnchoredButtonBar initWithCoder:]+[BWAnchoredButtonBar initialize]-[BWAnchoredButtonBar setSplitViewDelegate:]-[BWAnchoredButtonBar splitView:shouldHideDividerAtIndex:]-[BWAnchoredButtonBar splitView:shouldCollapseSubview:forDoubleClickOnDividerAtIndex:]-[BWAnchoredButtonBar splitView:effectiveRect:forDrawnRect:ofDividerAtIndex:]-[BWAnchoredButtonBar splitView:constrainSplitPosition:ofSubviewAt:]-[BWAnchoredButtonBar splitView:canCollapseSubview:]-[BWAnchoredButtonBar splitView:resizeSubviewsWithOldSize:]-[BWAnchoredButtonBar splitView:constrainMaxCoordinate:ofSubviewAt:]-[BWAnchoredButtonBar splitView:constrainMinCoordinate:ofSubviewAt:]-[BWAnchoredButtonBar splitView:additionalEffectiveRectOfDividerAtIndex:]-[BWAnchoredButtonBar dealloc]-[BWAnchoredButtonBar setSelectedIndex:]-[BWAnchoredButtonBar setIsAtBottom:]-[BWAnchoredButtonBar splitView]-[BWAnchoredButtonBar dividerIndexNearestToHandle]-[BWAnchoredButtonBar isInLastSubview]-[BWAnchoredButtonBar viewDidMoveToSuperview]-[BWAnchoredButtonBar drawLastButtonInsetInRect:]-[BWAnchoredButtonBar drawResizeHandleInRect:withColor:]-[BWAnchoredButtonBar drawRect:]-[BWAnchoredButtonBar awakeFromNib]-[BWAnchoredButtonBar encodeWithCoder:]-[BWAnchoredButtonBar initWithFrame:]-[BWAnchoredButton isAtRightEdgeOfBar]-[BWAnchoredButton setIsAtRightEdgeOfBar:]-[BWAnchoredButton isAtLeftEdgeOfBar]-[BWAnchoredButton setIsAtLeftEdgeOfBar:]-[BWAnchoredButton initWithCoder:]-[BWAnchoredButton frame]-[BWAnchoredButton mouseDown:]-[BWAnchoredButtonCell controlSize]-[BWAnchoredButtonCell setControlSize:]-[BWAnchoredButtonCell highlightRectForBounds:]-[BWAnchoredButtonCell drawBezelWithFrame:inView:]-[BWAnchoredButtonCell textColor]-[BWAnchoredButtonCell _textAttributes]+[BWAnchoredButtonCell initialize]-[BWAnchoredButtonCell drawImage:withFrame:inView:]-[BWAnchoredButtonCell imageColor]-[BWAnchoredButtonCell titleRectForBounds:]-[BWAnchoredButtonCell drawWithFrame:inView:]-[NSColor(BWAdditions) bwDrawPixelThickLineAtPosition:withInset:inRect:inView:horizontal:flip:]-[NSImage(BWAdditions) bwRotateImage90DegreesClockwise:]-[NSImage(BWAdditions) bwTintedImageWithColor:]-[BWSelectableToolbarHelper isPreferencesToolbar]-[BWSelectableToolbarHelper setIsPreferencesToolbar:]-[BWSelectableToolbarHelper initialIBWindowSize]-[BWSelectableToolbarHelper setInitialIBWindowSize:]-[BWSelectableToolbarHelper initWithCoder:]-[BWSelectableToolbarHelper setContentViewsByIdentifier:]-[BWSelectableToolbarHelper contentViewsByIdentifier]-[BWSelectableToolbarHelper setWindowSizesByIdentifier:]-[BWSelectableToolbarHelper windowSizesByIdentifier]-[BWSelectableToolbarHelper setSelectedIdentifier:]-[BWSelectableToolbarHelper selectedIdentifier]-[BWSelectableToolbarHelper setOldWindowTitle:]-[BWSelectableToolbarHelper oldWindowTitle]-[BWSelectableToolbarHelper dealloc]-[BWSelectableToolbarHelper encodeWithCoder:]-[BWSelectableToolbarHelper init]-[NSWindow(BWAdditions) bwIsTextured]-[NSWindow(BWAdditions) bwResizeToSize:animate:]-[NSView(BWAdditions) bwBringToFront]-[NSView(BWAdditions) bwTurnOffLayer]-[NSView(BWAdditions) bwAnimator]-[BWTransparentTableView backgroundColor]-[BWTransparentTableView _highlightColorForCell:]-[BWTransparentTableView addTableColumn:]+[BWTransparentTableView cellClass]+[BWTransparentTableView initialize]-[BWTransparentTableView highlightSelectionInClipRect:]-[BWTransparentTableView _alternatingRowBackgroundColors]-[BWTransparentTableView drawBackgroundInClipRect:]-[BWTransparentTableViewCell drawInteriorWithFrame:inView:]-[BWTransparentTableViewCell editWithFrame:inView:editor:delegate:event:]-[BWTransparentTableViewCell selectWithFrame:inView:editor:delegate:start:length:]-[BWTransparentTableViewCell drawingRectForBounds:]-[BWAnchoredPopUpButton isAtRightEdgeOfBar]-[BWAnchoredPopUpButton setIsAtRightEdgeOfBar:]-[BWAnchoredPopUpButton isAtLeftEdgeOfBar]-[BWAnchoredPopUpButton setIsAtLeftEdgeOfBar:]-[BWAnchoredPopUpButton initWithCoder:]-[BWAnchoredPopUpButton frame]-[BWAnchoredPopUpButton mouseDown:]-[BWAnchoredPopUpButtonCell controlSize]-[BWAnchoredPopUpButtonCell setControlSize:]-[BWAnchoredPopUpButtonCell highlightRectForBounds:]-[BWAnchoredPopUpButtonCell drawBorderAndBackgroundWithFrame:inView:]-[BWAnchoredPopUpButtonCell textColor]-[BWAnchoredPopUpButtonCell _textAttributes]+[BWAnchoredPopUpButtonCell initialize]-[BWAnchoredPopUpButtonCell drawImageWithFrame:inView:]-[BWAnchoredPopUpButtonCell imageRectForBounds:]-[BWAnchoredPopUpButtonCell imageColor]-[BWAnchoredPopUpButtonCell titleRectForBounds:]-[BWAnchoredPopUpButtonCell drawArrowInFrame:]-[BWAnchoredPopUpButtonCell drawWithFrame:inView:]-[BWCustomView drawRect:]-[BWCustomView drawTextInRect:]-[BWUnanchoredButton initWithCoder:]-[BWUnanchoredButton frame]-[BWUnanchoredButton mouseDown:]-[BWUnanchoredButtonCell highlightRectForBounds:]-[BWUnanchoredButtonCell drawBezelWithFrame:inView:]+[BWUnanchoredButtonCell initialize]-[BWUnanchoredButtonContainer awakeFromNib]-[BWSheetController delegate]-[BWSheetController sheet]-[BWSheetController parentWindow]-[BWSheetController awakeFromNib]-[BWSheetController encodeWithCoder:]-[BWSheetController openSheet:]-[BWSheetController closeSheet:]-[BWSheetController messageDelegateAndCloseSheet:]-[BWSheetController initWithCoder:]-[BWSheetController setParentWindow:]-[BWSheetController setSheet:]-[BWSheetController setDelegate:]-[BWTransparentScrollView initWithCoder:]+[BWTransparentScrollView _verticalScrollerClass]-[BWAddMiniBottomBar bounds]-[BWAddMiniBottomBar initWithCoder:]-[BWAddMiniBottomBar drawRect:]-[BWAddMiniBottomBar awakeFromNib]-[BWAddSheetBottomBar bounds]-[BWAddSheetBottomBar initWithCoder:]-[BWAddSheetBottomBar drawRect:]-[BWAddSheetBottomBar awakeFromNib]-[BWTokenFieldCell setUpTokenAttachmentCell:forRepresentedObject:]-[BWTokenAttachmentCell pullDownImage]-[BWTokenAttachmentCell arrowInHighlightedState:]-[BWTokenAttachmentCell drawTokenWithFrame:inView:]-[BWTokenAttachmentCell interiorBackgroundStyle]+[BWTokenAttachmentCell initialize]-[BWTokenAttachmentCell pullDownRectForBounds:]-[BWTokenAttachmentCell _textAttributes]+[BWTransparentScroller scrollerWidth]+[BWTransparentScroller scrollerWidthForControlSize:]-[BWTransparentScroller initWithFrame:]+[BWTransparentScroller initialize]-[BWTransparentScroller rectForPart:]-[BWTransparentScroller _drawingRectForPart:]-[BWTransparentScroller drawKnob]-[BWTransparentScroller drawKnobSlot]-[BWTransparentScroller drawRect:]-[BWTransparentScroller initWithCoder:]-[BWTransparentTextFieldCell _textAttributes]+[BWTransparentTextFieldCell initialize]-[BWToolbarItem initWithCoder:]-[BWToolbarItem identifierString]-[BWToolbarItem dealloc]-[BWToolbarItem setIdentifierString:]-[BWToolbarItem encodeWithCoder:]+[NSString(BWAdditions) bwRandomUUID]+[NSEvent(BWAdditions) bwShiftKeyIsDown]+[NSEvent(BWAdditions) bwCommandKeyIsDown]+[NSEvent(BWAdditions) bwOptionKeyIsDown]+[NSEvent(BWAdditions) bwControlKeyIsDown]+[NSEvent(BWAdditions) bwCapsLockKeyIsDown]-[BWHyperlinkButton urlString]-[BWHyperlinkButton awakeFromNib]-[BWHyperlinkButton openURLInBrowser:]-[BWHyperlinkButton initWithCoder:]-[BWHyperlinkButton setUrlString:]-[BWHyperlinkButton dealloc]-[BWHyperlinkButton resetCursorRects]-[BWHyperlinkButton encodeWithCoder:]-[BWHyperlinkButtonCell drawBezelWithFrame:inView:]-[BWHyperlinkButtonCell setBordered:]-[BWHyperlinkButtonCell isBordered]-[BWHyperlinkButtonCell _textAttributes]-[BWGradientBox isFlipped]-[BWGradientBox hasFillColor]-[BWGradientBox setHasFillColor:]-[BWGradientBox hasGradient]-[BWGradientBox setHasGradient:]-[BWGradientBox hasBottomBorder]-[BWGradientBox setHasBottomBorder:]-[BWGradientBox hasTopBorder]-[BWGradientBox setHasTopBorder:]-[BWGradientBox bottomInsetAlpha]-[BWGradientBox setBottomInsetAlpha:]-[BWGradientBox topInsetAlpha]-[BWGradientBox setTopInsetAlpha:]-[BWGradientBox bottomBorderColor]-[BWGradientBox topBorderColor]-[BWGradientBox fillColor]-[BWGradientBox fillEndingColor]-[BWGradientBox fillStartingColor]-[BWGradientBox dealloc]-[BWGradientBox setBottomBorderColor:]-[BWGradientBox setTopBorderColor:]-[BWGradientBox setFillEndingColor:]-[BWGradientBox setFillStartingColor:]-[BWGradientBox setFillColor:]-[BWGradientBox drawRect:]-[BWGradientBox encodeWithCoder:]-[BWGradientBox initWithCoder:]-[BWStyledTextField hasShadow]-[BWStyledTextField setHasShadow:]-[BWStyledTextField shadowIsBelow]-[BWStyledTextField setShadowIsBelow:]-[BWStyledTextField shadowColor]-[BWStyledTextField setShadowColor:]-[BWStyledTextField hasGradient]-[BWStyledTextField setHasGradient:]-[BWStyledTextField startingColor]-[BWStyledTextField setStartingColor:]-[BWStyledTextField endingColor]-[BWStyledTextField setEndingColor:]-[BWStyledTextField solidColor]-[BWStyledTextField setSolidColor:]-[BWStyledTextFieldCell solidColor]-[BWStyledTextFieldCell hasGradient]-[BWStyledTextFieldCell endingColor]-[BWStyledTextFieldCell startingColor]-[BWStyledTextFieldCell shadow]-[BWStyledTextFieldCell hasShadow]-[BWStyledTextFieldCell setHasShadow:]-[BWStyledTextFieldCell shadowColor]-[BWStyledTextFieldCell shadowIsBelow]-[BWStyledTextFieldCell initWithCoder:]-[BWStyledTextFieldCell setShadow:]-[BWStyledTextFieldCell setPreviousAttributes:]-[BWStyledTextFieldCell previousAttributes]-[BWStyledTextFieldCell setShadowColor:]-[BWStyledTextFieldCell setShadowIsBelow:]-[BWStyledTextFieldCell setHasGradient:]-[BWStyledTextFieldCell setSolidColor:]-[BWStyledTextFieldCell setEndingColor:]-[BWStyledTextFieldCell setStartingColor:]-[BWStyledTextFieldCell drawInteriorWithFrame:inView:]-[BWStyledTextFieldCell applyGradient]-[BWStyledTextFieldCell awakeFromNib]-[BWStyledTextFieldCell changeShadow]-[BWStyledTextFieldCell _textAttributes]-[BWStyledTextFieldCell dealloc]-[BWStyledTextFieldCell copyWithZone:]-[BWStyledTextFieldCell encodeWithCoder:]+[NSApplication(BWAdditions) bwIsOnLeopard] stub helpersdyld__mach_header_scaleFactor_documentToolbar_editableToolbar_enabledColor_disabledColor_buttonFillN_buttonRightP_buttonFillP_buttonLeftP_buttonRightN_buttonLeftN_enabledColor_disabledColor_contentShadow_checkboxOffN_checkboxOnP_checkboxOnN_checkboxOffP_enabledColor_disabledColor_popUpFillN_pullDownRightP_popUpFillP_popUpLeftP_popUpRightP_pullDownRightN_popUpLeftN_popUpRightN_thumbPImage_thumbNImage_triangleThumbPImage_triangleThumbNImage_trackFillImage_trackRightImage_trackLeftImage_gradient_borderColor_dimpleImageBitmap_dimpleImageVector_gradientStartColor_gradientEndColor_smallPhotoImage_largePhotoImage_quietSpeakerImage_loudSpeakerImage_thumbPImage_thumbNImage_trackFillImage_trackRightImage_trackLeftImage_wasBorderedBar_gradient_topLineColor_borderedTopLineColor_resizeHandleColor_resizeInsetColor_bottomLineColor_sideInsetColor_topColor_middleTopColor_middleBottomColor_bottomColor_fillGradient_bottomBorderColor_sideInsetColor_borderedTopBorderColor_borderedSideBorderColor_topBorderColor_sideBorderColor_enabledTextColor_disabledTextColor_contentShadow_enabledImageColor_disabledImageColor_pressedColor_fillStop1_fillStop2_fillStop3_fillStop4_rowColor_altRowColor_highlightColor_fillGradient_bottomBorderColor_sideInsetColor_borderedTopBorderColor_borderedSideBorderColor_topBorderColor_sideBorderColor_enabledTextColor_disabledTextColor_contentShadow_enabledImageColor_disabledImageColor_pressedColor_pullDownArrow_fillStop1_fillStop2_fillStop3_fillStop4_fillGradient_topInsetColor_topBorderColor_borderColor_bottomInsetColor_fillStop1_fillStop2_fillStop3_fillStop4_pressedColor_highlightedArrowColor_arrowGradient_blueStrokeGradient_blueInsetGradient_blueGradient_highlightedBlueStrokeGradient_highlightedBlueInsetGradient_highlightedBlueGradient_textShadow_slotVerticalFill_backgroundColor_minKnobHeight_minKnobWidth_slotBottom_slotTop_slotRight_slotHorizontalFill_slotLeft_knobBottom_knobVerticalFill_knobTop_knobRight_knobHorizontalFill_knobLeft_textShadow.objc_category_name_NSApplication_BWAdditions.objc_category_name_NSColor_BWAdditions.objc_category_name_NSEvent_BWAdditions.objc_category_name_NSImage_BWAdditions.objc_category_name_NSString_BWAdditions.objc_category_name_NSView_BWAdditions.objc_category_name_NSWindow_BWAdditions.objc_class_name_BWAddMiniBottomBar.objc_class_name_BWAddRegularBottomBar.objc_class_name_BWAddSheetBottomBar.objc_class_name_BWAddSmallBottomBar.objc_class_name_BWAnchoredButton.objc_class_name_BWAnchoredButtonBar.objc_class_name_BWAnchoredButtonCell.objc_class_name_BWAnchoredPopUpButton.objc_class_name_BWAnchoredPopUpButtonCell.objc_class_name_BWCustomView.objc_class_name_BWGradientBox.objc_class_name_BWHyperlinkButton.objc_class_name_BWHyperlinkButtonCell.objc_class_name_BWInsetTextField.objc_class_name_BWRemoveBottomBar.objc_class_name_BWSelectableToolbar.objc_class_name_BWSelectableToolbarHelper.objc_class_name_BWSheetController.objc_class_name_BWSplitView.objc_class_name_BWStyledTextField.objc_class_name_BWStyledTextFieldCell.objc_class_name_BWTexturedSlider.objc_class_name_BWTexturedSliderCell.objc_class_name_BWTokenAttachmentCell.objc_class_name_BWTokenField.objc_class_name_BWTokenFieldCell.objc_class_name_BWToolbarItem.objc_class_name_BWToolbarShowColorsItem.objc_class_name_BWToolbarShowFontsItem.objc_class_name_BWTransparentButton.objc_class_name_BWTransparentButtonCell.objc_class_name_BWTransparentCheckbox.objc_class_name_BWTransparentCheckboxCell.objc_class_name_BWTransparentPopUpButton.objc_class_name_BWTransparentPopUpButtonCell.objc_class_name_BWTransparentScrollView.objc_class_name_BWTransparentScroller.objc_class_name_BWTransparentSlider.objc_class_name_BWTransparentSliderCell.objc_class_name_BWTransparentTableView.objc_class_name_BWTransparentTableViewCell.objc_class_name_BWTransparentTextFieldCell.objc_class_name_BWUnanchoredButton.objc_class_name_BWUnanchoredButtonCell.objc_class_name_BWUnanchoredButtonContainer_BWSelectableToolbarItemClickedNotification_compareViews.objc_class_name_NSAffineTransform.objc_class_name_NSAnimationContext.objc_class_name_NSApplication.objc_class_name_NSArchiver.objc_class_name_NSArray.objc_class_name_NSBezierPath.objc_class_name_NSBundle.objc_class_name_NSButton.objc_class_name_NSButtonCell.objc_class_name_NSColor.objc_class_name_NSCursor.objc_class_name_NSCustomView.objc_class_name_NSDictionary.objc_class_name_NSEvent.objc_class_name_NSFont.objc_class_name_NSGradient.objc_class_name_NSGraphicsContext.objc_class_name_NSImage.objc_class_name_NSMutableArray.objc_class_name_NSMutableAttributedString.objc_class_name_NSMutableDictionary.objc_class_name_NSNotificationCenter.objc_class_name_NSNumber.objc_class_name_NSObject.objc_class_name_NSPopUpButton.objc_class_name_NSPopUpButtonCell.objc_class_name_NSScreen.objc_class_name_NSScrollView.objc_class_name_NSScroller.objc_class_name_NSShadow.objc_class_name_NSSlider.objc_class_name_NSSliderCell.objc_class_name_NSSortDescriptor.objc_class_name_NSSplitView.objc_class_name_NSString.objc_class_name_NSTableView.objc_class_name_NSTextField.objc_class_name_NSTextFieldCell.objc_class_name_NSTokenAttachmentCell.objc_class_name_NSTokenField.objc_class_name_NSTokenFieldCell.objc_class_name_NSToolbar.objc_class_name_NSToolbarItem.objc_class_name_NSURL.objc_class_name_NSUnarchiver.objc_class_name_NSValue.objc_class_name_NSView.objc_class_name_NSWindowController.objc_class_name_NSWorkspace_CFMakeCollectable_CFRelease_CFUUIDCreate_CFUUIDCreateString_CGContextRestoreGState_CGContextSaveGState_CGContextSetShouldSmoothFonts_Gestalt_NSApp_NSClassFromString_NSDrawThreePartImage_NSFontAttributeName_NSForegroundColorAttributeName_NSInsetRect_NSIntegralRect_NSIsEmptyRect_NSOffsetRect_NSPointInRect_NSRectFill_NSRectFillUsingOperation_NSShadowAttributeName_NSUnderlineStyleAttributeName_NSWindowDidResizeNotification_NSZeroRect___CFConstantStringClassReference_ceilf_floorf_fmaxf_fminf_modf_objc_assign_global_objc_assign_ivar_objc_enumerationMutation_objc_getProperty_objc_msgSend_objc_msgSendSuper_objc_msgSendSuper_stret_objc_msgSend_fpret_objc_msgSend_stret_objc_setProperty_roundfdyld_stub_binder/Users/brandon/Temp/bwtoolkit/BWToolbarShowColorsItem.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWToolbarShowColorsItem.o-[BWToolbarShowColorsItem itemIdentifier]/Users/brandon/Temp/bwtoolkit/BWToolbarShowColorsItem.m-[BWToolbarShowColorsItem label]-[BWToolbarShowColorsItem paletteLabel]-[BWToolbarShowColorsItem action]-[BWToolbarShowColorsItem toolTip]-[BWToolbarShowColorsItem image]-[BWToolbarShowColorsItem target]BWToolbarShowFontsItem.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWToolbarShowFontsItem.o-[BWToolbarShowFontsItem itemIdentifier]/Users/brandon/Temp/bwtoolkit/BWToolbarShowFontsItem.m-[BWToolbarShowFontsItem label]-[BWToolbarShowFontsItem paletteLabel]-[BWToolbarShowFontsItem action]-[BWToolbarShowFontsItem toolTip]-[BWToolbarShowFontsItem image]-[BWToolbarShowFontsItem target]BWSelectableToolbar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWSelectableToolbar.o-[BWSelectableToolbar toolbarDefaultItemIdentifiers:]/Users/brandon/Temp/bwtoolkit/BWSelectableToolbar.m-[BWSelectableToolbar toolbarAllowedItemIdentifiers:]-[BWSelectableToolbar isPreferencesToolbar]-[BWSelectableToolbar documentToolbar]-[BWSelectableToolbar editableToolbar]-[BWSelectableToolbar awakeFromNib]-[BWSelectableToolbar selectFirstItem]-[BWSelectableToolbar selectInitialItem]-[BWSelectableToolbar toggleActiveView:]-[BWSelectableToolbar identifierAtIndex:]-[BWSelectableToolbar setEnabled:forIdentifier:]-[BWSelectableToolbar validateToolbarItem:]-[BWSelectableToolbar toolbar:itemForItemIdentifier:willBeInsertedIntoToolbar:]-[BWSelectableToolbar toolbarSelectableItemIdentifiers:]-[BWSelectableToolbar selectedIndex]-[BWSelectableToolbar setSelectedIndex:]-[BWSelectableToolbar setDocumentToolbar:]-[BWSelectableToolbar setEditableToolbar:]-[BWSelectableToolbar initWithCoder:]-[BWSelectableToolbar setHelper:]-[BWSelectableToolbar helper]-[BWSelectableToolbar setEnabledByIdentifier:]-[BWSelectableToolbar switchToItemAtIndex:animate:]-[BWSelectableToolbar labels]-[BWSelectableToolbar setIsPreferencesToolbar:]-[BWSelectableToolbar selectableItemIdentifiers]-[BWSelectableToolbar windowDidResize:]-[BWSelectableToolbar enabledByIdentifier]-[BWSelectableToolbar setSelectedItemIdentifierWithoutAnimation:]-[BWSelectableToolbar setSelectedItemIdentifier:]-[BWSelectableToolbar dealloc]-[BWSelectableToolbar setItemSelectors]-[BWSelectableToolbar selectItemAtIndex:]-[BWSelectableToolbar toolbarIndexFromSelectableIndex:]-[BWSelectableToolbar initialSetup]-[BWSelectableToolbar initWithIdentifier:]-[BWSelectableToolbar _defaultItemIdentifiers]-[BWSelectableToolbar encodeWithCoder:]_BWSelectableToolbarItemClickedNotification_documentToolbar_editableToolbarBWAddRegularBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWAddRegularBottomBar.o-[BWAddRegularBottomBar bounds]/System/Library/Frameworks/Foundation.framework/Headers/NSGeometry.h-[BWAddRegularBottomBar initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWAddRegularBottomBar.m-[BWAddRegularBottomBar drawRect:]-[BWAddRegularBottomBar awakeFromNib]BWRemoveBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWRemoveBottomBar.o-[BWRemoveBottomBar bounds]BWInsetTextField.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWInsetTextField.o-[BWInsetTextField initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWInsetTextField.mBWTransparentButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWTransparentButtonCell.o-[BWTransparentButtonCell controlSize]-[BWTransparentButtonCell setControlSize:]/Users/brandon/Temp/bwtoolkit/BWTransparentButtonCell.m-[BWTransparentButtonCell interiorColor]-[BWTransparentButtonCell drawBezelWithFrame:inView:]-[BWTransparentButtonCell drawImage:withFrame:inView:]+[BWTransparentButtonCell initialize]-[BWTransparentButtonCell _textAttributes]-[BWTransparentButtonCell drawTitle:withFrame:inView:]_enabledColor_disabledColor_buttonFillN_buttonRightP_buttonFillP_buttonLeftP_buttonRightN_buttonLeftNBWTransparentCheckboxCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWTransparentCheckboxCell.o-[BWTransparentCheckboxCell controlSize]-[BWTransparentCheckboxCell setControlSize:]/Users/brandon/Temp/bwtoolkit/BWTransparentCheckboxCell.m-[BWTransparentCheckboxCell isInTableView]-[BWTransparentCheckboxCell interiorColor]-[BWTransparentCheckboxCell _textAttributes]+[BWTransparentCheckboxCell initialize]-[BWTransparentCheckboxCell drawImage:withFrame:inView:]-[BWTransparentCheckboxCell drawInteriorWithFrame:inView:]-[BWTransparentCheckboxCell drawTitle:withFrame:inView:]_enabledColor_disabledColor_contentShadow_checkboxOffN_checkboxOnP_checkboxOnN_checkboxOffPBWTransparentPopUpButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWTransparentPopUpButtonCell.o-[BWTransparentPopUpButtonCell controlSize]-[BWTransparentPopUpButtonCell setControlSize:]/Users/brandon/Temp/bwtoolkit/BWTransparentPopUpButtonCell.m-[BWTransparentPopUpButtonCell interiorColor]-[BWTransparentPopUpButtonCell drawBezelWithFrame:inView:]-[BWTransparentPopUpButtonCell drawImageWithFrame:inView:]-[BWTransparentPopUpButtonCell imageRectForBounds:]+[BWTransparentPopUpButtonCell initialize]-[BWTransparentPopUpButtonCell _textAttributes]-[BWTransparentPopUpButtonCell titleRectForBounds:]_enabledColor_disabledColor_popUpFillN_pullDownRightP_popUpFillP_popUpLeftP_popUpRightP_pullDownRightN_popUpLeftN_popUpRightNBWTransparentSliderCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWTransparentSliderCell.o-[BWTransparentSliderCell _usesCustomTrackImage]-[BWTransparentSliderCell setTickMarkPosition:]/Users/brandon/Temp/bwtoolkit/BWTransparentSliderCell.m-[BWTransparentSliderCell controlSize]-[BWTransparentSliderCell setControlSize:]-[BWTransparentSliderCell startTrackingAt:inView:]+[BWTransparentSliderCell initialize]-[BWTransparentSliderCell stopTracking:at:inView:mouseIsUp:]-[BWTransparentSliderCell knobRectFlipped:]-[BWTransparentSliderCell drawKnob:]-[BWTransparentSliderCell drawBarInside:flipped:]-[BWTransparentSliderCell initWithCoder:]_thumbPImage_thumbNImage_triangleThumbPImage_triangleThumbNImage_trackFillImage_trackRightImage_trackLeftImageBWSplitView.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWSplitView.o-[BWSplitView animationEnded]/Users/brandon/Temp/bwtoolkit/BWSplitView.m-[BWSplitView secondaryDelegate]-[BWSplitView collapsibleSubviewCollapsed]-[BWSplitView dividerCanCollapse]-[BWSplitView setDividerCanCollapse:]-[BWSplitView collapsiblePopupSelection]-[BWSplitView setCollapsiblePopupSelection:]-[BWSplitView setCheckboxIsEnabled:]-[BWSplitView colorIsEnabled]-[BWSplitView initWithCoder:]+[BWSplitView initialize]-[BWSplitView setMinValues:]-[BWSplitView setMaxValues:]-[BWSplitView setMinUnits:]-[BWSplitView setMaxUnits:]-[BWSplitView setResizableSubviewPreferredProportion:]-[BWSplitView resizableSubviewPreferredProportion]-[BWSplitView setNonresizableSubviewPreferredSize:]-[BWSplitView nonresizableSubviewPreferredSize]-[BWSplitView setStateForLastPreferredCalculations:]-[BWSplitView stateForLastPreferredCalculations]-[BWSplitView setToggleCollapseButton:]-[BWSplitView toggleCollapseButton]-[BWSplitView setSecondaryDelegate:]-[BWSplitView dealloc]-[BWSplitView maxUnits]-[BWSplitView minUnits]-[BWSplitView maxValues]-[BWSplitView minValues]-[BWSplitView color]-[BWSplitView setColor:]-[BWSplitView setColorIsEnabled:]-[BWSplitView checkboxIsEnabled]-[BWSplitView setDividerStyle:]-[BWSplitView splitView:resizeSubviewsWithOldSize:]-[BWSplitView resizeAndAdjustSubviews]-[BWSplitView clearPreferredProportionsAndSizes]-[BWSplitView validateAndCalculatePreferredProportionsAndSizes]-[BWSplitView correctCollapsiblePreferredProportionOrSize]-[BWSplitView validatePreferredProportionsAndSizes]-[BWSplitView recalculatePreferredProportionsAndSizes]-[BWSplitView subviewMaximumSize:]-[BWSplitView subviewMinimumSize:]-[BWSplitView subviewIsResizable:]-[BWSplitView resizableSubviews]-[BWSplitView splitViewWillResizeSubviews:]-[BWSplitView splitViewDidResizeSubviews:]-[BWSplitView splitView:effectiveRect:forDrawnRect:ofDividerAtIndex:]-[BWSplitView splitView:constrainSplitPosition:ofSubviewAt:]-[BWSplitView splitView:constrainMinCoordinate:ofSubviewAt:]-[BWSplitView splitView:constrainMaxCoordinate:ofSubviewAt:]-[BWSplitView splitView:shouldCollapseSubview:forDoubleClickOnDividerAtIndex:]-[BWSplitView splitView:canCollapseSubview:]-[BWSplitView splitView:additionalEffectiveRectOfDividerAtIndex:]-[BWSplitView splitView:shouldHideDividerAtIndex:]-[BWSplitView mouseDown:]-[BWSplitView toggleCollapse:]-[BWSplitView restoreAutoresizesSubviews:]-[BWSplitView removeMinSizeForCollapsibleSubview]-[BWSplitView setMinSizeForCollapsibleSubview:]-[BWSplitView setCollapsibleSubviewCollapsed:]-[BWSplitView collapsibleDividerIndex]-[BWSplitView hasCollapsibleDivider]-[BWSplitView animationDuration]-[BWSplitView setCollapsibleSubviewCollapsedHelper:]-[BWSplitView adjustSubviews]-[BWSplitView hasCollapsibleSubview]-[BWSplitView collapsibleSubview]-[BWSplitView collapsibleSubviewIndex]-[BWSplitView collapsibleSubviewIsCollapsed]-[BWSplitView subviewIsCollapsed:]-[BWSplitView subviewIsCollapsible:]-[BWSplitView setDelegate:]-[BWSplitView drawDimpleInRect:]-[BWSplitView drawGradientDividerInRect:]-[BWSplitView drawDividerInRect:]-[BWSplitView awakeFromNib]-[BWSplitView encodeWithCoder:]_scaleFactor_gradient_borderColor_dimpleImageBitmap_dimpleImageVector_gradientStartColor_gradientEndColorBWTexturedSlider.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWTexturedSlider.o-[BWTexturedSlider indicatorIndex]/Users/brandon/Temp/bwtoolkit/BWTexturedSlider.m-[BWTexturedSlider initWithCoder:]+[BWTexturedSlider initialize]-[BWTexturedSlider setMinButton:]-[BWTexturedSlider minButton]-[BWTexturedSlider setMaxButton:]-[BWTexturedSlider maxButton]-[BWTexturedSlider dealloc]-[BWTexturedSlider resignFirstResponder]-[BWTexturedSlider becomeFirstResponder]-[BWTexturedSlider scrollWheel:]-[BWTexturedSlider setEnabled:]-[BWTexturedSlider setIndicatorIndex:]-[BWTexturedSlider drawRect:]-[BWTexturedSlider hitTest:]-[BWTexturedSlider setSliderToMaximum]-[BWTexturedSlider setSliderToMinimum]-[BWTexturedSlider setTrackHeight:]-[BWTexturedSlider trackHeight]-[BWTexturedSlider encodeWithCoder:]_smallPhotoImage_largePhotoImage_quietSpeakerImage_loudSpeakerImageBWTexturedSliderCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWTexturedSliderCell.o-[BWTexturedSliderCell controlSize]-[BWTexturedSliderCell setControlSize:]/Users/brandon/Temp/bwtoolkit/BWTexturedSliderCell.m-[BWTexturedSliderCell numberOfTickMarks]-[BWTexturedSliderCell setNumberOfTickMarks:]-[BWTexturedSliderCell _usesCustomTrackImage]-[BWTexturedSliderCell trackHeight]-[BWTexturedSliderCell setTrackHeight:]-[BWTexturedSliderCell startTrackingAt:inView:]+[BWTexturedSliderCell initialize]-[BWTexturedSliderCell stopTracking:at:inView:mouseIsUp:]-[BWTexturedSliderCell drawKnob:]-[BWTexturedSliderCell drawBarInside:flipped:]-[BWTexturedSliderCell encodeWithCoder:]-[BWTexturedSliderCell initWithCoder:]_thumbPImage_thumbNImage_trackFillImage_trackRightImage_trackLeftImageBWAddSmallBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWAddSmallBottomBar.o-[BWAddSmallBottomBar bounds]-[BWAddSmallBottomBar initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWAddSmallBottomBar.m-[BWAddSmallBottomBar drawRect:]-[BWAddSmallBottomBar awakeFromNib]BWAnchoredButtonBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWAnchoredButtonBar.o+[BWAnchoredButtonBar wasBorderedBar]/Users/brandon/Temp/bwtoolkit/BWAnchoredButtonBar.m-[BWAnchoredButtonBar splitViewDelegate]-[BWAnchoredButtonBar handleIsRightAligned]-[BWAnchoredButtonBar setHandleIsRightAligned:]-[BWAnchoredButtonBar isResizable]-[BWAnchoredButtonBar setIsResizable:]-[BWAnchoredButtonBar isAtBottom]-[BWAnchoredButtonBar selectedIndex]-[BWAnchoredButtonBar initWithCoder:]+[BWAnchoredButtonBar initialize]-[BWAnchoredButtonBar setSplitViewDelegate:]-[BWAnchoredButtonBar splitView:shouldHideDividerAtIndex:]-[BWAnchoredButtonBar splitView:shouldCollapseSubview:forDoubleClickOnDividerAtIndex:]-[BWAnchoredButtonBar splitView:effectiveRect:forDrawnRect:ofDividerAtIndex:]-[BWAnchoredButtonBar splitView:constrainSplitPosition:ofSubviewAt:]-[BWAnchoredButtonBar splitView:canCollapseSubview:]-[BWAnchoredButtonBar splitView:resizeSubviewsWithOldSize:]-[BWAnchoredButtonBar splitView:constrainMaxCoordinate:ofSubviewAt:]-[BWAnchoredButtonBar splitView:constrainMinCoordinate:ofSubviewAt:]-[BWAnchoredButtonBar splitView:additionalEffectiveRectOfDividerAtIndex:]-[BWAnchoredButtonBar dealloc]-[BWAnchoredButtonBar setSelectedIndex:]-[BWAnchoredButtonBar setIsAtBottom:]-[BWAnchoredButtonBar splitView]-[BWAnchoredButtonBar dividerIndexNearestToHandle]-[BWAnchoredButtonBar isInLastSubview]-[BWAnchoredButtonBar viewDidMoveToSuperview]-[BWAnchoredButtonBar drawLastButtonInsetInRect:]-[BWAnchoredButtonBar drawResizeHandleInRect:withColor:]-[BWAnchoredButtonBar drawRect:]-[BWAnchoredButtonBar awakeFromNib]-[BWAnchoredButtonBar encodeWithCoder:]-[BWAnchoredButtonBar initWithFrame:]_wasBorderedBar_gradient_topLineColor_borderedTopLineColor_resizeHandleColor_resizeInsetColor_bottomLineColor_sideInsetColor_topColor_middleTopColor_middleBottomColor_bottomColorBWAnchoredButton.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWAnchoredButton.o-[BWAnchoredButton isAtRightEdgeOfBar]/Users/brandon/Temp/bwtoolkit/BWAnchoredButton.m-[BWAnchoredButton setIsAtRightEdgeOfBar:]-[BWAnchoredButton isAtLeftEdgeOfBar]-[BWAnchoredButton setIsAtLeftEdgeOfBar:]-[BWAnchoredButton initWithCoder:]-[BWAnchoredButton frame]-[BWAnchoredButton mouseDown:]BWAnchoredButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWAnchoredButtonCell.o-[BWAnchoredButtonCell controlSize]-[BWAnchoredButtonCell setControlSize:]/Users/brandon/Temp/bwtoolkit/BWAnchoredButtonCell.m-[BWAnchoredButtonCell highlightRectForBounds:]-[BWAnchoredButtonCell drawBezelWithFrame:inView:]-[BWAnchoredButtonCell textColor]-[BWAnchoredButtonCell _textAttributes]+[BWAnchoredButtonCell initialize]-[BWAnchoredButtonCell drawImage:withFrame:inView:]-[BWAnchoredButtonCell imageColor]-[BWAnchoredButtonCell titleRectForBounds:]-[BWAnchoredButtonCell drawWithFrame:inView:]_fillGradient_bottomBorderColor_sideInsetColor_borderedTopBorderColor_borderedSideBorderColor_topBorderColor_sideBorderColor_enabledTextColor_disabledTextColor_contentShadow_enabledImageColor_disabledImageColor_pressedColor_fillStop1_fillStop2_fillStop3_fillStop4NSColor+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/NSColor+BWAdditions.o-[NSColor(BWAdditions) bwDrawPixelThickLineAtPosition:withInset:inRect:inView:horizontal:flip:]/Users/brandon/Temp/bwtoolkit/NSColor+BWAdditions.mNSImage+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/NSImage+BWAdditions.o-[NSImage(BWAdditions) bwRotateImage90DegreesClockwise:]/Users/brandon/Temp/bwtoolkit/NSImage+BWAdditions.m-[NSImage(BWAdditions) bwTintedImageWithColor:]BWSelectableToolbarHelper.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWSelectableToolbarHelper.o-[BWSelectableToolbarHelper isPreferencesToolbar]/Users/brandon/Temp/bwtoolkit/BWSelectableToolbarHelper.m-[BWSelectableToolbarHelper setIsPreferencesToolbar:]-[BWSelectableToolbarHelper initialIBWindowSize]-[BWSelectableToolbarHelper setInitialIBWindowSize:]-[BWSelectableToolbarHelper initWithCoder:]-[BWSelectableToolbarHelper setContentViewsByIdentifier:]-[BWSelectableToolbarHelper contentViewsByIdentifier]-[BWSelectableToolbarHelper setWindowSizesByIdentifier:]-[BWSelectableToolbarHelper windowSizesByIdentifier]-[BWSelectableToolbarHelper setSelectedIdentifier:]-[BWSelectableToolbarHelper selectedIdentifier]-[BWSelectableToolbarHelper setOldWindowTitle:]-[BWSelectableToolbarHelper oldWindowTitle]-[BWSelectableToolbarHelper dealloc]-[BWSelectableToolbarHelper encodeWithCoder:]-[BWSelectableToolbarHelper init]NSWindow+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/NSWindow+BWAdditions.o-[NSWindow(BWAdditions) bwIsTextured]/Users/brandon/Temp/bwtoolkit/NSWindow+BWAdditions.m-[NSWindow(BWAdditions) bwResizeToSize:animate:]NSView+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/NSView+BWAdditions.o_compareViews/Users/brandon/Temp/bwtoolkit/NSView+BWAdditions.m-[NSView(BWAdditions) bwBringToFront]-[NSView(BWAdditions) bwTurnOffLayer]-[NSView(BWAdditions) bwAnimator]BWTransparentTableView.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWTransparentTableView.o-[BWTransparentTableView backgroundColor]/Users/brandon/Temp/bwtoolkit/BWTransparentTableView.m-[BWTransparentTableView _highlightColorForCell:]-[BWTransparentTableView addTableColumn:]+[BWTransparentTableView cellClass]+[BWTransparentTableView initialize]-[BWTransparentTableView highlightSelectionInClipRect:]-[BWTransparentTableView _alternatingRowBackgroundColors]-[BWTransparentTableView drawBackgroundInClipRect:]_rowColor_altRowColor_highlightColorBWTransparentTableViewCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWTransparentTableViewCell.o-[BWTransparentTableViewCell drawInteriorWithFrame:inView:]/Users/brandon/Temp/bwtoolkit/BWTransparentTableViewCell.m-[BWTransparentTableViewCell editWithFrame:inView:editor:delegate:event:]-[BWTransparentTableViewCell selectWithFrame:inView:editor:delegate:start:length:]-[BWTransparentTableViewCell drawingRectForBounds:]BWAnchoredPopUpButton.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWAnchoredPopUpButton.o-[BWAnchoredPopUpButton isAtRightEdgeOfBar]/Users/brandon/Temp/bwtoolkit/BWAnchoredPopUpButton.m-[BWAnchoredPopUpButton setIsAtRightEdgeOfBar:]-[BWAnchoredPopUpButton isAtLeftEdgeOfBar]-[BWAnchoredPopUpButton setIsAtLeftEdgeOfBar:]-[BWAnchoredPopUpButton initWithCoder:]-[BWAnchoredPopUpButton frame]-[BWAnchoredPopUpButton mouseDown:]BWAnchoredPopUpButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWAnchoredPopUpButtonCell.o-[BWAnchoredPopUpButtonCell controlSize]-[BWAnchoredPopUpButtonCell setControlSize:]/Users/brandon/Temp/bwtoolkit/BWAnchoredPopUpButtonCell.m-[BWAnchoredPopUpButtonCell highlightRectForBounds:]-[BWAnchoredPopUpButtonCell drawBorderAndBackgroundWithFrame:inView:]-[BWAnchoredPopUpButtonCell textColor]-[BWAnchoredPopUpButtonCell _textAttributes]+[BWAnchoredPopUpButtonCell initialize]-[BWAnchoredPopUpButtonCell drawImageWithFrame:inView:]-[BWAnchoredPopUpButtonCell imageRectForBounds:]-[BWAnchoredPopUpButtonCell imageColor]-[BWAnchoredPopUpButtonCell titleRectForBounds:]-[BWAnchoredPopUpButtonCell drawArrowInFrame:]-[BWAnchoredPopUpButtonCell drawWithFrame:inView:]_fillGradient_bottomBorderColor_sideInsetColor_borderedTopBorderColor_borderedSideBorderColor_topBorderColor_sideBorderColor_enabledTextColor_disabledTextColor_contentShadow_enabledImageColor_disabledImageColor_pressedColor_pullDownArrow_fillStop1_fillStop2_fillStop3_fillStop4BWCustomView.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWCustomView.o-[BWCustomView drawRect:]/Users/brandon/Temp/bwtoolkit/BWCustomView.m-[BWCustomView drawTextInRect:]BWUnanchoredButton.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWUnanchoredButton.o-[BWUnanchoredButton initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWUnanchoredButton.m-[BWUnanchoredButton frame]-[BWUnanchoredButton mouseDown:]BWUnanchoredButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWUnanchoredButtonCell.o-[BWUnanchoredButtonCell highlightRectForBounds:]-[BWUnanchoredButtonCell drawBezelWithFrame:inView:]/Users/brandon/Temp/bwtoolkit/BWUnanchoredButtonCell.m+[BWUnanchoredButtonCell initialize]_fillGradient_topInsetColor_topBorderColor_borderColor_bottomInsetColor_fillStop1_fillStop2_fillStop3_fillStop4_pressedColorBWUnanchoredButtonContainer.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWUnanchoredButtonContainer.o-[BWUnanchoredButtonContainer awakeFromNib]/Users/brandon/Temp/bwtoolkit/BWUnanchoredButtonContainer.mBWSheetController.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWSheetController.o-[BWSheetController delegate]/Users/brandon/Temp/bwtoolkit/BWSheetController.m-[BWSheetController sheet]-[BWSheetController parentWindow]-[BWSheetController awakeFromNib]-[BWSheetController encodeWithCoder:]-[BWSheetController openSheet:]-[BWSheetController closeSheet:]-[BWSheetController messageDelegateAndCloseSheet:]-[BWSheetController initWithCoder:]-[BWSheetController setParentWindow:]-[BWSheetController setSheet:]-[BWSheetController setDelegate:]BWTransparentScrollView.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWTransparentScrollView.o-[BWTransparentScrollView initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWTransparentScrollView.m+[BWTransparentScrollView _verticalScrollerClass]BWAddMiniBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWAddMiniBottomBar.o-[BWAddMiniBottomBar bounds]-[BWAddMiniBottomBar initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWAddMiniBottomBar.m-[BWAddMiniBottomBar drawRect:]-[BWAddMiniBottomBar awakeFromNib]BWAddSheetBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWAddSheetBottomBar.o-[BWAddSheetBottomBar bounds]-[BWAddSheetBottomBar initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWAddSheetBottomBar.m-[BWAddSheetBottomBar drawRect:]-[BWAddSheetBottomBar awakeFromNib]BWTokenFieldCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWTokenFieldCell.o-[BWTokenFieldCell setUpTokenAttachmentCell:forRepresentedObject:]/Users/brandon/Temp/bwtoolkit/BWTokenFieldCell.mBWTokenAttachmentCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWTokenAttachmentCell.o-[BWTokenAttachmentCell pullDownImage]/Users/brandon/Temp/bwtoolkit/BWTokenAttachmentCell.m-[BWTokenAttachmentCell arrowInHighlightedState:]-[BWTokenAttachmentCell drawTokenWithFrame:inView:]-[BWTokenAttachmentCell interiorBackgroundStyle]+[BWTokenAttachmentCell initialize]-[BWTokenAttachmentCell pullDownRectForBounds:]-[BWTokenAttachmentCell _textAttributes]_highlightedArrowColor_arrowGradient_blueStrokeGradient_blueInsetGradient_blueGradient_highlightedBlueStrokeGradient_highlightedBlueInsetGradient_highlightedBlueGradient_textShadowBWTransparentScroller.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWTransparentScroller.o+[BWTransparentScroller scrollerWidth]/Users/brandon/Temp/bwtoolkit/BWTransparentScroller.m+[BWTransparentScroller scrollerWidthForControlSize:]-[BWTransparentScroller initWithFrame:]+[BWTransparentScroller initialize]-[BWTransparentScroller rectForPart:]-[BWTransparentScroller _drawingRectForPart:]-[BWTransparentScroller drawKnob]-[BWTransparentScroller drawKnobSlot]-[BWTransparentScroller drawRect:]-[BWTransparentScroller initWithCoder:]_slotVerticalFill_backgroundColor_minKnobHeight_minKnobWidth_slotBottom_slotTop_slotRight_slotHorizontalFill_slotLeft_knobBottom_knobVerticalFill_knobTop_knobRight_knobHorizontalFill_knobLeftBWTransparentTextFieldCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWTransparentTextFieldCell.o-[BWTransparentTextFieldCell _textAttributes]/Users/brandon/Temp/bwtoolkit/BWTransparentTextFieldCell.m+[BWTransparentTextFieldCell initialize]_textShadowBWToolbarItem.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWToolbarItem.o-[BWToolbarItem initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWToolbarItem.m-[BWToolbarItem identifierString]-[BWToolbarItem dealloc]-[BWToolbarItem setIdentifierString:]-[BWToolbarItem encodeWithCoder:]NSString+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/NSString+BWAdditions.o+[NSString(BWAdditions) bwRandomUUID]/Users/brandon/Temp/bwtoolkit/NSString+BWAdditions.mNSEvent+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/NSEvent+BWAdditions.o+[NSEvent(BWAdditions) bwShiftKeyIsDown]/Users/brandon/Temp/bwtoolkit/NSEvent+BWAdditions.m+[NSEvent(BWAdditions) bwCommandKeyIsDown]+[NSEvent(BWAdditions) bwOptionKeyIsDown]+[NSEvent(BWAdditions) bwControlKeyIsDown]+[NSEvent(BWAdditions) bwCapsLockKeyIsDown]BWHyperlinkButton.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWHyperlinkButton.o-[BWHyperlinkButton urlString]/Users/brandon/Temp/bwtoolkit/BWHyperlinkButton.m-[BWHyperlinkButton awakeFromNib]-[BWHyperlinkButton openURLInBrowser:]-[BWHyperlinkButton initWithCoder:]-[BWHyperlinkButton setUrlString:]-[BWHyperlinkButton dealloc]-[BWHyperlinkButton resetCursorRects]-[BWHyperlinkButton encodeWithCoder:]BWHyperlinkButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWHyperlinkButtonCell.o-[BWHyperlinkButtonCell drawBezelWithFrame:inView:]-[BWHyperlinkButtonCell setBordered:]/Users/brandon/Temp/bwtoolkit/BWHyperlinkButtonCell.m-[BWHyperlinkButtonCell isBordered]-[BWHyperlinkButtonCell _textAttributes]BWGradientBox.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWGradientBox.o-[BWGradientBox isFlipped]-[BWGradientBox hasFillColor]/Users/brandon/Temp/bwtoolkit/BWGradientBox.m-[BWGradientBox setHasFillColor:]-[BWGradientBox hasGradient]-[BWGradientBox setHasGradient:]-[BWGradientBox hasBottomBorder]-[BWGradientBox setHasBottomBorder:]-[BWGradientBox hasTopBorder]-[BWGradientBox setHasTopBorder:]-[BWGradientBox bottomInsetAlpha]-[BWGradientBox setBottomInsetAlpha:]-[BWGradientBox topInsetAlpha]-[BWGradientBox setTopInsetAlpha:]-[BWGradientBox bottomBorderColor]-[BWGradientBox topBorderColor]-[BWGradientBox fillColor]-[BWGradientBox fillEndingColor]-[BWGradientBox fillStartingColor]-[BWGradientBox dealloc]-[BWGradientBox setBottomBorderColor:]-[BWGradientBox setTopBorderColor:]-[BWGradientBox setFillEndingColor:]-[BWGradientBox setFillStartingColor:]-[BWGradientBox setFillColor:]-[BWGradientBox drawRect:]-[BWGradientBox encodeWithCoder:]-[BWGradientBox initWithCoder:]BWStyledTextField.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWStyledTextField.o-[BWStyledTextField hasShadow]/Users/brandon/Temp/bwtoolkit/BWStyledTextField.m-[BWStyledTextField setHasShadow:]-[BWStyledTextField shadowIsBelow]-[BWStyledTextField setShadowIsBelow:]-[BWStyledTextField shadowColor]-[BWStyledTextField setShadowColor:]-[BWStyledTextField hasGradient]-[BWStyledTextField setHasGradient:]-[BWStyledTextField startingColor]-[BWStyledTextField setStartingColor:]-[BWStyledTextField endingColor]-[BWStyledTextField setEndingColor:]-[BWStyledTextField solidColor]-[BWStyledTextField setSolidColor:]BWStyledTextFieldCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWStyledTextFieldCell.o-[BWStyledTextFieldCell solidColor]/Users/brandon/Temp/bwtoolkit/BWStyledTextFieldCell.m-[BWStyledTextFieldCell hasGradient]-[BWStyledTextFieldCell endingColor]-[BWStyledTextFieldCell startingColor]-[BWStyledTextFieldCell shadow]-[BWStyledTextFieldCell hasShadow]-[BWStyledTextFieldCell setHasShadow:]-[BWStyledTextFieldCell shadowColor]-[BWStyledTextFieldCell shadowIsBelow]-[BWStyledTextFieldCell initWithCoder:]-[BWStyledTextFieldCell setShadow:]-[BWStyledTextFieldCell setPreviousAttributes:]-[BWStyledTextFieldCell previousAttributes]-[BWStyledTextFieldCell setShadowColor:]-[BWStyledTextFieldCell setShadowIsBelow:]-[BWStyledTextFieldCell setHasGradient:]-[BWStyledTextFieldCell setSolidColor:]-[BWStyledTextFieldCell setEndingColor:]-[BWStyledTextFieldCell setStartingColor:]-[BWStyledTextFieldCell drawInteriorWithFrame:inView:]-[BWStyledTextFieldCell applyGradient]-[BWStyledTextFieldCell awakeFromNib]-[BWStyledTextFieldCell changeShadow]-[BWStyledTextFieldCell _textAttributes]-[BWStyledTextFieldCell dealloc]-[BWStyledTextFieldCell copyWithZone:]-[BWStyledTextFieldCell encodeWithCoder:]NSApplication+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/NSApplication+BWAdditions.o+[NSApplication(BWAdditions) bwIsOnLeopard]/Users/brandon/Temp/bwtoolkit/NSApplication+BWAdditions.msingle module  H__TEXT``__text__TEXT 4 4__picsymbolstub1__TEXT __cstring__TEXT T __const__TEXT]]__DATA``__dyld__DATA``__la_symbol_ptr__DATA`|`__nl_symbol_ptr__DATA``>__const__DATA``__cfstring__DATA``__data__DATAhh__bss__DATAh4__OBJCp@p@__message_refs__OBJCpp__cls_refs__OBJCww__class__OBJCxhpxh__meta_class__OBJCp__inst_meth__OBJCH8H__symbols__OBJC@__module_info__OBJC@__instance_vars__OBJC__property__OBJC`__class_ext__OBJCPP__cls_meth__OBJCp__category__OBJC\\__cat_inst_meth__OBJC  __cat_cls_meth__OBJCl__image_info__OBJC  8__LINKEDIT< p@loader_path/../Frameworks/BWToolkitFramework.framework/Versions/A/BWToolkitFramework "Pel H uX P 6 X6xE~ T/System/Library/Frameworks/Cocoa.framework/Versions/A/Cocoa 4/usr/lib/libgcc_s.1.dylib 4}/usr/lib/libSystem.B.dylib 4/usr/lib/libobjc.A.dylib d,/System/Library/Frameworks/CoreServices.framework/Versions/A/CoreServices h& /System/Library/Frameworks/CoreFoundation.framework/Versions/A/CoreFoundation p&/System/Library/Frameworks/ApplicationServices.framework/Versions/A/ApplicationServices `,/System/Library/Frameworks/Foundation.framework/Versions/C/Foundation X-/System/Library/Frameworks/AppKit.framework/Versions/C/AppKit|B}|}cx=R}| x=[LN }cxK|B}h|=kkR}iN |!aLHD@H<^<~<<bpcjblj?~K|exxxK|}x<^bhbj?K|{x<^<~bdb`8RxK|excxxK<^b\K@DHaL8!P|N |H|H(@ x8<8!@|N <]<}`0cW(?K^K8<8!@|N |!LHD|~xH<]<__KTb>(@8@^P<]_8~@KTb>(A<<]_4?xK_0;xK<]_,xxK<]"K<]<}_(_<8xKDHL8!P|N DHL8!P|N |!LHD|~xH<]^(;xK|ex<]^$xxKDHL8!P|N |!aLHD@H<^]C@|}x|CxK(@P<^]8xK|ex<^]8xK@DHaL8!P|N <^<~]]}D}@K|excxxKK|!!LAHaD@<8|+x|}xH<\\?|xK|ex\}D?|K}T<\bc\?|K|zx<\<<\hbce\d?<8LxK|gx8LCxdxxK<\T\8xK8<@aDAH!L8!P|N |!aLHD@|+x|}xH<\[?|K[?|K[K(A\x<\[?K[?K[?xK[K@DHaL8!P|N 8`@DHaL8!P|N |!!LAHaD@<8|3x|+x||xHh<[[T?[KZ?[KY?[K|yx<[<Z|bãEZ?{xK|ex#xDxxK[lx%xK8<@aDAH!L8!P|N |!aLHD@|+x|}xH<\<ZĀZKTb>(@x<\Z?K|{xZ?xKYexK(A\<\Z?xKY?exKYKTb>0b|c@DHaL8!P|N 8`@DHaL8!P|N |!LHDHCL|}x(@(<^<~Xc`;LKxxK<^YԀ}L?KX@KDHL8!P|N cDN cDN |!H|H(@h<]W?xK|{x<]XL~@XHK|excxxK~T~T@DHaL8!P|N ;TK|!LHD|~xH|HT<(AP?<]W|N?KW;NxKxHDHL8!P|N DHL8!P|N |!A\aXTPL|+xH<]a@8B]B<AD8a@VTH(||xA?}<]<}VPBVL8F xK|exxDxK<]<}VPBVH8F0xK|exxDxK<]VD<]8F@xK|X<]<}VPV@8FPxK|exxxKxLPTaXA\8!`|N xLPTaXA\8!`|N |!|+x988@H%8!@|N |!88@H}8!@|N |!|+x88L|;xH8!@|N |! AܒaؒԒВ̒ȓē!Aa|&T@>|3x|+x||xHh<[S܀|@?[K|yxS?xKS?xKS>xKS:KS>~ųxK<[RЀbZ>K|vxSWS >xKS?KS:@K|dxS?~xH끀A@aDHLA a$(,@DHL~óxDxKRK\P|zx(A4<[<{SԃSxxK|fxxxExK<[S?xKS?KS?KS?KS?KR;K|wx<[888SK(AA:(:A|uxAB|@A ~xH鵀A|P~.(A<[Rx~xFxK<[R::)Cx~xK@<[S888~xK(@d?SĀ|@>KS>KR>K|txS>{Ex&xKS|@?[~xKS?[xKS?[K|dxS8aPH=X<[x?[\>|>{|@S>[KS>KRK|vxS|tZUSAx|A $x|K|ex~óxDx&xKSx|@~ųxKRxxK|}xSĀ|@KS@xK(@<[S?[xKS?[K|yx<[R@BR8a`H9A`adA a$`d#xDxxKP(A?SĀ|@?KS?[KR?;K|xx>SS>xKS>KS>K|exx~ijxxKS|@>xKS|@?KS?KR?[K|vxS8S|ZS:hxKS>K|dxS~xHApatA a$ptx$xK|ex~óxxxKSx|@~ųxKH<[S|@?[KS@?;xK|dxR8aH<[S?;xKS?;KR?;AA $?>xKSĀ|@?KS@?[xKSKSKRK|~xStK(AD(A<8@A<{A8A8A8AAAASxK(AAB; (;A|xxAB|@A xHA|P~.(A@<[<{SԂR>xxKSK|fxx~ijx~xK<[S>xKS>KS>KR;;9)~xK@T<[S888xK(@\P(A<<[<{SăR|@?[KS@xK|exxxK<[S?xKS?KRK<[S|@KTb>(AT8@AH<{AL?AP?[AT;!hAX;A\:HA`AdSxK|vxSK|~xS~x&xxK(AAPB; (;A|xxAPB|@A<[S~óxKHAL<{~.S>~xKSpxKTb>(A<[S>xKS>K|tx<[S S~xK|ex~x~xK\P(AD<[S>xxK|tx<[S S~xK|ex~x~xK;;9(@<[S88H8hxK(@ЀT>| aA!ĂȂ̂ЂԂa؂A8!|N T>| aA!ĂȂ̂ЂԂa؂A8!|N T>| aA!ĂȂ̂ЂԂa؂A8!|N |!@!Aa|~xH<]<}H0cO;K8<]xKH<]89pKTb>(@<]H>xKH<]89KTb>(@\<]H>xKH<]89KTb>(@,<]<}HKX(A0<\<|FF}@?\xxKF;@K|excxxKA@<\AD?AH?|AL;!`AP;AT:@AXA\FxK|zxFK|~xF~x&xxK(A$AH;`";(:A|wxAHB|@A<\FCxKH݁AD<|F|~.>~óxK|tx<\FFH>|xKE:K|ex~x~xKTb>;((A~۳x@p<\F88@8`xK(@8?F?\xxK|yx<\EBE?cxK|ex#xDxKF;xxKFxKaA!ĂȂa8!Ѐ|N ?F?|xxK|zx<\E}@bE?K|exCxdxKF;xxKFxKaA!ĂȂa8!Ѐ|N ;`K|!!A a|~xH<]<}BtcJ$?KC?KBh?KCd||xxK(A8@A8<}A~xKC<]83KTb>(@<]CH>~xKC<]84KTb>(@\<]CH>~xKC<]84KTb>(@,<]<}CHCD~xK|exx~ijxK;;9(@<]Cl8888XcxK(AK8@A<}A?}A;AA; A;AAACLxK|wxClxFx'xK(A8Ab;@(; A|yxAB|@A<]CLxKHɀA<}.CH>xKC<]83KTb>(@<]CH>xKC<]84KTb>(@\<]CH>xKC<]84KTb>(@,<]<}CHCDxK|exx~ijxK;9;Z(@<]Cl888~xK(@xaA !8! |N |!!lAhad`\X|~xH<]?p?K??K|dx?l8a@HH<]P<}L?TcFt?K|yx?L?exFxK?(~@%xKX\`adAh!l8!p|N X\`adAh!l8!p|N |!@!Aa|+x|}xH8@A@<|AD8`AH8AL8@APATAXA\}D>cxK(AAH;@";(:A|wxAHB|@A }DHuAD<|=|b.:xKTb>;((A;@@<\>88@8`cxK(@|WB>(Ah<\<|>>}D;`xK|exxxfxKaA!8!|N aA!8!|N |!@!Aa|+x|}xH8@A@<|AD8`AH8AL8@APATAXA\}D;((A;@@<\(Ah<\<||~xH8@A8<A#xxK<]88;Z;{)#xK@<]9p8888\xK(@dT>| aA!8!|N T>| aA!8!|N |!A\aXTPL|+x|}xH<\7?|K|zx7lK(ACxx<\7d?K7?K|{x@8^?|B<AD8a@7`?exHρ7\}@exKLPTaXA\8!`|N LPTaXA\8!`|N |!0̒ȒĒ!Aa|+x|}xH<\<|5c=d?|K6?|K5;`Ka@<\aD?\aH?<aL;daP:aT:@aX|uxa\6xK|{x6K|zx6~ųxx~xK(A$AH";(:A|wxAHB|@A<\6cxKHͽAD<|~.6>~óxK6T<\8'8KTb>(@x<\6>~óxK6T<\8'HKTb>(@H<\6>~óxK6T<\8'XKTb>(@<\6~x~ųxK:;(@$<\688@8dCxK(@<\6X~xK(A<\6P?|~xxK|~x6?|xK6?K6xKaA!ĂȂ8!Ѐ|N 8`aA!ĂȂ8!Ѐ|N |!aLHD@<8!4A0a,($ |&T@>HC@|}x(@8]P(A,<^<~<+D3̃3;`xK|exxxK||xaX<^a\8xa`8ad8Xahalapat3K(AA`b;@(; A|yxA`B|@A xHA\<~<.38d$H|exx~xKTb>(A8@xxK;9;Z(@<^388X8xxK(@\<^3<^8b$H]|exxxKTb>(A<^3?xxK3}@?K3lK(@d<^<~33}@?^xK3?^K|dx38a8HMA@aDA a$@DcxxK<^<~<3c:#8K|{x<^<~<3C3%3?xK3K|hxcx$xxFxxK8@A<~A?A;aܐA;@A;!A̐AАAԀ3xK|xx3%xfxGxK(A؀A;`(;@A|zxAB|@A<^3xKHșA?><~33~.D>~óxK|ex~x~xK343H;Z~óxK|fx;{)~x$x~ųxK@p<^3888xK(@8<^3?xxK3?xK3Ԁ}@K(A(<^3}@?K3lK(@<^<~3܃38xK|exxxK<^3<^8b$He|exxxKTb>(@T>|  $(a,A0!48<@DHaL8!P|N <^<~<3ԃ3Ѓe3]D}@K|exCxxK|exxdxKK@<^3}@?K3?~K2?^K|yx?33>xK3>K3>K|tx3Ԁ}@>~K|fx#x~x~xK3|}@>%xK3x}@?>K3?K2?~K|wx3Y3t:83;HxK3?K|dx3xH5APaTA a$PTxDxK||x3Ԁ}@K|fx~x$xxK3p}@~xKT>|  $(a,A0!48<@DHaL8!P|N |!A\aXTPL@H<^a88B4B<A<8a8-4H(|}xA?<^+b3?~K-0;@DKxExK<^+b3;HK-0;`KxxKÓ}T8@]P<^-,<^xxK<^<~-(-$ pxfxKx@LPTaXA\8!`|N x@LPTaXA\8!`|N |!!\AXaTPLHH<^a@8B3TB<AD8a@+?Hå||x?~<^<=+{2L8D848$;@HxK|yx<^<<=>+{2L9d88D8TIxK|}x<^+x%xKTb>(AxxHLPaTAX!\8!`|N |!!\AXaTPLH|+x|}xH<\@8B2(AX<^)?xK)<^8Kp@(<^"<^<~))D8xK<^)?xK)KTb>(At<^)?xK<^))KTb>(AD<^)?xK)8K8DHL8!P|N 8DHL8!P|N <@`B@C8C N |!LHH<^a@8B/B<AD8a@(H(|}xAh<^<~((xKTb>(AD<^"<^<~(<'8xKxHL8!P|N xHL8!P|N <@`B@C8C N |!LHH<^a@8B.B<AD8a@'(H(|}xA@<^'X?xK'T8KxHL8!P|N xHL8!P|N |!<~(8CA <^8Bb<8!@|N 8`N N |!\XT|~xH<]<}&x,8aHHL<];&|xKTb>(A<]<}<"840?\| Aa $8@9@| A8A@=9@HTX\8!`|N <]<}<"@,<<]| a $9@9`| a8A@"9@HqTX\8!`|N |!!\AXaTPLH}^Sx|+x||xHh!<[!<[*?[$?;xK#8KTb>;A(A4<[$<@A A8A(A0<[<{$؃#$xK|exx$xK|}xx<[@8B,B<AD8a@$ЀZ A$(,0: xHHLPaTAX!\8!`|N |!\XT!PALaHD@#x~xK8 H!|)$?>K|wx!!|8xK|ex?>~x~ijxK8Ha!|)$?>K|wx!!|8xK|ex?>~x~ijxK8$H!|)$?>K|wx!!|8xK|ex?>~x~ijxK8Hـ!|)$?>K|wx!!|8xK|ex?>~x~ijxK8H!|)$?K|{x!X!|8xK|ex?cxDxK8HQ<^?#h})T?K# ?~K8H%<^<<~#d})TBp%x?K# ; KxH<@DaHAL!PTX\8!`|N |!!\AXaTPLH|~xH<]<}܀c&?K ?K?K|{x <]@8B(B<AD8a@ ?]H|excxxK<]<}?< c&<: ԃEPK|ex?]cx$xK<] TxK|excxxKcxHLPaTAX!\8!`|N |!H|HA!|x< !|<*|8'dH(AT<]?xK$`(@?txK@DHaL8!P|N <]<xKTb><}(8C8A <]8B4b@DHaL8!P|N <]<}?pB |# xK@DHaL8!P|N 8`N N |!!\AXaTPLH|~xH<]<},c"?Kd?K ?K|{x<]@8B%0B<AD8a@?]H|excxxK?<]\" xK|ex?=cxDxK4?]xKTb>z#(@<]<0<" $ K|ex<] ?]?cxxK؀cxKcxHLPaTAX!\8!`|N <]<?" $ K|excxxKK|!lhd`\!XATaPLHDH<^<~<<xc!Ht!?~K|exxxK|}x?p|!?^K|yx?<^lh8 xK|ex>#x~xK8 Hp|!?>K|wxlh8 xK|ex?>~x~xK8,HMp|!>K|uxlh8 xK|ex>~x~xK8(H p|!?K|uxlXh8 xK|ex?~xDxK8$H?v ;@ExKy,?>ExKw(?ExK}$?ExKTx!@?K;KxHM<^<<~Px!@B\%d?K;KxH<^pb!L?K?K8H<^|}8@A8<@A<8A$ 8x|\4;@xKWz|Tc>}.(A<]xK(@<]xxKTb>(@<]xK(@4<]xxKTb>(@<]xK(A<]xxKTb>(A<]xK(AX`lptaxA|8!|N ?<]bP?PAT A$;^ A(,04TP>^ 8 pKX`lptaxA|8!|N ?<]bT?PAT A$;^ A(,04TP>^ 8 pKX`lptaxA|8!|N ?<]bL?PAT A$;^ A(,04TP>^ 8 pKX`lptaxA|8!|N <]<}cX<]PT $B9` (,04TP"B a8 pKX`lptaxA|8!|N |!aLHD@}>Kx|}xH|xtp<\l;apKTb>(A<\p;*<\88BhB<A<8a8T[ A $(, xH@DHaL8!P|N |!|x!tApalhd`|3x|#x||xHhA!<[tAxKTb>;!(A<[X;p?{\8X(yYy (a,A0a49Y A8xxH%`dhalAp!tx|8!|N <[<{hcP?Kd;K|wxH ~xxH<[P8BpB<AT8a@(8PY A(,049Y A8xH]~xHu@DHL `dhalAp!tx|8!|N |!<~(8CdA <^8B`b<8!@|N 8`N N |!p!Aa|xth|~xH<]\K(A8;|{x<]X8K<]?]cxK<]8KTb>(A4<]<@A APATaPA$a PTcxK<]cxKTb>(A0<]<}CxK|excxDxK|{x<]<}Tc?]K|yx<]\ P:?]?K<]LZ8?]#x pKH?#xK<]D@8aX\ A$(,0<]< xHAXa\`dA a$(,8@| a048xK(A<]<<8Tb>(@<]"D?[{ Aa $8@9@{ A8A@=X9@HPTXa\8!`|N <]<4HTb>(@<]"P<]{ a $9@9`{ a8A@"X9@HPTXa\8!`|N <]"@?[{ Aa $8@9@{ A8A@=X9@HPTXa\8!`|N <]"L?[{ Aa $8@9@{ A8A@=X9@H!PTXa\8!`|N |!lhdX|#x|}xH!<\P8B,B<AT8a@ 8PAA$,0(<\!HD<\p*D xK(A<\ xK(A<\ xK(A<\ xK(A<\ xK(A<\ xK(A<\ xK(@<\!@*@@DHL Xdhl8!p|N ?!@*@K?!@*@K|!\XT!PALaHD@#x~xK8H |?>K|wx8xK|ex?>~x~ijxK8Hŀ|?>K|wx8xK|ex?>~x~ijxK8H|?>K|wx8xK|ex?>~x~ijxK8H=|?>K|wx8xK|ex?>~x~ijxK8H|?>K|wx8xK|ex?>~x~ijxK8H|?>K|wx8xK|ex?>~x~ijxK8Hq|?K|{xX8xK|ex?cxDxK8H-<^? ̀}?K p?~K8H<^<<~ Ȁ}B%?K p;KxHɃ<@DaHAL!PTX\8!`|N |!!\AXaTPLH|~xH<]<}c l?K?K?K|{xl<]@8BB<AD8a@p?]H|excxxK<]<}?<hc <:E,K|ex?]cx$xK<]0xK|excxxKcxHLPaTAX!\8!`|N |!lhdX|#x|}xH!<\P8B B<AT8a@8PAA$,0(<\!HaD<\p*Dt!@<\*@!H<\*HxK(A<\xK(A<\xK(A<\xK(A<\xK(A<\xK(@4<\xK(@`?!@*@HH<\xK(A<\xK(@<\!@*@@DHL Xdhl8!p|N 8`N N 8`N N |!A\aXTPLH<^a@; ]<~AD;@?~xH]|zx8K8h<^A@}aDxH)CxLPTaXA\8!`|N |!\XT!PALaHD@<|~xH?<]bK|{xxK|@@\<]<}<<c0?}K|exxxK|~x?|8?]K|yx?<]8xK|ex>#x~xK8H|8?=K|wx8xK|ex?=~x~ijxK8HI|8?=K|wx8xK|ex?=~x~ijxK8H|8?=K|wx8xK|ex?=~x~ijxK8H|8?=K|wx8xK|ex?=~x~ijxK8H}|8?=K|wx8 xK|ex?=~x~ijxK8H9|8?K|{xX8xK|ex?cxDxK8H<@DaHAL!PTX\8!`|N <@DaHAL!PTX\8!`|N |!H|Hlhd`8h<a88dc*D|B4a8<@Da $(<{8=TBz|c"8<@D|C.(xHPTXa\8!`|N 8<@D PTXa\8!`|N |!!|Axatplh`XP|~xH<];K^h(@(TB>(A<]8BLH$<]8BPHTB>(@8<]8BX?}B<8a8DxHM8<](?= 2Hq/**H8a@ aX\`d|B4a $<~8TBz}C"9`aX\`da8@|*.9@H=<^xK,A<^xK,A;<^8ahxxHQ<^<~cp?~K?~KAhalptAa $;ahlptHUxK|A|xa8!|N |!<8H<^<~c0?K?K>ffi8<8!@|N |!C\|dx|@A$8@\|+x|ExK8!@|N 8\8`K8!@|N |!aLHD@|+x|}xH<\?|Kx?|xKP|~xxK(@ (A@<\PxK(AL8`@DHaL8!P|N 8`@DHaL8!P|N <\?xKK8Cx|B4TC~@DHaL8!P|N |!<8|~xH|H<(@4x<]K0C|b8<8!@|N 8`8<8!@|N |!<8|~xH|H|B48`TBz|~|#.<8!@|N |!<8|~xH<]KTb>(AL^Z(@\<](A4<]xK(A8<]xK(A(8`8<8!@|N 8`K<]?xK\K8c8<8!@|N |!<8|+xH|H[<h?KdW>(A$8K8<8!@|N 8K8<8!@|N |!\XT!PALaHD@<|+x|}xH<\KTb>(A<\@?|xK ?|KD?|K|zx<\<|<b#>xK|vx<\X?xK|ex~óx~xK|ex#xdxK|fxCxxxKhxExK<@DaHAL!PTX\8!`|N <@DaHAL!PTX\8!`|N |!\X!TAPaLHD@|~xH<]\KTb>(A<]?xK?K?K|{x<]<}<LC%H?xK|wx<]x?xK|ex~xxK|exCxxK|excx$xKxexK@DHaLAP!TX\8!`|N @DHaLAP!TX\8!`|N |!aLHD@|+xH<]$?K|{x<]xK|excxxK@DHaL8!P|N |!!LAHaD@<8|+xH<]<C\|3x|{x|CxKTb>(A@<]<}< c E;\K|ex#xDxKTb>(A<]<}cxKTb>(@8<]|cxKTb>(A<] cxK|@Ap8`8<@aDAH!L8!P|N x?{\xK8<@aDAH!L8!P|N <];cxxKx8<@aDAH!L8!P|N |!!LAHaD@<8|+xH<]<`܀C\|3x|{x|CxKTb>(A@<]<}<hchEl;\K|ex#xDxKTb>(A<]?cxKh?xK||x<]cxKTb>(@<<]@cxK(@ (AH<]@cxK(A8`8<@aDAH!L8!P|N 8`8<@aDAH!L8!P|N x?`{\xK8<@aDAH!L8!P|N <]?cxKK8Cx|B4TC~8<@aDAH!L8!P|N |!!\AXaTPLH@|;x|+x||xHh<[,?[K<[ȀxKTb>(@<[<{(Ā|\KTb>(A<[<{<PcPET<\K|ex#xDxKTb>(@Lxx<[(|\ pK@HLPaTAX!\8!`|N p@HLPaTAX!\8!`|N |!LHD|+x|}xH<\<|考销}\KTb>(A4x<\}\KDHL8!P|N DHL8!P|N |!LHDH<^@|+x||xKTb>(A <^TxKTb(@@<^@xKTb>(AD8`DHL8!P|N 8`DHL8!P|N <^TxKTcDHL8!P|N |!<8H<^<|}xKTb>(@<^@xK<^8xK8<8!@|N |!LHD|~xH<];xK<]xxKDHL8!P|N |!ALaHD@<|+x|}xHxt<\<|<ceă]\K|exCxdxKTb>(@d<\<|,4}\KTb>(@t|@A<\DxK<@DaHAL8!P|N ?xK<@DaHAL8!P|N 8At?,}\$(xK<@DaHAL8!P|N ?xK<@DaHAL8!P|N |!H|HX#x~xK8֐HtՀ݄z$?K|zx݀x|8ѸxK|ex?CxdxK8֔Ht?ߔv֐;xKߔ}֔xK@LPTaXA\!`dhl8!p|N |!|+x988`Ht8!@|N |!|+x988dHt8!@|N |!|+x988hHt8!@|N |!|+x988lHta8!@|N |!|+x988pHt18!@|N |!88pHs8!@|N |!|+x988tHs8!@|N |!88tHs18!@|N |!|+x988xHs8!@|N |!88xHr8!@|N |!|+x988Hs)8!@|N |!88Hr8!@|N |!A\aXTPL|~xH?ڼ~T?}Kڼ~`;{,Kڼ~d?Kڼ~h;A@Kڼ~lKڼ~pKڼ~tKڼ~Kڼ~xK@[ADٰCxHq̓LPTaXA\8!`|N |!LH|~xH<]KTb>(@X<]@8BPB<}AD?(8a@HqIƨ|@&TBhCHL8!P|N 8`HL8!P|N |!LH|~xH|H|~xH<]|?K<]<} xcޠ?]xKא?]K|excxxK||xڤ?}xKTb>(@8a`xHol8@A<}A?}A;AАA; A;AĐAȐÂtt~xK|vxxFx'xK(AA<Ѓb;@(; A|yxAB|@A<]t~xKHnA<}ٴ|b.;9K;Z*(@<]888~óxK(@<] ?}xKא?}K|zx;zxKTb>(A^Z(A;zob<}ALڸ<@C0AH<]\xK <]AHxK(Tb>.x(<12(Al<]<}?}<"Ѐ٨{ްE׸?=K|xx<]|"X{ްxK|excx$xK|fxxDxxK<]ؠt?}xKא~p;`K|zxa<]a?=a;0a:a :a$a(a,~pٌcxK|ux~ųxx~xK(AA<DЃ";::(:A|tx~ӳxAB|@A<]ٌcxKHlaA<}~B.\~p>=~ExKٴ~7K!2HlR*|@@ (!*<]<}<٨cް%׸:sK|ex:}@x~$x~FxK@X<]8880~xK(@<]ٌ~p?}Kר?}K?]K|yx<]<<<bElޘh>Kp<]88K?}K|exxDxK|ex#x~xKא#xK(AX<]B;`<]׈?]#xexK|xx\?]xxKٴ?]K`<]؂>xK|exx~xK؃VxK|exxDxKA @<]<}<٨cްE׸A K|ex>xDxxK?]#xxK\~p?]xKٴ?]K`א(#xKR((A?}{;`<]<}׈ƒ#xexK|zxA @<]א?C0#xKaD<]@`<]"A@($ 2Hj <]אs*#xK8C|@@ (* <]<}<٨cް׸>K|exxxFxKא;{#xK|@A;`<]א;{#xK|@A<]א#xK(@<]A<]<}٬cޠ;`Kap<]at?]ax;a|:a:pa|uxaa~tٌcxK|tx~ųxx~xK(AԀAxB;(:A|wxAxB|@A<]ٌcxKHgŀAt<}\~.~t>}~ųxKٴ>}K!x$<]<٨bްe׸:;)K|ex~x~dx~ƳxK@t<]88p8~xK(@<<]א;`~xK|zxa<]a?a:a:a:Гa*aa쀂ٌ~xK|{x~x~x~dzxK(AA<Ѓ:::(:`A|sx~xA؀B|@A<]ٌ~xKHfeA<}~".\>~x~%xKٴ~K!Hf*|@@ (!*<]<}<٨cް׸:RK|ex:}@x~x~&xK@X<]888cxK(~@<]ٌ~t?}Kר?}K?]K|xx<]<<<bElޘh>Kp<]88K?}K|ex~xDxK|exx~ijxKאxK(AX<];`<]׈?]xexK|wx\?]x~xKٴ?]K@<]؂>~xK|exx~ijxK؃T`~xK|exxDxKA @<]<}<٨cްE׸A` K|ex>xDx~xK?]x~xK\?]~x~xKٴ?]K@א(xK((A?}[;`<]<}׈cxexK|zxAl<]א>C0xKa<<]8`<]"A8($ Hd `<]אR*xK8C|@@ (s* <]<}<٨cް׸>K|exx~xFxKא;{xK|@A;`<]א;{xK|@A<]א#xK(@<]A8@A0<}A4?}A8;APA<; A@;0ADAHALtxK|wxxFx'xK(A(A8<Ѓb;@(; A|yxA8B|@A<]txKHa݀A4<}ٴ|b.;9K;Z*(@<]8808P~xK(@<]אΈ(xK(A<];`<]<}Xcް?]exK|yx\?]x%xKٴ?]Kx$ Ha א*xK8C|@@ (1* <]<}<٨cްE׸?K|exxDx&xKא;{xK|@A@<] ?}xKאK(A<];`<] ?]xK׈?]exK|yx<]<XbްE\?exK|exhxDxK<]ٴKX A<]ڤxKTb>(@?]8axH`58a$xH`<]dx*AaA a$(,#xK^Z(A$<]ڀx%xKTb>(@<]ڸxK*<] ?]xKא;{K|@AtT>| ʁaA!؃䃡胁aA! aA!8! |N 8aPxH^XK>K<]\~p?ExKٴK$K<]\>~xExKٴK$K>Kh?]8apxH^a|8a$xH^EpK$|!0̒Ȓē!Aa|&T@>|~xH<]KTb>(Al<]$?xK4?}Kl?]K|yx ?]xK4?Kl?}K|xx{(ALEx<]?}xKTb>(@0xxK(A<]xxKH#xxK(At<]@?}?]Kd<]Z\(#xxK@88@A8<}A#x~xK@>K!p$<]<4b| aA!ĂȂ8!Ѐ|N <]\?xKxKT>| aA!ĂȂ8!Ѐ|N T>| aA!ĂȂ8!Ѐ|N |!@!Aa|~xH<]K(A<]xK(A<]?xK?}K|zxxKK|@@`8@A8<}AxKx>~xK|ux>x~xK|wx>xK >~xKV>KTb>|@@D;9;Z|@AP?}h8888XxK(|{x@ ;H;taA!8!|N |!`!Aa!|Axatplh`|~xH?<]<Hb؃E?=K?=K|exCxdxK|{x?]Ԁz;K|wxԀz?]K;!::|txHxK||x ~x&x~dzxK(AA<īB; (;A|xxAB|@A<]HxKHUA<}~.hx~ųxKTb>(A<<]>xKTb>(@X8aP~ijxHV\*;;9(@p<] 888xK(@88@A<}A?A;A A ; A;AAAHxK|vx xFx'xK(AA;@(; A|yxAB|@A<]HxKHTA<}.H>xK>xK|sxh>xxK|rx>xKVB>(ATb>(@ 8apxHT|?8@ p$?><]Ѐu؃>]K|qxu>]~exK|fx~xx~%xK?u؃8K|excxxKHTb>(@8axHT!<]?<Ѐx؂>]K|qxx>]~exK|fx~x~x~%xK<]x؃8K|excxxK;9;Z(@0<] 888 ~óxK(@<]?x~xK?x~xKxexK`hlpatAx!|aA!8!|N ?ܫK8a@~ijxHRHK8a`xHRhK?8K8axHR!K|!`Aaxp|&T@>l|+x|}xH<\<|<DcfH]dK|exCxdxK(APx|~x<\<|<DcfH]lK|exCxdxK(AX<\?|K)xK@<\?xK ?xK|?C0K8CAD<\@L<\!@(xK<\Tc>2(@8aXxHQd<\"T$x(2 pHQ=lT>| pxaA8!|N ?ާP plT>| pxaA8!|N ?xKlT>| pxaA8!|N 8aHxHP!PK|!`Aaxp|&T@>l|+x|}xH<\<|<Ѐc(fԃ]`K|exCxdxK(APx|~x<\<|<Ѐc(fԃ]hK|exCxdxK(AX<\P?|K,)xK@<\0?xK?xK?C0K8CAD<\@<\!@(xK<\Tc>P2(@8aXxHNd<\"$x(2 pHNɀlT>| pxaA8!|N ?ޤH plT>| pxaA8!|N ?,xKlT>| pxaA8!|N 8aHxHMPK|!@!Aa|~xH8@A@<AD?AH;adAL;@AP;!@ATAXA\8K|xx%xfxGxK(AԀAH;b;@(; A|yxAHB|@A<]8xKHLMAD<}X|.;9xKTb>0b|C;Z(@<]88@8dxK(@pxaA!8!|N ;K|!pAa|HC[|+x||x(A\<^\?~xK|zx(|dx@ 8aH?~HKT;A \[(@\<^\?~xK|zx(|dx@8ahHKUt<^"A<^|xKTb>(A<^xK<^8xK<^<~x |\KTb>(@|aA8!|N 8a8?~HJ@;@<^(8xK<^xKKd8aXHJm`<^"@<^(8xK<^xKK <^x|\xK|aA8!|N |!A\aXTPL|3x|#x||xHhA!<[<{4Ԁ}\AKTb>8a(A8Ax<4\#C (,!0A4"B 8(A@<]<}< c E;\K|ex#xDxKTb>(A<]<]cxxKxA<]8?cxK?xK|zx?cxKTb>(@8aHDxHGLx*<]8?cxK;K|@@t<]<]|cxxKAL<]8?cxK?xK|~x?cxKTb>(@ 8ax?xHF!|8axHF<]1*cxK(@( xHEypA p!aăAȃ!8!Ѐ|N x?{\ pxK!aăAȃ!8!Ѐ|N pK8a8DxHE8Kh@pK@8aX?xHE!X8ahxHEpK|!0!̓Aȓaē!|+xH<]<C\|;x|{x|CxKTb>(A@<]<}< c E;\K|ex#xDxKTb>(A<]<]|cxxKxA<]8?cxK?xK|zx?cxKTb>(@8aHDxHDLx*<]8?cxK;K|@@t<]<]cxxKAL<]8?cxK?xK|~x?cxKTb>(@ 8ax?xHC!|8axHC<]1*cxK(@( xHBpA p!aăAȃ!8!Ѐ|N x?{\ pxK!aăAȃ!8!Ѐ|N pK8a8DxHB8Kh@pK@8aX?xHB!X8ahxHBpK|!|!xAtaplhd|&T@>`H<^<B\|;x|3x|+x|zx}Cx|ExKTb>(A@<^<~<c%\K|exx$xKTb>(A<^CxK?>xK||x<^CxKTb>(@\<^)CxK@(@ (Al<^CxK(@<^CxKK8C|@@<^(|dx@ 8aPH@\<^;CxxK<^ ?CxK;CxxKx`T>| dhlapAt!x|8!|N 8``T>| dhlapAt!x|8!|N ?z\exxxK`T>| dhlapAt!x|8!|N 8a@H?HK|!ALaHD@<|;x|3x|#xHh<[<\\|zx|CxKTb>(ADxx?{\CxH?=<@DaHAL8!P|N <[B":" : <@DaHAL8!P|N |!A|axtplH<^|+x||xKTb>(Al<^?~xK|zx?~xK$WB>(|dx@|8aPH>A\\(@<^"@<^`8B,B<Ad8a`LxH=lptaxA|8!|N 8a@H=HK|!`a!Aa|xtph`|&T@>\|+x|}xH<\<tpKTb>(@ <\pxKTb>(A p<\xK(A X](@ L<\<|<<(c`E&d`>xK|vx<\>xK|ex~óx~xK|exCxdxK|exx$xK$?|KK(|{x@<\cxK(A ;@<\hxK(@T<\T?<xxK}?KP8K}?KL8K8@A<|A?A;!A;A:A AA(xK|vx~x&xxK(A $A;";(:A|wxAB|@A<\(xKH:A<|~.Hx~xKTb>(A <\xK|@A~x:;(@<\888~óxK(@T(A ?<?xKD?K|wx:xKX?~ųxK?xKl?xK|ux>xK@?~ųxK>xKTy>xKV>((Ap|dxA8a8?<H9D<xKTb>(@<\?<xK|dx8aHH9PWB>(A<\8xK<\?<4y?Ky?K|vx<\0,>xK~óxxK?xK(>K$8@AX>\:`AX\A $>|X\WZ>K()xK|zx$~xxH8!h*x*ptpAt A$ptCxxK yKA8??\<\0ڧB xKxDxxfxK??|?\<\h{ڧb 8K|zx<\0xKxdxxFxKHWB>(A<\8xK<\?<4y?Ky?K|vx<\0,>xK~óxxK?xK(>K$>x:|>|Ax|A $WZ>x|)K(xK|zx$~xxH6!(x(A A$CxxK yKA8??\<\0ڧB xKxDxxfxK?x8xKH8a?<H6E<xKTb>(@<\?<xK|dx8aH6WB>(A<\8xK<\?<4y?Ky?K|vx<\0,>xK~óxxK?xK(>K$8@>A:A$ >|WZ>K()xK|zx$~xxH5!*x*ԃЀAԓ A$ЀCxxK yKA8??\<\0ڧB xKxDxxfxK??|?\<\h{ڧb 8K|zx<\0xKxdxxFxKHWB>(A<\8xK<\?<4y?Ky?K|vx<\0,>xK~óxxK?xK(>K$>:>|A؀ܐA $WB>؀)K(xK|zx$~xxH3U!(x(AaA a$CxxK yKA8<\<|<0çE xKxDxxfxK<\x8xK8@]?<\?|0B; ;xKx$xExxK<\<|<hcE; ?~xK|wx0xKx$xEx~xK0ܧ xKxxxxK\T>| `hptxa|A!a8!|N \T>| `hptxa|A!a8!|N ;@K\T>| `hptxa|A!a8!|N |!LHD|~xH<]88BlB<A<8a8?H0}?xKxKDHL8!P|N |!A\aXTPL|+x|}xH<\?|K|zx@8[܀B<AD8a@xH/Tb>(@8WB>(@T8`LPTaXA\8!`|N 8`LPTaXA\8!`|N ][0b|cLPTaXA\8!`|N |!a쓁蓡!A|~xH<]<}„  sH/Y A sH/E**<@@A<A8a`<]$(,0„8!;xH.d!`hlH-5! xxH-p@!H-!<]8aPAA$(,0?!?}xH.P<TX\T@8@A<`@A<]a<a?e8@ $(,=ȃ048<!AA@KA!؃䃁a8!|N ??8apH,p8axH,|8@A<A<]9`"Ȁ|쀄AA $(,AA048<!Aa@KA!؃䃁a8!|N |!p!Aa|xt|~xH<]8;AaA(a0,$?}!xxH+4xKTb>(@<]<}"hC<]a$"A$ <]`<}<$?}?]; ;*dh*lc0A`dhlA $(,`dhlK,z\ A(,04<\ 8!<@xxK,z\ A(,04<\ 8![>AD<\;#xxH&8>xK|exx~xxK?4>xK|ex8Հx~xK<\0>xK|ex8Հx~xK<\,>xK|ex8Ձx~xK<\(>xK|ex8Ձx~xK<\$>xK|ex8ց$x~xK<\<| >xK|ex8ց4x~xK<\>xK|ex8ׁDxxKڎ<\@{aD<#xH$|exxxK@[AD#xxH$eHLPaTAX!\`dhl8!p|N |!#x~xK8H|,?>K|wx؇8|xK|ex?>~x~ijxK8Hi|,?>K|wx؇8| xK|ex?>~x~ijxK8H%|,?K|{xX8|0xK|ex?cxDxK8H<@DaHAL!PTX\8!`|N |!|+x988tHm8!@|N |!88tH8!@|N |!|+x988xH8!@|N |!88xHm8!@|N |!aLHD@|~xH?~t?}K~x;LK8<]8a8>z4T8a8Hz488a@HD:H:`tL>]P>=T>AHaLPTA a$(,=HLPT=x~xKx~exKÀl~t?~xKz4h~t>K~t:xKd~t>}K~t9XKt=~xKz,;hK|zxtցT>}}{xxH̀z8`X9pxHz8h3o}{xHp*!t*x;x|?=?!Axa|A a$(,x|Cx~ijxKxxKÀl~x~xKz8h~xK~xxK`~xK~xKt~xKt@xKx@xKH??]z,?=K|xx>>z]>=>AaA a$(,==x~xKx~exKÀl~t?~xKzK~t:xKd~t>}K~t9Kt=~xKz,;K|zxtցT>}}{xxHMz@9xH1z@3o}{xHp*!*;x?=?!ԀAȀàЀԐA a$(,Ȁ̀ЁCx~ijxKxxKÀl~x~xKz@h~xK~xxK`~xK~xKt~xKt@xKx@xK~`! a$A(!,048<@aDAH!LPTX\8!`|N |!P!Aa|~xHܐؐԐ<]~t8axHa<]dhlp~xK(AX<]~xK(@?~|~t<@AA`?`@ad?]A`a$A ;!h`d?K~t~|^xh#xxHp!h<]*p(xha|Axa$A x|CxxKlx*ldp*d<]{?xK~x^dhlpA $(,dhlpxKaA!8!|N ?~|~t<@@A@?`@@aD?]A@a$A ;!H@D?K~t~|^x>#xxHyP!Hh*7h$p(*X<]a\hAXa$A X\CxxKlx*ldp*dK|!a|xtp|~xH<]|;K(Ah<]{8aX\A$(9?}xHxht8a8HAXa\AaA8a<@DA a$(,\aX8<@DHyTb>(@(<]xhx8aHHAXa\AaAHaLPTA a$(,\aXHLPTH Tb>(@<]h8BB<Al8ah{\A $HEptxa|8!|N <]`;‚?d8a`{ $Hptxa|8!|N ~tptxa|8!|N ~xptxa|8!|N |!!\AXaTPLH|+x|}xH<\@8BDB<AD8a@v?|H%<\ybx?\xK|ex8idxdxK<\?|y[vx?<xK|ex8itxDxK<\y{vx?xK|ex8ixdxKHLPaTAX!\8!`|N 8`N N 8`N N 8`N clN lN |!LHD|+xH<]a88BHB<A<8a8ulH (||xApx<]<<u\x|8hK|exxxK<]v\8xK8@\hxDHL8!P|N xDHL8!P|N |!\XT!PALaHD@<|~xH?<]sb{K|{xsxK|@@<]<}<<sc{sz?}K|exxxK|~x?r|z?]K|yx?<]rr8gxK|ex>#x~xK8l4H r|z?=K|wxrr8gxK|ex?=~x~ijxK8l0H r|z?=K|wxrr8gxK|ex?=~x~ijxK8l8H ir|z?=K|wxrr8gxK|ex?=~x~ijxK8l(H %r|z?K|{xrXr8hxK|ex?cxDxK8l,H <@DaHAL!PTX\8!`|N <@DaHAL!PTX\8!`|N |!H|Hlhd`8h<a88d| c=ggg(@Alahd`A$a <^9@a`dhlA8@"\9@H!p|aA8!|N 8aPHQT KAlahd`A$a ?8@a`dhlA8@>\D9@Hp|aA8!|N |!aLHD@|+x|}xH<\88BwB<A<8a8m?|H=<\păbm?xK|et8`xdxK@DHaL8!P|N |!<8H<^mD?K<^m@=ZD8K8<8!@|N |!LHD8H|xtp<^<lȀl|}xKTb>(AX<^l?xKl<^Y,8Kp@(<^"Y,<^<~l考lt8xK<^l?xKlKTb>(At<^l?xK<^lԀlKTb>(AD<^l?xKl8K8DHL8!P|N 8DHL8!P|N <@`B@C8C N |!LHH<^a@8BuPB<AD8a@kDH(|}xAh<^<~kLkHxKTb>(AD<^"W<^<~klj8xKxHL8!P|N xHL8!P|N |!\!XATaPLHD|~xH<]<}lcp?Kl?KmxK(A0||x<]lKTb>(A<]mxKTb>(A<]lxK(A<]l?}xK|zx<]<hbpekK|exCxdxKTb>(@<]<}<hcpekK|exxdxKTb>(AH<]m?}xK|zx<]<hbpekK|exCxdxKTb>(A<]<}<hcpekK|exxdxKTb>(@<]lxK||xH?m;CxK(Al?m?CxK|yx<]<hbpk;K|ex#xxKTb>(A?mCxK||x|{xx(@t?mcxxKH<]ixxK<]mxKDHLaPAT!X\8!`|N <]mxKK|!!\AXaTPLH}>Kx|}xH|H?i;`AaA,a40(;@A8aK(||xA8?cxK8c@DHaL8!P|N x<]<gdXK|exxxK@DHaL8!P|N |!aLHD@H;HT<^g ?~xK|}x<^<b|bjeeK|exxdxKTb>(Axx|}x<^<~<b|cjeeK|exxdxKTb>(@ (@lx@DHaL8!P|N |!aLHD@H(|+x||xAp(A<(@<^f;`xexK<^fxexKH\<^f8xK<^f8xKH0<^f;`xexK<^fxexKT<^d8xK@DHaL8!P|N |H|H(ADxx<[c8|X pK8@DHaL8!P|N p8@DHaL8!P|N |!aLHD@8|;x|+x||xHh<[<{ba|XKTb>(ADxx<[b|X pK8@DHaL8!P|N p8@DHaL8!P|N |!LHD|+x|}xHxt<\<|aH`P}XKTb>(AP8At?aH}X$(xKDHL8!P|N <\b`xKDHL8!P|N |!aLHD@|3x|+x||xHh<[<{a_||XKTb>(A<xx<[a|XK@DHaL8!P|N 8`@DHaL8!P|N |!aLHD@8|;x|+x||xHh<[<{`,^Ȁ|XKTb>(ADxx<[`,|X pK8@DHaL8!P|N p8@DHaL8!P|N |!ALaHD@<|;x|3x|+x|{xHH(ADxxx(A<xx<[^؀|XK@DHaL8!P|N 8`@DHaL8!P|N cXN |!|dx8@X|+x|ExK8!@|N CR|CtN RN CP|CtN PN CQ|CtN cTN |!LHDH|xtp<^a88BfhB<A<8a8ZAt|xpA$,( t|xpH}(|}xAp<^<~^cb?K^?K_;xxK<^_xxKxDHL8!P|N xDHL8!P|N |!p!A|axtpl`XH<^<~??Gd#H[X|aH?~@pK[?^K8RH<^[X|aH"H?^@pK[;ZRKDxH<^[X|aH"G?^@pK[;:RK$xH<^[X|aH"H ?>@pK[;RKxHU<^[X|aHH$? x@pK[:RK~xH![X|aH> x@pK[:RK~ijxH<^[X|aHBG> pK[:RK~ijxH<^[X|aH"H(>@pK[:RK~ijxH<^<~Yxcal>K<@?݁wR䁘RR܀R؀^t`B/;@<<A$A(A0A4G\FH,? ?$(!0A48aDAPA8a(A8Ax<YPX#C (,!0A4"B 8cxKVx(((|dx@8aH?>C0x**?Y8adxH?Ap ăaȃA8!Ѐ|N <]<}X,V{XKTb>(@l<]BE":" : ăaȃA8!Ѐ|N 8apHpKx?X,XCxxHăaȃA8!Ѐ|N |!aLHD@|~xH<]W?K|{xWK|@@cx<]S8K<]88B^B<A<8a8S|HՃ@DHaL8!P|N |!a|xtpHQ<^<BSPUT>(||x@8aXx|ExH`<@Ah;`AlahA$a hlxxK<^bK<^U\8xKptxa|8!|N 8a@x|ExHH<@AP;`ATaPA$a PTxxKK|!lhd`!\AXaTPLH@80!(|~xH<]Q\?KQK(A;?}Q\?]xKQ;@ExKA?=A;ؓA:A:A|uxA̓AГAԀQ\xK|{xR ~ųxx~xK(AĀAB; (;A|xxAB|@A<]Q\xKHA<}~.U>~xKQ<]8F|KTb>(@4<]U>~xKQ<]8FKTb>(A>R8aX~xH!R`X8ah~xH Rp!h8ax~xH<]<}x"? UQ*op*~xA~xA8~xK>R8a~xH>U8axH!>U*/p*AP8~xK~ճx;;9(@<]R 888cxK(@L(Ad<]U?}~xKQ<]8F|KTb>(@<]U?}~xKQ<]8FKTb>(@!(08@HLPaTAX!\`dhl8!p|N !(08@HLPaTAX!\`dhl8!p|N 8~xKKh8~xK~ճxK\| A a$(<]<} B?D#? 8aH<]<}<RT؃J8a~xH!8*Aa $PA(a,04T! A$8<@xxK!(08@HLPaTAX!\`dhl8!p|N |!P!Aa|~xHܐؐԐ<]P;xxH午^Q(@Ѐ\| A a$(<]<} B:4#:,8aPHP`TdXh\l<]<}OcE<]`dhl $(,";`dhlK^Q(@@<]<}OcE8@ (,048<\ 8A(A <@@Ap<]?}"EQ <]aptx|a $(,?]ptx|:dxKApatx|Aa $(::4ptx|8a@pH<]"EQ AaA a$(,xK<]Q\| A a$(, xK^Q(AaA!8!|N <\ |<]a`b:dd*!hlKp<]<}OcE8@ (,048<\ 8A(@H<@?]`]dxHL8!P|N xHL8!P|N 8@]`]dxHL8!P|N |!\|~xH|HL|~xH<]D`?KG ?K<]GDC;KTb>(Ah?}D`?}xKG ?}KGDKT{>(A4;`<]<}Fc;<] $(,"0 ?]K?=<]D`F;:xK\ A(,04:<\ a8<@>~xx~x~xKD`F;WsxK\ A(,04)<\ a8<@~xx~ųx~ƳxKD`YF4;xK\ A(,04<\ a8<@#xDx~ųx~ƳxKA?]?=<]D`F;:xK\ A(,04:<\ a8<@>~xx~x~xKD`F;xK\ A(,04<\ a8<@~xx~x~ƳxKD`YF4;xK\ A(,04<\ a8<@#xDx~x~ƳxKWb(@<]D`?}xK<]GxCKTb>(A<]D`?}xKGxKTb>(Ax<]<}<D`cFE;; xK\ A(,048<\ a8!(@LT>| PTXa\A`!dhlptxa|8!|N ;`K?]?=<]D`F;:xK\ A(,04:<\ a8<@>~xx~x~xKD`F;xK\ A(,04<\ a8<@~xx~x~ƳxKD`YF4;xK\ A(,04<\ a8<@#xDx~x~ƳxKKh<]<}<D`Fe;;@xK\ A(,048<\ a8| PTXa\A`!dhlptxa|8!|N |!<~(8C5A <^8B5b<8!@|N |!<~(8C4A <^8B4Āb<8!@|N |!!\AXaTPLH|~xH<]<}:cBt?K;?K:?K|{x(+4K|ex<]+@cxDxK<]4\;cxKcxHLPaTAX!\8!`|N |!`!Aa|xph`H<^<~??'<#';0|A ?~@pK:?^K82Hѽ<^;0|A "'?>@pK:;2KxHэ<^;0|A '? x@pK::2K~xHY;0|A > x@pK::3K~ijxH-><^9PbAD>K<@?݁w3222>L`B/;@<<A$A(A0A4'4F(? ?$(!0A48aDAPAp x`K82HЉ<^;0|A "'?>@pK:;92K$xHY<^;0|A "'?>@pK:;92K$xH)<^;0|A B(?> xK:;92K$xH<^;0|A B'?> pK:;92K$xH<^;0|A B(?> xK:;92K$xHϙ<^;0|A "( ?>@pK:;2KxHi<^?>ty2'D?> K:;92K$xH5<^;0|A "($?>@pK::2K~xH>ty2?> K:;92K$xH<^;0|A B((?> xK:;92K$xHέ<^;0|A "(?>@pK:;y2KdxH}<^9PbA,?~K:?~K82HU<^;\{2<@AX<A\?XA$ (,X\K;0|A >p2 p@xK|exxxK`hpx|aA!8!|N |!|!xAtaplhd}^Sx|+x||xHh!<[6?[xK5`<[8&KTb>;A(A4<[6<@A A@ADa@A$a @DxK<[6xKTb>(A<[9xK(@<[6xK(AT<[<{9ȃ#6?xK|exx$xK|}x98K<[<{7c.\K<[X8B@ԀB<{A\<[6<{  $(B" #"8aHHـAHaLPTA$a(,08aXHLP!TxxxH5dhlapAt!x|8!|N |!\XT|~xH|H!̀c<aL8a848H!$,0!(?!?H˕A8a<@DAa $(] 8<@D< xHɕTX\8!`|N |!\XT|~xH<]H8B=܀B<AL8aH6(?AA$,( Hʍ3xKTb>(A;<]<}4 c+h?K68a8\ A$(,0;< xHUA8a<@DAa $a8<@DxHȝTX\8!`|N TX\8!`|N |!!AܓaؓԓГ!Aa|&T@>|3x|+x||xHhA$! <[3A(Aa$ A(a0,$;!!$ ;p#xDxHAa$ A a($,$ V>xHƽp0(!t!!x! !|!$AL<[5LCxKTb>(A<["*H(<["@*H<["@*<[ 38a`Y A$(,0W>9 )DxH`dhl APo\?C0X?!X(V>(@?=,(*HL?[?3x8 >K3o€oA<D?C0K8@<[3x8 K8!@3x(x(K$p$V>(@H9 O*.*1(`<[<{5Hc80?K|}x<[5D>?K5@**?AaA a$?[?{xK5| aA!̃Ѓԃa؃A܃!8!|N ?,(p*PTK09.*/*A(`K|!`!Aa|xph|+x|}xH?|1D;@ExK<\1@?<K1DlxxExK1K+?<K|vx1L?K.(y3 K|yxT!P?.$W>|^4>: p@xK<\Wz|14|%.xP#xK.$@pP#x xK<\.?#xKP!T?AXA\!`d1DxExK10AX\`dA $(,X\`dK1H~óxK~óxhpx|aA!8!|N |!l!hAda`\XT|+x|}xH<\+l8a8xH(A8<\!h8aPxH<\!XAb(?\!h8a`xH]!hd8apxHI|;*(!AaAa $aHTb>(@t<\%9 AaA a$(,xxKaA8!|N aA8!|N |(@A |(@@|(@8`A8`N 8`N |!LHD|~xH<]#@?K$<]8xKDHL8!P|N |!LHD|~xH<]<} ,c&4?K#?K<] #\8xK<]!dxKDHL8!P|N |!H|H(A<\<|c$?|K?|K|zx<\"\b?<xK|exxdxK"X?xExKxExxKHLPaTAX!\8!`|N HLPaTAX!\8!`|N |!A\aXTPL@H<^<~?? D# H8|#(?~@pK?^K8 H<^8|#(" L?^@pK;ZKDxH<^8|#(" P?@pK;KxHe@LPTaXA\8!`|N |!p|!xAtaplhdX|~xH<]8a@AA(0,$?!xH]xKDa@|\|@l|zx; <]CxxKTb>(A4<]8aH>xxHT7d<]*T?x",>KDx",>K8>>K>>(t" 46 D>@pK|vx(t"7 H>@pK|ux<]Hb"<>Kl>~ųx~xK<>K<]HLPT $(,"ȀHLPT>KЀx",K;9|@@XdhlapAt!x|8!|N |!LH|~xH|xtp<]KTb>(At8Ap<}@8c$|c<aD8a@ $(, HHL8!P|N HL8!P|N |!lhd`!\AXaTPLH}>Kx|}xH<\p?|K<\8HKTb>;a(@\<\?\xKTb>z(A<\K|zx?<<\b?KL?K>K|vx<\>xK>8|+xK|ex~óx~xK>>~óxExK<\<|<ĀcW5 K|ex>~óxDxKwH?\K|yx<\pB>xK|ex#xDx~ƳxKK|exxK<\;<\!(;8B#;<*8a@@BAD[ A $(, xH1HLPaTAX!\`dhl8!p|N <\<<B%KK |!!\AXaTPLH}^Sx}=Kx||xHh<[88aAA(0,$;@!?;xH\08Y!@<{BADA,8a@!$,(! ;`A8<xxH՛|0HLPaTAX!\8!`|N |!!lAhad`\X}^Sx}=Kx||xHh<[8aAA(0,$;@!?;xHU\08Y蓁P<{BATAa!a$,(! 8aP8A<@;`xxH|0X\`adAh!l8!p|N |!lhdX|#xH!<]H8BB<AL8A88H!$,0!(!||x|CxH^0(@8Ax<}8aP" $(,!0=]" HD!T (p@ (D<]LA<:<8<@D Xdhl8!p|N Ca|CtN aN C`|CtN `N |!LHH<^a@8BpB<AD8a@H(|}xAL<^<~cKTb>(@H<@?]d]hxHL8!P|N xHL8!P|N 8@]d]hxHL8!P|N |!\|~xH|HL|~xH<]P?K?K<]4;KTb>(A?}P?}xK?}K4KT{>(A;`<]<}c<] $(,"Ѐ ?]K?=<]P:xK\ A(,04:<\ a8<@>~xx~x~xKPWsxK\ A(,04)<\ a8<@~xx~ųx~ƳxKPY4xK\ A(,04<\ a8<@#xDx~ųx~ƳxKAP?]?=<]P$:xK\ A(,04:<\ a8<@>~xx~x~xKP(xK\ A(,04<\ a8<@~xx~x~ƳxKPY4(xK\ A(,04<\ a8<@#xDx~x~ƳxKWb(@l<]P?}xK<]hKTb>(A<<]P?}xKhKTb>(Ax<]<}<PcE; xK\ A(,048<\ a8!(Ax<]<}<PcE; xK\ A(,048<\ a8| PTXa\A`!dhlptxa|8!|N ;`K?]?=<]P:xK\ A(,04:<\ a8<@>~xx~x~xKP xK\ A(,04<\ a8<@~xx~x~ƳxKPY4 xK\ A(,04<\ a8<@#xDx~x~ƳxKK|!<~(8CdA <^8B`b<8!@|N |!<~(8CA <^8Bb<8!@|N |!!\AXaTPLH|~xH<]<}cp?K?K?K|{xp<]@8BB<AD8a@t?]H|excxxK?<] ̃\"4xK|ex?cxDxK<]<}<lc\>0K|ex<]<cxDxK<]cxKcxHLPaTAX!\8!`|N |!`!Aa|xph`H<^<~??8#󴀝,| ?~@pK?^K8DH<^,| "?>@pK;HKxH<^,| ? x@pK:LK~xHU,| > x@pK:PK~ijxH)><^Lb @>K<@?݁wPLHD H`B/;@<<A$A(A0A40F? ?$(!0A48aDAPAp x`K8 H<^,| "?>@pK;9 K$xHU<^,| "?>@pK;9K$xH%<^,| B?> xK;9$K$xH<^,| B|?> pK;9K$xH<^,| B?> xK;9@pK;(KxHe<^? py(@?> K;9,K$xH1<^,| " ?>@pK:0K~xH py0?> K;94K$xH<^,| B$?> xK;9K$xH<^,| "?>@pK;yKdxHy<^Lb (?~K?~K88HQ<^X{8<@AX<A\?^XA$ (X\?>K,|  l8?~ p@xK|exxxK<^<T{ P ?~K|exxxK|}xL{ ?K|{x<^<~HD80xK|ex?cxxK8@Ha`hpx|aA!8!|N |!p!Aa|xth|~xH<]xK(A$;|{x<] ?]K<]8,KTb>(A4<]<@A APATaPA$a PTcxK<]cxKTb>(A0<]<}@CxK|excxDxK|{x<]<}pc$?]K|yx<]\ l:?]?K<]hZT$?]#x pKd?#xK<]`\8aX\ A$(,0<]< xHAXa\`dA a$(,8@| a048 `hl8!p|N |!|xtp!lAhad`\XP|~xH<]!B**H<]<<d$?]K|exxdxK||x<]Tb?}K|zx<]AP;?}?=K<]L[89?}CxKH?}CxK<]tb?}K`?}xK;LT~> rH(@;<]?}*L<]"똀AHaLA a$<]y a(,04;LH9Y 8>x pKL<]p(L>bT>K|ux^ P6?K<]L^8?~x pKH>~xKAHaLA a$Yy A(a,04LH9Y 8x pK<~xKH~xK<](A;<]<}c?K8a8\ A$(,0;< xH=A8a<@DAa $a8<@DxHTX\8!`|N TX\8!`|N |!lhd`!\AXaTPLH|&T@>D|~xH<]p;xxHY<]?}xK|zx?}xKKTb>(@ <] xK|{x<]H?=xK?=K<]B)|CxK@hTb>(@ <]?=xKlK\| Aa $8| HHdTb>(@ D<]?=xKlK\| Aa $8| H<]?=xK|xx9 <]8bHa|exx$xKTb>(A <]?=xKH?=KK(A `; >\<]?xKH?K|wx%xK|@@>; \| A(a,04;<\ 8!Cxx&xK>\| A(a,04<\ 8<@Cxx&xKxKKTb>(@ \| ,A0a4(:; <\ 8Cxx~xK>\| A(a,04<\ 8<@Cxx~xKxKKTb>(@ \| A,a04(; <\ 8!Cxx&xKĀ\| A(a,04<\ 8<@Cx%x&xKă\\| A(A,a04<\ 8!<@cx%x&xKă\\| A(A,a04<\ 8!(A\| A,a04(; <\ 8!Cxx&xKĀ\| A(a,04<\ 8!<@Cxx&xKĀ\| A(a,04<\ 8<@Cx%x&xKĀ\| A(a,04<\ 8\?:\| A(a,04<\ 8<@Cx%x~xKĀ\| A(a,04<\ 8| HLPaTAX!\`dhl8!p|N <]xKK4<]?=xKlKK|<]?=xKlKK\| ,A0a4(:; <\ 8!<@?Cx%x~xKĀ\| A(a,04<\ 8| HLPaTAX!\`dhl8!p|N |!0A̒aȒĒ!Aa!xH;C\||x(@<^?~xK$?~K<^Te>Pb(@ <^88ڀ(@?~(xK|{x?<^lb ?^K?>K`?K|wx>><^Pv<8K|ex>~xxK<^<~<pc@84tK|ex>~xxKltH?K;@K`>K|sxx?AX>^\<^X$ >X\xK؀v<>K鐂 pK|ex~cxxK8?~x~exKlx?K8?ex~xK`;a`K|yxL<^} a$(? pcx$xHxH{Uh=Ҝl= !H{u!p1H{e!t<^HApatA a$pt#xK!xaA!ĂaȂA8!Ѐ|N  = !HP<^<~<LTPc8pKK<^@8ڀDKK|!LHH<^a@8B B<AD8a@4Hy(|}xAL<^<~开cKTb>(@H<@?]\]`xHL8!P|N xHL8!P|N 8@]\]`xHL8!P|N |!\|~xH|H#xdx~x~xKă|t6>xKAA,40(?Aa8<@!:#xdxx~xKă|t6xKAA,40(Aa8<@!#xdxx~xKă|txKAA,40(Aa8<@!xdx~x~xKătvxKAA,40(Aa8<@!cxx~x~xKătxKAA,40(Aa8<@!xx~x~xKX\`adAh!lptx|8!|N |!H|H!plhd=dlph$(  x@pK4;KxHr<^܌||"?@pK4:K~xHr<^܌||">@pK4:K~ijxHr<^<~ڬc>KWԁxЁ̀Ȁߨ=?;@<<A$A(0A4ȐF? ?$(!0A4a8ADAP|~xH8@AX<A\?A`;a|Ad;@Ah;!XAlApAtK|xx%xfxGxK(AA`;`(;@A|zxA`B|@A<]xKHpA\<}<ظ$~.8a@~xHpuH<@AP;ZAT;{aPA$a )PT~x$xK@|<]88X8|xK(@DT>| ăȃãAЃ!ԃ؂8!|N T>| ăȃãAЃ!ԃ؂8!|N |!LHD8|~xH<]<}考(~? pK<]$0~ p8K<]<}א׀~KTb>(A8<]א~8K8DHL8!P|N 8DHL8!P|N |!\XT!PALaHD@<|+x|}xH?|?\zL?<K,?K>K|vxzL?|K,;DK?K|{xh;Tx~ųxxKhxexxK<@DaHAL!PTX\8!`|N |!LHD|~xH<]<}<"H~ĨK<]<|8|;x|;xKDHL8!P|N |!LHD|~xH<]<~$8K<]ٴ|KDHL8!P|N |!LHD|+xHC ||x(A|<}<@Ԭ|CxKTb>(AXx<]<}@<| K(Ad?8xxKDHL8!P|N <]8xxKDHL8!P|N DHL8!P|N c N cN cN |!A\aXTPL|+xH<]a@8B B<AD8a@PHk!(||xA?}ӌ<]8LxK|zxӌ<]8\xK|~x?Ӵ;`CxKxexKÀӴ;xKxxKxLPTaXA\8!`|N xLPTaXA\8!`|N |!|+x88|;xHj8!@|N |!|+x88|;xHje8!@|N |!|+x88 |;xHj58!@|N |!H|H(@4<^l8xKxHL8!P|N xHL8!P|N |!aLHD@|~xH??}K<];8K?xK<]լKTb>(ADx<]?Kլ8K@DHaL8!P|N @DHaL8!P|N |!LHD8H|xtp<^<($|}xKTb>(AX<^D?xK<<^¼8Kp@(<^"<^<~H8xK<^D?xK8KTb>(At<^D?xK<^4$KTb>(AD<^D?xK48K8DHL8!P|N 8DHL8!P|N <@`B@C8C N |!LHH<^a@8BۀB<AD8a@ΤHf5(|}xAh<^<~άΨxKTb>(AD<^"<^<~̀X8xKxHL8!P|N xHL8!P|N |!aLHD@|~xH??}K<];8K?xK<]҄KTb>(ADx<]?K҄8K@DHaL8!P|N @DHaL8!P|N |!LHD8H|xtp<^<|}xKTb>(AX<^?xK<^¹d8Kp@(<^"d<^<~ ̬8xK<^?xKKTb>(At<^?xK<^ KTb>(AD<^?xK 8K8DHL8!P|N 8DHL8!P|N <@`B@C8C N |!LHH<^a@8B؈B<AD8a@|Hc (|}xAh<^<~˄ˀxKTb>(AD<^"<^<~ˤ08xKxHL8!P|N xHL8!P|N |!\!XATaPLHD|3x|+x||xHh<[<{c\?[K|yx<[lBh?xK|ex#xDxK|zxd?;xK<[`\?;xK|exCxxK<[Xˀ?xK|exCxxK<[<˄bT?K|exCxxK<[PL?xK|exCxxK CxKDHLaPAT!X\8!`|N |!PAa!Aa|ph|&T@>d|+xH<]<}Xcπ?KT?K<]DŽb$?Kȼ?Kx?K|{xT?@@?@@AD<]@A$ @Dp$K<]ɔ8cxK<]; cxK!H<]!LP?@`!T*X>\>vϤ̼>K|tx̴>}AHLA $<]HLpK̰p$APaTA a$>]PTW>~xK̰)AXa\A a$X\~xK̰AHaLA a$HL~xK!HLPTXA\̼vϤK|~x̴AHLA $HLK̰APaTA a$PTxK̰AXa\A a$X\xK̰AHaLA a$HLxKrT@<]h?K<]̨<`?K?K?xK<]<}c<~xK<]cxKcxdT>| hp|aA!aA8!|N <]?K<]̨T@.TP>H,@8K8!@|N 8KK|!!Aaܓؓ|&T@>}>Kx|}xH<\<|cT@.P>TBP>,|{x@<\?<<|±ɰc?Ex pKɰx?x pKɰxex pK<\ɨ?xKɤ9888K<\"@<\"AT>| ȃԃ؃܃aA!8!|N <\?<<|±ɰcx?Ex pKɰx|?x pKɰxex pKK<\<|<<<<tcxD|%ɸg?KŘ?K?Ѐ}$?K<}$?K8 K<\ɴ?CxKȀ}$KT>| ȃԃ؃܃aA!8!|N |!H|H$&%T@.'P>T@.P>TP>,A8<a88d̨cK>Ex&xK8 HT<^<<D|ĜbxE(&,?^pK|yx<^<D|Ĝz0B4%8?^pK|vx̀x;ZK>%x~ƳxKDxHTM<^D|ĜU<"@?^`xpK|yx<^D|ĜZD"H?^`pK|vx̀x;ZK>%x~ƳxKDxHS<^<D|ĜBL%P?^`pK|yx<^<D|Ĝ:BT%X?^`pK|vx̀x;ZK>%x~ƳxKDxHSE<^<D|Ĝu\B`%?^pK|yx<^<D|ĜzdBh%l?^pK|vx̀x;ZK>%x~ƳxKDxHR<^D|ĜUp"t?^`pK|yx<^D|ĜZx"|?^`pK|vx̀x;ZK>%x~ƳxKDxHRE<^<D|Ĝu8B%?^pK|yx<^<D|ĜzB%?^pK|vx̀x;ZK?%x~ƳxKDxHQ̀xĨ?~K?~K8HQ<^<~<cȃE؃;?K;K$8?><^><^<~"C><^;¶Tc@.P>TBPb>,A<\t!T*T<\<|\c?|KX?|KA<\@x<\?xK|dxD8a@APTX\A$(,0PTX!\HO@PDTHXL\PTX\ hptxa|8!|N |!a\XTPHC$&%TB@.'P>T@.P>TBP>,|}x@P?~@;{{<^aD8a@dHN|{xcxPTXa\8!`|N <^<~c`?K?K?K|{x`<^H;<^L?d8aHHM|ex,cxxK<^?xcxKKL|!|xthH<^a`8BøB<Ad8a`AA$,( HM=(|}xA<^8xK?8a@xHMIH8aPxHM5\<^$"`AT8@]xxhtx|8!|N xhtx|8!|N 8@]xxhtx|8!|N |!LH<^<~􀃭p8a@HLq<^@"<^B* *L8!P|N |!LH<^<~8a@HL<^@"<^B* *L8!P|N |!@!Aa!AaxpH<^<~<<$c\ ?~K|exxxK|}x?|?^K|yx?<^8pxK|ex>#x~xK8HJ=|?>K|wx8xK|ex?>~x~xK8HI|>K|ux8xK|ex>~x~xK8HI|>K|txx8xK|ex>~x~dxK8HIq|>K|txx8xK|ex>~x~dxK8pHI-|>K|txx8xK|ex>~x~dxK8HH逛|>K|txx8xK|ex>~x~dxK8HH|>K|sxX8xK|ex>~cx~DxK8HHa|>~K|rx88xK|ex>~~Cx~$xK8HH|>^K|qx8xK|ex>^~#x~xK8HGـ|>^K|qx8xK|ex>^~#x~xK8HG|?K|{xX8 xK|ex?cxDxK8??HGI<^<~c]< ?K?K8tHG?􀖬8a@HG􀙬D8aHHGL􀗬8aPHG<^T.x*¢*p*<^x8aX;`HGe􀔬X;ahxHGM`􀓬*cxHG5h<^*p*|pxaA!aA!8!|N |!a쓁蓡H(|}xA |#x<^8` |BT:|c.|C|IN ?xxHFY؃䃁a8!|N <^88axxHF\x(Al<^?~xK.rHF)ۧ<^|pAxKp( rHE?P*Hh<^?~xK.rHE<^xxAxKx( rHE?^*] ؃䃁a8!|N <^|x(@8aX?~xHD݀`8ahxHD?<^\<At?~LB((B*d(=}] ؃䃁a8!|N ?ޝ>=> = ؃䃁a8!|N ?ޝ>=> = ؃䃁a8!|N ?~88axHC88axHC88axHCyx(@?\A?> ** (Н=н ؃䃁a8!|N <^88axHB\x(@0<^B\?a!c(]}= ؃䃁a8!|N <^B"=" = ؃䃁a8!|N 8a8?~xHB%@8aHxHB?<^<\AT?~LB((B(d*KH!?Aa(("*Kx<^\?!^a!(K(h4|!a\XTP|3x|#x||xHh<[H8B B<AL8a8X8HHA<[\xxxHA PTXa\8!`|N |!\X|~xH<]88aHxH@^x(A<]<}<"܁؀?AHaLPTAa $8@9@aHLPTA8A@=H9@H=݃X\8!`|N <]<}<"<]aHLPTa $9`9@aHLPTa8A@"HH=aX\8!`|N |!\X|~xH<]88aHxH?q^x(A<]<}<"p䠀?AHaLPTAa $8@9@aHLPTA8A@=9@H<X\8!`|N <]<}<"䠈<]aHLPTa $9`9@aHLPTa8A@"H A8a<@DAa $a8<@DH<5^x(A<]08aH?xH=<]T<<}B*<]#*B0*@d<]`?xK\<]’xKp@?XxKhtx|8!|N ^x(@<]08aX?xH<`<<](<}B(#4*@d<]`?xK\<]’xKp@4<]XxKhtx|8!|N htx|8!|N |!|xthH<^a`8BB<Ad8a`4H;(|}xA<^L8xK?8a@xH;рH8aPxH;\<^$"AT8@]xxhtx|8!|N xhtx|8!|N 8@]xxhtx|8!|N |!A\aXTPL|~xH<]<}cD?K?K?K|{xD<]@8BB<AD8a@H?H:]|excxxK<]?<tb`ܢ\EK|ex?]cxxK<]b4?KTb>~dܢ\(@<]<@<"K|excxxK<]B<}< \cxKcxLPTaXA\8!`|N <]<<"K|excxxKK|!LHH<^<~c?K,?K8H8u<^}8@A@<@AD@A$ @DKHL8!P|N |!aLHD@HCH|}x|(@A8|+x<~?~|CxK;`HxKxexKÀ}H(A$<^<^8KTb>(A\<^<~<c|?KK|exxxK@DHaL8!P|N <^쀽HxK@DHaL8!P|N |!LHD|+xH<]a88B܀B<A<8a8H7A(||xATx<]<<Ť8LK|exxxKxDHL8!P|N xDHL8!P|N |!88HH68!@|N |!LHD|~xH<]Ѐ~H?K88\B<A<8a8H6EDHL8!P|N |!aLHD@|+x|}xH<\88BtB<A<8a80?|H5<\lb(?xK|ex8ܓxdxK@DHaL8!P|N |!LHDH;xH2]||xxxH2mH2 |}xxH2<^0xKDHL8!P|N |!(@<]<}hc?K|{x<]<}<ldE`xK|exxxK|excxDxK<@DaHAL8!P|N <@DaHAL8!P|N c\N |!LHD|+xH<]a88BB<A<8a80H1(||xATx<]<<,ş|8K|exxxKxDHL8!P|N xDHL8!P|N |!|+x988\H18!@|N |!LHD|~xH<]H~\?K88\B<A<8a8#xDx~x~xK<^b?^K=d;AxK|yx tCxxH!ՀAxa|A(a,04x|!A8<@#xxx~xKK??~ [t=`8axH!aAaA(a,04;!A8<@:#xDx~x~xK<^<~c?K=h;K|zx txxH ɃAa(A,a04!A8<@Cxxx~xK̃Ѓԃa؃A܃!8!|N |!!\AXaTPLH|+x|}xH<\@8B؀B<AD8a@?|H?\z?<xK|ex8}xdxK<\z?<xK|ex8}xdxK<\z?<xK|ex8}xdxK<\z?<xK|ex8~xdxK<\z?\xK|ex8~xdxK<\?|[?<xK|ex8~(xDxK<\[?<xK|ex8~8xDxK<\[?<xK|ex8~HxDxK<\{?\xK|ex8~XxdxK<\?||[x?<xK8~hxDxK<\t{x?xK8~xxdxKHLPaTAX!\8!`|N |!2(|~xA,(AP<]"g<]<}{ 8xKxLPTaXA\8!`|N xLPTaXA\8!`|N |!|+x88D|;xH98!@|N |!|+x988HH 8!@|N |!88HHa8!@|N |!P!Aax!p}>Kx|}xHܐؐԐ?|?\wz}?<K{?<K|0?xK}l?K|0?<xK}h?Kz?<xK|wxv9}`8a@xHŀA@aDHLA$a(,08aP@DH!L;~x%x xH}wz}!T?<K}\<\x("d((`zd<\`d $;"`d?Kh8ahY?AlwAԀ܀؀АA$,( ԁ܀؀xH wz}K{K!pxaA!8!|N |!`!Aa|xph|~xH<]u?KudK(A8<]zxKTb>(A?z?}xK{K|vxsȀ{{?K|{x{8w?xK|ux{:xK|fxcx$x~xKs?}K|zxy$b~óxKd!`w|?P?}T?=!X?\APaTX\A a$(,PTX\Cx pKy ~óxK{4y{~ųxK|exzxKhpx|aA!8!|N hpx|aA!8!|N |!A\aXTPL|~xH<]<}qcx?Kr@?Kp?K|{xr<]@8BB<AD8a@r?]H |excxxKx?xexKxxKLPTaXA\8!`|N |!!\AXaTPLH|~xH<]<}p$cw?Kq\?Kp?K|{xq<]@8BB<AD8a@qH|excxxK^1(AP<]wxK(A8<]<}<wpE`xK|excxxK<]<p~H8hK(A?<]p~H;BhExK|yx<]pwcxExK|ex#xxKTb>(@<<]"^<]<}wqP8xK<]wxexKcxHLPaTAX!\8!`|N |!A\aXTPL|~xH?o~D?}Ko~H;{~Ko~@?Ko~<;A@Ko~8Ko~4K@[ADnCxHLPTaXA\8!`|N |!aLHD@|~xH<]88B~0B<A<8a8u H(||xA<]nX~H;`HKxexK?o$~D;`DKxexKÀo$~4;`4KxexKÀo$~8;`8KxexKÀo$~<;`?(\)??zG?%?}?^YYBBBHHA@A?J?*?r?f?>>x?? C0>L>33= >>?@´B?ZH>># >>>AA@>?{?l?s>?= ? =q>B =?'>l>?~?d?Y?z?T?C?8?$?G?>?j?b?]?N>>>>?x>?i><>(? >>>? >?K>>h?y?v?S?dZ1A  4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4a(     P p   K@  @`$$  0P0P0Pp" "   P p $ $/ // 0 0 0 000P0g0p!0!44 4! 404P4p4566 6@6`6::;;0;P;pA@A`AAAA[6G+ H HUJ" J0O0OP'O!OO'P!P0PP)P PP)Q R Sx WWW WXX0XPXdXXX]]$]@]`]]]]G?     ,` H X 0      + > J _( m             0'D H  ` |      7nQp?b+:Ro{J  ?.Y9>R}>.EZ`Yf>IT?!,@TFg08>JRqY'P<@h;F^EZF < Y2&l.F<,EF4FBFT  `4S5Gh !! 1!M!c!t!!!!""9"a-x"k""""#.#?#JN #h#y###$$5$W$$$S$%%:%m86%%%%%& &*&6&D&M&Z&{&&&&&'1f''R'j''-<''''( (2(B(Z(n((((()F)J)U)e))))8)))***'/N*>*R*f*o*******+S00011!1(1:1F1S1111S<1222'20 2F2M2]2g42x332267<|7707G7d77777+8):P888F8V8p888;Fv< Y>>%>0>M>Y>>?F?~ABBLB[BjBsBBBBBBCCC4CWCdCmD#DODDDDDEFGGGGGHH>HLHfB'HI0I<IXIjItIIJKAKUKLLYxL"L1L<LRL`LMMM1MJM_MMMN+N@NMNVNeN|QHQcQQR5RCRRRRRRRSSTT T4TB[T[TnTVTTTTTUU%U8ZUIU]UpUUUUZXXZ:XZFZT[Z$ZYY YPYaYYYYYZZ\DZZZ [ g p+.ULGuF'T[ +8+&+7+J+i2-4+=???C}EFJK^LlSS#S)Q HH Q pH 8!\IPhUPUP d'-6\J(:D0X-m\J:uDlz`G '%CL\JHlX\x++h-\C2|83h4pxl5tU6P8U+J\H:2h-;Ph;:<D 2 @ChD([6C}4HEXl;plXEG FL%HH`H-HdH<HD0HUI PPx2JJdKtKxKUKPUKPH8KLxLhLLLMLl(NNK^|O*[6Q!0@Q<(QQLTQX-S2`SU:SDUUp8V8 Y d'[6[FL4[2Q 02Q p02!02U02U02 02-602:02-m02:u02lz02G '02CL020(2++0<2C20P240d2U602U+J0x2-;P02:<02202C02[6C}02l;p02G F02HH02-H02<H02UI 022JJ02KtK02UK02UK02KL02LL02MLl02NK^02[6Q!0H2QQ02-S202:S02UU02 Y 02[6[F0  $2F         \    2F     `  <    H&!` 385x30 ' 3L*$  -hQRHbQ@Q8 1h 2 4 96H +97\  59 ":Y9=9L,9<9QC ELTF\TQfd9 P, SI@V(,G<9GTQI`SJ,TQJLGhGxKPx5KH Jh Q MRD;=L =@KTGhGxTx5T;=YHY2=@] S`M^l38Rh TGhGx`x5` ``h k0<,lhf$=@` =@c GhGxnx5nGxn`r85(rRs8~38n|5N,tx5dvPTQnM*>38,3L****$*5)30*o3L)38&38"T" ""k "-x 4'\-< ,;d+ \ 9* * D*' /N ,*R +*3L+38!5D! 90%9$59!9X!9P"38h"99$,Y$,Yl&p,m30#y#L#9 $,$W,$,$,%,%:96,%ʸ,%d&9& '3L%m30~@'38}&ZN},%9} %|(29|'38|4(n {(B30z#38z(Z(y|Jy$(,)e,h),<9xTTQ330(23 H2p2x  9038P0383?P1F3L3V5V(,23it1S9192g5\430TTQ0 2g5430`L5(~385N,L5d55530GhGxx5TTQSV(,<9TTQ030<8838083L(8F388V3L:P3877 6, $,\#9 p$,%,! 9$,X$W,%:9 95h8p3L8)  630 738 99 P7,7=@ V(,#<9T(TQ) :D7G3L+HF38+<703L+4<^38+(Y,(%,TQ+P ;=;Fv 4<,=<h 5(,GhGx-,x5-$RI> I0?bIX: I I> I J  J8?.?J` ?J 3LGx38Gl 9JTKTQM8 GC,UCQS0C RD  RC,WCmS8D#EJ[lDOE\D]Y2=@X7G3L_XF38_L703L_D<^38_8Y`8%`TQ_` =@orTFv h<,sh i,4N@N¸N+N NM9ȜNe9V(,TQ8 :h \Q Ҁ 9ҨQМTTQѼRR 4 90SD9ؤS@TTTQ<<9S38 13L =@h T ߈T ߀T xV pT hUV `T4NXTV PTNHU]3L@Tn384UI3L,T[38 Z3L[38 U83LTB38 9dUp<U݀UUULV38DV(,T@TQߐZlX (XZ: hXZF Z3L,[38<lZT ([3LZ$38hZ3LY38Z$38ZT Z3LY38YLZ Z|\D ZF Z: [38X <[3LZ3L ZdXXY2=@Z9<9Y 9h  9Z[TTTQxhxxxy(yXyyyzzHzxzz{{8{h{{{|(\x|X|||}}H}x}}~~8~h~~~(XHxK@K@K@K@K@K@K@K@K@K@K@ K@0K@@K@PK@`K@pK@K@K@K@K@K@K@K@K@K@K@ K@0K@@K@PK@`K@pK@K@K@K@K@K@K@K@K@K@K@ K@0K@@K@PK@`K@pK@K@K@K@5@RbDt+H+LNP2TNX5Nh*R[^T*>NX+NY)NZ&N[+J\/N+`*'+d*+h*+l"+p"k+t-x+x)2|+V-<3$,N42\32`22d33$t2x3$x5Nh42l8FNP88NQ:PNR2T7JXFN\<^N];;`>+:+>Q  Q ?NE4N0FN`<^Na;;dHN\;;\J\JbJnJb*fJ )JNxQQHRQ\ T[^PT[^TT[^XV[^\T[^`T4VdTVhTnNlT[Nm[NnTBNo Z$N0YN1[N2ZT[^4ZF[^8Z:[^<X[^@Z[iD\D+HTo@+-$-<-Q-x-"k-".&.]).).*.*.*'/'/N/X+/*>/*R/2x33333457:8:P:e8F:88::<^;F;@ @+ @l>@:@>@<^;F;*fJJ\JJnKQQRSZ TBVJ[[T[VgTnVTVT4VTVVWTW1TWNTWs X[[[Z:[ZF\#\D\WZ\Y\ZT\Z$\        H `    l9N\l9Vhl9gl9oDl9Xl9Tl9838ll9`l96CCRl9Tl9jl9,KCl9NNNNDl9l9=L =[4=BT=Ut=?=+&= g)=?>c>CF^QFLB'38O4 B4OhB[9RTB Q79Q`Qc ӼRP38ՄRd380Rw38R38Ԉ'384H>38`@` @`@`@`@`@` @`$@`(@`,@`0@`4@`8@`<@`@@`D@`H@`L@`P@`T@`X@`\@``@`d@`h@`l@`p@`t@`x@`|@`@` @`@`@`@`@`@a@a@a @a0@a@@aP@a`@ap@a@a@a@a@a@a@a@a@b@b@b @b0@b@@bP@b`@bp@b@b@b@b@b@b@b@b@c@c@c @c0@c@@cP@c`@cp@c@c@c@c@c@c@c@c@d@d@d @d0@d@@dP@d`@dp@d@d@d@d@d@d@d@d@e@e@e @e0@e@@eP@e`@ep@e@e@e@e@e@e@e@e@f@f@f @f0@f@@fP@f`@fp@f@f@f@f@f@f@f@f@g@g@g @g0@g@@gP@g`@gp@g@g@g@g@g@g@g@g@h@h@h @h0@h@@hP@h`@hp@h@h@p@p@p@p @p@p@p@p@p @p$@p(@p,@p0@p4@p8@p<@p@@pD@pH@pL@pP@pT@pX@p\@p`@pd@ph@pl@pp@pt@px@p|@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@q@q@q@q @q@q@q@q@q @q$@q(@q,@q0@q4@q8@q<@q@@qD@qH@qL@qP@qT@qX@q\@q`@qd@qh@ql@qp@qt@qx@q|@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@r@r@r@r @r@r@r@r@r @r$@r(@r,@r0@r4@r8@r<@r@@rD@rH@rL@rP@rT@rX@r\@r`@rd@rh@rl@rp@rt@rx@r|@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@s@s@s@s @s@s@s@s@s @s$@s(@s,@s0@s4@s8@s<@s@@sD@sH@sL@sP@sT@sX@s\@s`@sd@sh@sl@sp@st@sx@s|@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@t@t@t@t @t@t@t@t@t @t$@t(@t,@t0@t4@t8@t<@t@@tD@tH@tL@tP@tT@tX@t\@t`@td@th@tl@tp@tt@tx@t|@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@u@u@u@u @u@u@u@u@u @u$@u(@u,@u0@u4@u8@u<@u@@uD@uH@uL@uP@uT@uX@u\@u`@ud@uh@ul@up@ut@ux@u|@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@v@v@v@v @v@v@v@v@v @v$@v(@v,@v0@v4@v8@v<@v@@vD@vH@vL@vP@vT@vX@v\@v`@vd@vh@vl@vp@vt@vx@v|@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@w@w@w@w @w@w@w@w@w @w$@w(@w,@w0@w4@w8@w<@w@@wD@wH@wL@wP@wT@wX@w\@w`@wd@wh@wl@wp@wt@wx@w|@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@x@x@x@x @x@x@x@x@x @x$@x(@x,@x0@x4@x8@x<@x@@xD@xH@xL@xP@xT@xX@x\@x`@xd@xh@xl@xp@x@x@x@x@x@x@x@x@x@x@x@x@x@x@x@x@y@y@y @y(@y,@y0@yD@yP@yX@y\@y`@yt@y@y@y@y@y@y@y@y@y@y@y@y@y@z@z@z@z @z4@z@@zH@zL@zP@zp@zx@z|@z@z@z@z@z@z@z@z@z@z@z@z@{@{@{ @{@{ @{$@{0@{4@{8@{<@{@@{P@{T@{`@{d@{h@{l@{p@{@{@{@{@{@{@{@{@{@{@{@{@{@{@{@{@{@{@|@|@|@| @|$@|(@|,@|0@|D@|P@|X@|\@|`@|p@|t@|@|@|@|@|@|@|@|@|@|@|@|@|@|@|@|@}@}@}@}@}@}@} @}4@}@@}H@}L@}P@}`@}d@}p@}x@}|@}@}@}@}@}@}@}@}@}@}@}@}@}@~@~@~ @~@~ @~$@~4@~8@~<@~@@~T@~`@~h@~l@~p@~@~@~@~@~@~@~@~@~@~@~@~@~@@@ @(@,@0@D@P@X@\@`@p@t@@@@@@@@@@@@@@@@@@@@@@@ @4@@@H@L@P@`@d@p@t@x@|@@@@@@@@@@@@@@@ @@8@<@@@h@l@p@@@@@@@@@@(@,@0@D@X@\@`@@@@@@@@@@@@@@ @H@L@P@d@x@|@@@@@@@@@@@@ @@8@<@@@T@h@l@p@@@@@@@@@@@@(@,@0@X@\@`@@@@@@@@@@@@@ @4@H@L@P@x@|@@@@@@@@@@ @@8@<@@@h@l@p@@@@@@@@@@@@@(@,@0@X@\@`@@@@@@@@@@@@ @P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@$@(@,@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@ @$@(@,@0@4@8@<@@@D@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@8@<@@@D@H@L@X@\@`@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@ @$@(@,@0@4@8@<@@@D@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@H@L@P@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@ @@,@<@L@\@l@|@@@@@@@@@ @@,@<@L@\@l@|@@@@@@@@@ @@,@<@L@\@l@|@@@@@@@@@@@@@@ @@@(@,@8@<@H@L@X@\@h@l@x@|@@@@@@@@@@@@@@@@@@ @@@(@,@8@<@H@L@X@\@h@l@x@|@@@@@@@@@@@@@@@@@@ @@@(@,@8@<@H@L@X@\@h@l@x@|@@@@@@@@@@@@@@@@@@@@@@ @(@,@4@8@@@D@L@P@\@`@l@p@x@|@@@@@@@@@@@@@@@@@@@@@@@@ @@@ @$@,@0@<@@@H@L@T@X@`@d@l@p@|@@@@@@@@@@@@@@@@@@@@@@ @@@@$@(@0@4@<@@@L@P@\@`@h@l@t@x@@@@@@@@@@@@@@@@@@@@ @@@ @$@,@0@8@<@D@H@P@T@\@`@h@l@t@x@@@@@@@@@@@@@@@@@@@@@@@@ @@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@ @$@(@,@0@4@8@<@@@D@P@T@X@\@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@X@d@p@|@@@@@@@@@@@@@@ @@@ @$@0@4@8@D@H@L@X@\@`@l@p@t@@@@@@@@@@@@@@@@@@@@@@@@@@@@$@(@,@0@4@8@<@@@D@P@T@X@\@`@d@x@|@@@@@@@@@@@@@@@@@(@,@0@<@@@D@H@L@P@\@`@d@h@l@p@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@cdcdcf KYn. d4$ $N.\dU$\$$N$.d$$$N$.d$$$N$.d$$8N8.d$$$N$.$e $$e/$$N$dcdeldef KYn.He$H$N.f$$$N$.<fG$<$$N$.`fg$`$$N$.f$$8N8.f$$$N$.f$$$N$dcdfdgf KYn.g~$$LNL.Pg$P$N.g$$N.g$$lNl.Lh$L$N. h@$ $N.hi$$N.h$$N.h$$N.h$$N.8i$8$N.@iQ$@$N.Hi$H$8N8.i$$0N0.j$$N.xj5$x$pNp.j^$$ N .j$$pNp.dj$d$N.j$$PNP.`k$`$0N0.k($$(N(.kF$$0N0.ku$$ N .'k$'$4N4.*$k$*$$DND.-hk$-h$N.1hl($1h$hNh.2lP$2$N.4l$4$N.6Hl$6H$N.7\l$7\$N.9 m $9 $N.:m5$:$N.=mm$=$N.Cm$C$XNX.ELm$EL$N.F\m$F\n$(N(n\ n& hn& hdcdndnf KYn.Go:$G$XNX.Go`$G$dNd.I@o$I@$ N .I`o$I`o˄$Ndcdp dpf KYn.J,p$J,$ N dcdpdpf KYn.JLq5$JLqX$Ndcdqdqf KYn.Jr.$J$XNX.KHrW$KH$N.KPr~$KP$N.KTr$KT$|N|.Lr$L$N.N\s$N\$N.Q s<$Q $8N8.RDsg$RDs$Ns& hs& ht& ht& ht& ht(& ht6& htC& hdcdtQdtmf KYn.Rt$R$xNx.S`u$S`$PNP.Tu?$T$N.Tuh$T$N.Tu$T$N.Vhu$Vh$N.YHu$YH$@N@.]v#$]$N.^lv^$^l$Nv& hv& hv& hv& hv& hv& hv& hdcdvdwf KYn.``w$``$XNX.`w$`$N.`w$`$N.`x!$`$N.cx\$c$N.f$x$f$$N.gx$g$8N8.k0x$k0$8N8.lhy&$lhyZ$Ny& hy& hy& hy& hy& hy& hy& hy& hz& hz& hdcdz#dz=f KYn.n|z$n|$N.nz$n$N.n{$n$N.n{?$n$N.n{j$n$N.oD{$oD$N.r8{$r8$N.r{$r$pNp.s8|*$s8$@N@.tx|V$tx$N.vP|{$vP|$xNx|& h}& i}& i}#& i}8& i }H& i}X& idcd}id}wf KYn.x}$x$\N\.y$~$y$$XNX.y|~$y|$N.z~B$z$\N\.z~o$z$N.{~${$N.|4~$|4$N.|~$|$`N`.} $} $ N .},0$},$\N\.}Q$}$N.~@v$~@$N.$$N.$$xNx.$$dNd.d.$d$N.Y$$N.$$N.$$HNH.$$N.p"$p$N.XE$X$pNp.$$hNh.0$0$N.$$8N8. $$N.%$$N.,:$,$N.S$$N.Dl$D$N.$$N.\$\$N.d$d$0N0.$$ N . $$ N ./$$N.U$$N.~$$N.$$N.$$ N .$$N.X $X$<N<.&$$0N0.C$$0N0.`$$0N0.$|$$$0N0.T$T$0N0.$$(N(.$$0N0.6$$(N(.f$$0N0.4$4$(N(.\$\$0N0.$$(N(.$$N./$$N.DP$D$lNl.p$$N.P$P$N.h$h$HNH.$$HNH.=$$tNt.l`$l$tNt.$$lNl.L$L$@N@.$$HNH.$$N.R$$N.$$N.$$N.ʸ $ʸ$ N .:$$ N .|Y$|$N.w$$N.$$hNh.h$h$N.$$N.$'$Nh& hu& i& i& i & i$& i(& i,dcddf KYn.^$$DND.\~$\$|N|.$$N.$$N.($($N.0$0$$N$.T6$T$N.U$$0N0.Hw$H$(N(.p$p$0N0.$$(N(.$$N.P$P$N.$$N.PC$P$N.d$$N.$$0N0.$$N.t$t$PNP.$$ N & i0& i4-& i8@& i<dcdRdif KYn.$$N.$$N.,$$N.V$$N.$$N.$$N.$$N.$$N.%$$lNl.LH$L$N.$$pNp.L$L$HNH.$$ N .$$N,& i@9& iDF& iHV& iLf& iPdcdwdf KYn.T$T$XNX.'$$dNd.H$$ N .0f$0$Ndcddf KYn.$$N. <$ $lNl. Pu$ P$N. $ $N. $ $N. $ $N.h$h$N.lG$l$(N(.m$$N.X$X$N.$$N.3$$N.h$$N.\$\$N. $ $N.?$$N.h$$0N0.$$ N .$$N.$$ N .($($N.0;$0$ N .<]$<$N.D$D$N.`$`$N.p$p$HNH.$$4N4.b$$N.$$N.$$N.#$#$N.($($8N8.)"$)H$dNd& iT& iX& i\& i`& id& ih& il& ip& it& ix(& i|;& idcdHd[f KYn.+($+($ N .+4$+4$N.+< $+<$ N .+HF$+H$N.+Pp$+P$N.,($,($|N|.,$,$Ndcddf KYn.-$Z$-$$N.-,~$-,$N.-0$-0$4N4.-d$-d$N.4x $4x$XNX.4+$4$XNX.5(N$5($XNX.6v$6$N.;$;$ N .=<$=<$N.>,$>,$tNt'& i5& iH& iX& ip& i& i& i& i& i& i& i& i& i& i& i)& i4& idcd?dUf KYn.?$?+$<N<dcdpdf KYn.C$C$pNp.FL5$FLe$ N dcddf KYn.Gl>$Gl$ N .Gxp$Gx$N.G$G$N.I$I$0N0.I0$I0$(N(.IX8$IX$0N0.Iq$I$(N(.I$I$0N0.I$I$(N(.J $J$0N0.J8:$J8$(N(.J`f$J`$<N<.J$J$PNP.J$J$N.K$K$N.M8$M8K$Ndcddf KYn.O4T$O4$4N4.Ohz$Oh$Ndcddf KYn.Q45$Q4$,N,.Q`C$Q`$dNd.Qi$Q$N.RT$RT$4N4dcddf KYn.RC$R$8N8.Rg$R$$N$.R$R$LNL.S0$S0$N.S8$S8$\N\.T'$T$N.UL$U$hNh.W$W$N& i& i& idcd#d@f KYn.X$X$N.[l$[l$0N0.\C$\$8N8.]$]$dNddcddf KYn._8Z$_8$ N ._D$_D$N._L$_L$ N ._X$_X$N._`$_`$N.`88$`8$|N|.`W$`$Ndcd{df KYn.a4$a4$N.a<<$a<$N.a@i$a@$4N4.at$at$N.h|$h|$XNX.h $h$XNX.i,3$i,$XNX.j`$j$$N$.o$o$N.rT$rT$@N@.s$s$$N$.t"$t$N.xDQ$xD$tNt& i& i& i& i& i& i& i& i& i,& i?& iS& jb& jp& j& j & j& j& jdcddf KYn.y)$y$N.TC$T$Ndcdcdxf KYn.@$@$N.$$|N|..$$NdcdOdhf KYn.$$N.$$xNx.,H$,$Nm& j{& j & j$& j(& j,& j0& j4& j8& j<& j@dcddf KYn.$$Ndcddf KYn.C$$N.e$$N.$$N.T$T$pNp.$$N.$$N.$$N.8$$N.Z$$N.~$$0N0. $ $0N0.P$P$0N0dcddf KYn.y$$8N8.$Մ$Ndcdd.f KYn.t$t$N.L$L$dNd.$$ N .$$Ndcd(d>f KYn.$$N.t$t$dNd.$$ N .$$Ndcd=dPf KYn.$$pNpdcdDd\f KYn.4$4$N.$$pNp.-$$N.pa$p$N.$$dNd.`$`$N.H$H$8N8& jD&& jH5& jLI& jP\& jTj& jX& j\& j`& jddcddf KYn.\$$dNd.$$`N`.D$D$`N`.$$N.¸$¸$TNT. +$ $N.ȜY$Ȝ$@N@.{$$@N@.$$N.8$8$$N$& jh& jl& jp& jt,& jx5& j|A& jK& j_& jj& js& j& j& j& j& jdcddf KYn.\T$\$N.‚$«$N& jdcddf KYn.МÆ$М$ N .Ѽì$Ѽ$N.Ҁ$Ҁ$(N(.Ҩ$Ҩ$tNt.$$Ndcd)d@f KYn.Ӽķ$Ӽ݄$xNxdcdd f KYn.4ł$4$TNT.Ԉū$Ԉ$TNT.$$TNT.0$0$TNT.Մ+$ՄW$TNTdcdƁdƕf KYn. $$hNh.@+$@$N.4R$4$N.<q$<$N.Ǖ$$0N0.0Ǹ$0$tNt.ؤ$ؤ$N.T$T$Ndcd!d9f KYn.ȱ$$N.$$N. $ $N./$$0N0dcdXdhf KYn.D$D$N.L$L$N.$$N.9$$N.݀^$݀$N.<ʂ$<$N.ʩ$$ N .$$N. $ $ N .$$N. '$ $ N .,H$,$N.4m$4$ N .@ˋ$@$N.H˭$H$N.P$P$N.X$X$N.`$`$N.h7$h$N.pZ$p$N.xz$x$N.߀̕$߀$N.߈̶$߈$N.ߐ$ߐ$N.d$d$N.$$$N$.@-$@$hNhdcdOdcf KYn.$$DND.$$|N|.h$h$DND.<$$|N|.(c$($DND.l΄$l$|N|.Ω$$DND.,$,$|N|.$$DND.$$|N|.h9$h$DND.Z$$|N|.($($DND.lϟ$l$|N|dcddf KYn.S$$ N .y$$N.Ф$$N.d$d$N. $ $N.$$4N4.I$$N.r$$N.і$$ N .ѻ$$N.$$N.$$N.'$$ N .J$$N.q$$N.Җ$$ N .ҽ$$TNT.L$L$0N0.| $|$0N0.9$$(N(.e$$4N4.Ӝ$$N.$$N.$$N.$$N.T3$T$PNP.Z$$NdcdԄdԠf KYn.$$tNtd 4- dE lX y\0$SHs<`%GnPL  2\8@PHx'S~d`>r'*$-h1h2[46H7\9 :6=ZCELF\G G %I@ EI` mJ, JL J KH KP 'KT ]L N\ Q RD R GS` rT T T Vh YH V] ^l `` ` $` T` c f$ g)k0Ylhn|nnn@njoDr8rs8,txQvPxy$y|z z4{V|4{|} },}~@;jd*WpX#T0, D":\[dInX$6Tm94j\D5Pphl!BLm-|ʸ|8Yh\ 0W(z0THp<XPP0tMr  D h   L!!DL!f!!T!""!0"G"k " P" " #, #Mh#vl##X$&$b$$\%3 %n%%%& &C(&j0&<&D&`&p'G'''(#()((Q)(w+((+4(+<(+H)+P)<,()V,)u-$)-,)-0)-d*$4x*F4*i5(*6*;*=<+>,+B?+C+FL, Gl,=Gx,sG,I,I0-IX->I-sI-I-J.J8.3J`.hJ.J.K.M8/O4/>Oh/oQ`/Q/RT/R0R0+R0eS00S80T0U1W1RX1[l1\2+]2__82_D2_L2_X3_`3=`83\`3a43a<3a@4 at4Qh|4xh4i,4j4o5-rT5^s5t5xD5y6 T6+@6P6l666,77E7g77T7888:8\88 8P899Ct9fL9999t: :+:Q:4::;!p;R;v`;H;;<-DҨ>7>YӼ>4>Ԉ>>0?(Մ?T?v@?4?<?@0@ ؤ@FT@l@@ @ADA.LAMAtA݀A<ABB$ BABb B,B4B@BHC PC0XCO`CrhCpCxC߀C߈DߐD4dDMDh@DDDhDE(E7lE\E},EEEhF F2(FRlFvFFFdG GAGlGGGHH*HJHmHHHILI,|I\IIIJ J5JVTJ}JJ hJ hJ hK hK hK" hK1 hK> hKK hKX hKf hKs hK hK hK hK hK hK hK hK hK hL hL  hL hL$ hL4 hLA hLM hL] hLj hLw iL iL iL i L iL iL iL iL i M  i$M i(M0 i,MB i0MS i4Md i8Mw i<M i@M iDM iHM iLM iPM iTM iXM i\M i`N idN% ihN7 ilNH ipNX itNb ixNr i|N iN iN iN iN iN iN iO iO iO' iO: iOM iOa iOp iO~ iO iO iO iO iO iO iO iO iO iP iP iP3 iPC iPT iPf iPy iP iP jP jP jP j P jP jP jP jQ j Q j$Q% j(Q2 j,QD j0QO j4QZ j8Qe j<Qp j@Q~ jDQ jHQ jLQ jPQ jTQ jXQ j\R j`R/ jdR; jhRM jlR^ jpRm jtR{ jxR j|R jR jR jR jR jR jR jR jR jS  jSSCSkSSST T4~hTXxT~T{T{T{U|(U6|U]}U}HUHUUVyXV1y(VTxVy|XV~V{VxWW.{8WP{hWv(W~W~WWxhX%xXMyXryXyXzXzHYzxYE~8YnXYzYzY|Z |Z7Zc}xZ}Z}Z`[Q4[[9 [] [|[[ [[ \ \! \: \T \r\ \ \ \ ] ]]9]d]]]] ^ ^% ^? ^] ^y ^ ^ ^^ _ _$ _A _^ _ _ _ _ ` ` `7`U`n ` ` ````aaa4aSa\ acav a a aaaaab  b b0 bG bf bbbbbbbbbbcc'c:cScgcy` fP` fP` fP` fP` fP` fPa fPa fPa( fPa8 fPaH fPaX fPah fPax fPa fPa fPa fPa fPa fPa fPa fPa fPb fPb fPb( fPb8 fPbH fPbX fPbh fPbx fPb fPb fPb fPb fPb fPb fPb fPb fPc fPc fPc( fPc8 fPcH fPcX fPch fPcx fPc fPc fPc fPc fPc fPc fPc fPc fPd fPd fPd( fPd8 fPdH fPdX fPdh fPdx fPd fPd fPd fPd fPd fPd fPd fPd fPe fPe fPe( fPe8 fPeH fPeX fPeh fPex fPe fPe fPe fPe fPe fPe fPe fPe fPf fPf fPf( fPf8 fPfH fPfX fPfh fPfx fPf fPf fPf fPf fPf fPf fPf fPf fPg fPg fPg( fPg8 fPgH fPgX fPgh fPgx fPg fPg fPg fPg fPg fPg fPg fPg fPh fPh fPh( fPh8 fPhH fPhX fPhh fPhx fP N O P Q R S T U W X [ \ ] ^ _ ` a g h i j k l m n o p q r s t U g O N Q P ] m \ a [ _ k h j i ` ^ R T S t q X W n r o s p l d Y Z e b V c                       H 6 ~@                                                          ! " # $ % & ' ( ) * + , - . / 0 1 2 3 4 5 6 7 8 9 : ; < = > ? @ A B C D E F G H I J K L M N O P Q R S T U V W X Y Z [ \ ] ^ _ ` a b c d e f g h i j k l m n o p q r s t __mh_dylib_headerdyld_stub_binding_helpercfm_stub_binding_helper__dyld_func_lookup-[BWToolbarShowColorsItem image]-[BWToolbarShowColorsItem itemIdentifier]-[BWToolbarShowColorsItem label]-[BWToolbarShowColorsItem paletteLabel]-[BWToolbarShowColorsItem target]-[BWToolbarShowColorsItem action]-[BWToolbarShowColorsItem toolTip]-[BWToolbarShowFontsItem image]-[BWToolbarShowFontsItem itemIdentifier]-[BWToolbarShowFontsItem label]-[BWToolbarShowFontsItem paletteLabel]-[BWToolbarShowFontsItem target]-[BWToolbarShowFontsItem action]-[BWToolbarShowFontsItem toolTip]-[BWSelectableToolbar documentToolbar]-[BWSelectableToolbar editableToolbar]-[BWSelectableToolbar awakeFromNib]-[BWSelectableToolbar selectFirstItem]-[BWSelectableToolbar selectInitialItem]-[BWSelectableToolbar toggleActiveView:]-[BWSelectableToolbar identifierAtIndex:]-[BWSelectableToolbar setEnabled:forIdentifier:]-[BWSelectableToolbar validateToolbarItem:]-[BWSelectableToolbar enabledByIdentifier]-[BWSelectableToolbar toolbarDefaultItemIdentifiers:]-[BWSelectableToolbar toolbarAllowedItemIdentifiers:]-[BWSelectableToolbar toolbar:itemForItemIdentifier:willBeInsertedIntoToolbar:]-[BWSelectableToolbar toolbarSelectableItemIdentifiers:]-[BWSelectableToolbar selectedIndex]-[BWSelectableToolbar setSelectedIndex:]-[BWSelectableToolbar isPreferencesToolbar]-[BWSelectableToolbar setDocumentToolbar:]-[BWSelectableToolbar setEditableToolbar:]-[BWSelectableToolbar initWithCoder:]-[BWSelectableToolbar setHelper:]-[BWSelectableToolbar helper]-[BWSelectableToolbar setEnabledByIdentifier:]-[BWSelectableToolbar switchToItemAtIndex:animate:]-[BWSelectableToolbar labels]-[BWSelectableToolbar setIsPreferencesToolbar:]-[BWSelectableToolbar selectableItemIdentifiers]-[BWSelectableToolbar windowDidResize:]-[BWSelectableToolbar setSelectedItemIdentifierWithoutAnimation:]-[BWSelectableToolbar setSelectedItemIdentifier:]-[BWSelectableToolbar dealloc]-[BWSelectableToolbar setItemSelectors]-[BWSelectableToolbar selectItemAtIndex:]-[BWSelectableToolbar toolbarIndexFromSelectableIndex:]-[BWSelectableToolbar initialSetup]-[BWSelectableToolbar initWithIdentifier:]-[BWSelectableToolbar _defaultItemIdentifiers]-[BWSelectableToolbar encodeWithCoder:]-[BWAddRegularBottomBar awakeFromNib]-[BWAddRegularBottomBar drawRect:]-[BWAddRegularBottomBar bounds]-[BWAddRegularBottomBar initWithCoder:]-[BWRemoveBottomBar bounds]-[BWInsetTextField initWithCoder:]-[BWTransparentButtonCell interiorColor]-[BWTransparentButtonCell controlSize]-[BWTransparentButtonCell setControlSize:]-[BWTransparentButtonCell drawBezelWithFrame:inView:]-[BWTransparentButtonCell drawImage:withFrame:inView:]+[BWTransparentButtonCell initialize]-[BWTransparentButtonCell _textAttributes]-[BWTransparentButtonCell drawTitle:withFrame:inView:]-[BWTransparentCheckboxCell isInTableView]-[BWTransparentCheckboxCell interiorColor]-[BWTransparentCheckboxCell controlSize]-[BWTransparentCheckboxCell setControlSize:]-[BWTransparentCheckboxCell _textAttributes]+[BWTransparentCheckboxCell initialize]-[BWTransparentCheckboxCell drawImage:withFrame:inView:]-[BWTransparentCheckboxCell drawInteriorWithFrame:inView:]-[BWTransparentCheckboxCell drawTitle:withFrame:inView:]-[BWTransparentPopUpButtonCell interiorColor]-[BWTransparentPopUpButtonCell controlSize]-[BWTransparentPopUpButtonCell setControlSize:]-[BWTransparentPopUpButtonCell drawImageWithFrame:inView:]-[BWTransparentPopUpButtonCell drawBezelWithFrame:inView:]-[BWTransparentPopUpButtonCell imageRectForBounds:]+[BWTransparentPopUpButtonCell initialize]-[BWTransparentPopUpButtonCell _textAttributes]-[BWTransparentPopUpButtonCell titleRectForBounds:]-[BWTransparentSliderCell _usesCustomTrackImage]-[BWTransparentSliderCell setTickMarkPosition:]-[BWTransparentSliderCell controlSize]-[BWTransparentSliderCell setControlSize:]-[BWTransparentSliderCell initWithCoder:]+[BWTransparentSliderCell initialize]-[BWTransparentSliderCell stopTracking:at:inView:mouseIsUp:]-[BWTransparentSliderCell startTrackingAt:inView:]-[BWTransparentSliderCell knobRectFlipped:]-[BWTransparentSliderCell drawKnob:]-[BWTransparentSliderCell drawBarInside:flipped:]-[BWSplitView awakeFromNib]-[BWSplitView setDelegate:]-[BWSplitView subviewIsCollapsible:]-[BWSplitView collapsibleSubviewIsCollapsed]-[BWSplitView collapsibleSubviewIndex]-[BWSplitView collapsibleSubview]-[BWSplitView hasCollapsibleSubview]-[BWSplitView setCollapsibleSubviewCollapsedHelper:]-[BWSplitView animationEnded]-[BWSplitView animationDuration]-[BWSplitView hasCollapsibleDivider]-[BWSplitView collapsibleDividerIndex]-[BWSplitView setCollapsibleSubviewCollapsed:]-[BWSplitView setMinSizeForCollapsibleSubview:]-[BWSplitView removeMinSizeForCollapsibleSubview]-[BWSplitView restoreAutoresizesSubviews:]-[BWSplitView splitView:shouldHideDividerAtIndex:]-[BWSplitView splitView:canCollapseSubview:]-[BWSplitView splitView:constrainSplitPosition:ofSubviewAt:]-[BWSplitView splitViewWillResizeSubviews:]-[BWSplitView subviewIsResizable:]-[BWSplitView validateAndCalculatePreferredProportionsAndSizes]-[BWSplitView clearPreferredProportionsAndSizes]-[BWSplitView splitView:resizeSubviewsWithOldSize:]-[BWSplitView setColorIsEnabled:]-[BWSplitView setColor:]-[BWSplitView color]-[BWSplitView minValues]-[BWSplitView maxValues]-[BWSplitView minUnits]-[BWSplitView maxUnits]-[BWSplitView secondaryDelegate]-[BWSplitView setSecondaryDelegate:]-[BWSplitView collapsibleSubviewCollapsed]-[BWSplitView dividerCanCollapse]-[BWSplitView setDividerCanCollapse:]-[BWSplitView collapsiblePopupSelection]-[BWSplitView setCollapsiblePopupSelection:]-[BWSplitView setCheckboxIsEnabled:]-[BWSplitView colorIsEnabled]-[BWSplitView initWithCoder:]+[BWSplitView initialize]-[BWSplitView setMinValues:]-[BWSplitView setMaxValues:]-[BWSplitView setMinUnits:]-[BWSplitView setMaxUnits:]-[BWSplitView setResizableSubviewPreferredProportion:]-[BWSplitView resizableSubviewPreferredProportion]-[BWSplitView setNonresizableSubviewPreferredSize:]-[BWSplitView nonresizableSubviewPreferredSize]-[BWSplitView setStateForLastPreferredCalculations:]-[BWSplitView stateForLastPreferredCalculations]-[BWSplitView setToggleCollapseButton:]-[BWSplitView toggleCollapseButton]-[BWSplitView dealloc]-[BWSplitView checkboxIsEnabled]-[BWSplitView setDividerStyle:]-[BWSplitView resizeAndAdjustSubviews]-[BWSplitView correctCollapsiblePreferredProportionOrSize]-[BWSplitView validatePreferredProportionsAndSizes]-[BWSplitView recalculatePreferredProportionsAndSizes]-[BWSplitView subviewMaximumSize:]-[BWSplitView subviewMinimumSize:]-[BWSplitView resizableSubviews]-[BWSplitView splitViewDidResizeSubviews:]-[BWSplitView splitView:effectiveRect:forDrawnRect:ofDividerAtIndex:]-[BWSplitView splitView:constrainMinCoordinate:ofSubviewAt:]-[BWSplitView splitView:constrainMaxCoordinate:ofSubviewAt:]-[BWSplitView splitView:shouldCollapseSubview:forDoubleClickOnDividerAtIndex:]-[BWSplitView splitView:additionalEffectiveRectOfDividerAtIndex:]-[BWSplitView mouseDown:]-[BWSplitView toggleCollapse:]-[BWSplitView adjustSubviews]-[BWSplitView subviewIsCollapsed:]-[BWSplitView drawDimpleInRect:]-[BWSplitView drawGradientDividerInRect:]-[BWSplitView drawDividerInRect:]-[BWSplitView encodeWithCoder:]-[BWTexturedSlider trackHeight]-[BWTexturedSlider setTrackHeight:]-[BWTexturedSlider setSliderToMinimum]-[BWTexturedSlider setSliderToMaximum]-[BWTexturedSlider indicatorIndex]-[BWTexturedSlider initWithCoder:]+[BWTexturedSlider initialize]-[BWTexturedSlider setMinButton:]-[BWTexturedSlider minButton]-[BWTexturedSlider setMaxButton:]-[BWTexturedSlider maxButton]-[BWTexturedSlider dealloc]-[BWTexturedSlider resignFirstResponder]-[BWTexturedSlider becomeFirstResponder]-[BWTexturedSlider scrollWheel:]-[BWTexturedSlider setEnabled:]-[BWTexturedSlider setIndicatorIndex:]-[BWTexturedSlider drawRect:]-[BWTexturedSlider hitTest:]-[BWTexturedSlider encodeWithCoder:]-[BWTexturedSliderCell controlSize]-[BWTexturedSliderCell setControlSize:]-[BWTexturedSliderCell numberOfTickMarks]-[BWTexturedSliderCell setNumberOfTickMarks:]-[BWTexturedSliderCell _usesCustomTrackImage]-[BWTexturedSliderCell trackHeight]-[BWTexturedSliderCell setTrackHeight:]-[BWTexturedSliderCell initWithCoder:]+[BWTexturedSliderCell initialize]-[BWTexturedSliderCell stopTracking:at:inView:mouseIsUp:]-[BWTexturedSliderCell startTrackingAt:inView:]-[BWTexturedSliderCell drawKnob:]-[BWTexturedSliderCell drawBarInside:flipped:]-[BWTexturedSliderCell encodeWithCoder:]-[BWAddSmallBottomBar awakeFromNib]-[BWAddSmallBottomBar drawRect:]-[BWAddSmallBottomBar bounds]-[BWAddSmallBottomBar initWithCoder:]-[BWAnchoredButtonBar awakeFromNib]-[BWAnchoredButtonBar drawResizeHandleInRect:withColor:]-[BWAnchoredButtonBar viewDidMoveToSuperview]-[BWAnchoredButtonBar isInLastSubview]-[BWAnchoredButtonBar dividerIndexNearestToHandle]-[BWAnchoredButtonBar splitView]-[BWAnchoredButtonBar setSelectedIndex:]+[BWAnchoredButtonBar wasBorderedBar]-[BWAnchoredButtonBar splitView:constrainMinCoordinate:ofSubviewAt:]-[BWAnchoredButtonBar splitView:constrainMaxCoordinate:ofSubviewAt:]-[BWAnchoredButtonBar splitView:resizeSubviewsWithOldSize:]-[BWAnchoredButtonBar splitView:canCollapseSubview:]-[BWAnchoredButtonBar splitView:constrainSplitPosition:ofSubviewAt:]-[BWAnchoredButtonBar splitView:shouldCollapseSubview:forDoubleClickOnDividerAtIndex:]-[BWAnchoredButtonBar splitView:shouldHideDividerAtIndex:]-[BWAnchoredButtonBar splitViewDelegate]-[BWAnchoredButtonBar setSplitViewDelegate:]-[BWAnchoredButtonBar handleIsRightAligned]-[BWAnchoredButtonBar setHandleIsRightAligned:]-[BWAnchoredButtonBar isResizable]-[BWAnchoredButtonBar setIsResizable:]-[BWAnchoredButtonBar isAtBottom]-[BWAnchoredButtonBar selectedIndex]-[BWAnchoredButtonBar initWithFrame:]+[BWAnchoredButtonBar initialize]-[BWAnchoredButtonBar splitView:effectiveRect:forDrawnRect:ofDividerAtIndex:]-[BWAnchoredButtonBar splitView:additionalEffectiveRectOfDividerAtIndex:]-[BWAnchoredButtonBar dealloc]-[BWAnchoredButtonBar setIsAtBottom:]-[BWAnchoredButtonBar drawLastButtonInsetInRect:]-[BWAnchoredButtonBar drawRect:]-[BWAnchoredButtonBar encodeWithCoder:]-[BWAnchoredButtonBar initWithCoder:]-[BWAnchoredButton isAtRightEdgeOfBar]-[BWAnchoredButton setIsAtRightEdgeOfBar:]-[BWAnchoredButton isAtLeftEdgeOfBar]-[BWAnchoredButton setIsAtLeftEdgeOfBar:]-[BWAnchoredButton initWithCoder:]-[BWAnchoredButton frame]-[BWAnchoredButton mouseDown:]-[BWAnchoredButtonCell controlSize]-[BWAnchoredButtonCell setControlSize:]-[BWAnchoredButtonCell highlightRectForBounds:]-[BWAnchoredButtonCell drawBezelWithFrame:inView:]-[BWAnchoredButtonCell textColor]-[BWAnchoredButtonCell imageColor]-[BWAnchoredButtonCell _textAttributes]+[BWAnchoredButtonCell initialize]-[BWAnchoredButtonCell drawImage:withFrame:inView:]-[BWAnchoredButtonCell titleRectForBounds:]-[BWAnchoredButtonCell drawWithFrame:inView:]-[NSColor(BWAdditions) bwDrawPixelThickLineAtPosition:withInset:inRect:inView:horizontal:flip:]-[NSImage(BWAdditions) bwRotateImage90DegreesClockwise:]-[NSImage(BWAdditions) bwTintedImageWithColor:]-[BWSelectableToolbarHelper isPreferencesToolbar]-[BWSelectableToolbarHelper setIsPreferencesToolbar:]-[BWSelectableToolbarHelper init]-[BWSelectableToolbarHelper setContentViewsByIdentifier:]-[BWSelectableToolbarHelper contentViewsByIdentifier]-[BWSelectableToolbarHelper setWindowSizesByIdentifier:]-[BWSelectableToolbarHelper windowSizesByIdentifier]-[BWSelectableToolbarHelper setSelectedIdentifier:]-[BWSelectableToolbarHelper selectedIdentifier]-[BWSelectableToolbarHelper setOldWindowTitle:]-[BWSelectableToolbarHelper oldWindowTitle]-[BWSelectableToolbarHelper setInitialIBWindowSize:]-[BWSelectableToolbarHelper initialIBWindowSize]-[BWSelectableToolbarHelper dealloc]-[BWSelectableToolbarHelper encodeWithCoder:]-[BWSelectableToolbarHelper initWithCoder:]-[NSWindow(BWAdditions) bwIsTextured]-[NSWindow(BWAdditions) bwResizeToSize:animate:]-[NSView(BWAdditions) bwBringToFront]-[NSView(BWAdditions) bwAnimator]-[NSView(BWAdditions) bwTurnOffLayer]+[BWTransparentTableView cellClass]-[BWTransparentTableView backgroundColor]-[BWTransparentTableView _alternatingRowBackgroundColors]-[BWTransparentTableView _highlightColorForCell:]-[BWTransparentTableView addTableColumn:]+[BWTransparentTableView initialize]-[BWTransparentTableView highlightSelectionInClipRect:]-[BWTransparentTableView drawBackgroundInClipRect:]-[BWTransparentTableViewCell drawInteriorWithFrame:inView:]-[BWTransparentTableViewCell editWithFrame:inView:editor:delegate:event:]-[BWTransparentTableViewCell selectWithFrame:inView:editor:delegate:start:length:]-[BWTransparentTableViewCell drawingRectForBounds:]-[BWAnchoredPopUpButton isAtRightEdgeOfBar]-[BWAnchoredPopUpButton setIsAtRightEdgeOfBar:]-[BWAnchoredPopUpButton isAtLeftEdgeOfBar]-[BWAnchoredPopUpButton setIsAtLeftEdgeOfBar:]-[BWAnchoredPopUpButton initWithCoder:]-[BWAnchoredPopUpButton frame]-[BWAnchoredPopUpButton mouseDown:]-[BWAnchoredPopUpButtonCell controlSize]-[BWAnchoredPopUpButtonCell setControlSize:]-[BWAnchoredPopUpButtonCell highlightRectForBounds:]-[BWAnchoredPopUpButtonCell drawBorderAndBackgroundWithFrame:inView:]-[BWAnchoredPopUpButtonCell textColor]-[BWAnchoredPopUpButtonCell imageColor]-[BWAnchoredPopUpButtonCell _textAttributes]+[BWAnchoredPopUpButtonCell initialize]-[BWAnchoredPopUpButtonCell drawImageWithFrame:inView:]-[BWAnchoredPopUpButtonCell imageRectForBounds:]-[BWAnchoredPopUpButtonCell titleRectForBounds:]-[BWAnchoredPopUpButtonCell drawArrowInFrame:]-[BWAnchoredPopUpButtonCell drawWithFrame:inView:]-[BWCustomView drawRect:]-[BWCustomView drawTextInRect:]-[BWUnanchoredButton initWithCoder:]-[BWUnanchoredButton frame]-[BWUnanchoredButton mouseDown:]-[BWUnanchoredButtonCell drawBezelWithFrame:inView:]-[BWUnanchoredButtonCell highlightRectForBounds:]+[BWUnanchoredButtonCell initialize]-[BWUnanchoredButtonContainer awakeFromNib]-[BWSheetController awakeFromNib]-[BWSheetController encodeWithCoder:]-[BWSheetController openSheet:]-[BWSheetController closeSheet:]-[BWSheetController messageDelegateAndCloseSheet:]-[BWSheetController delegate]-[BWSheetController sheet]-[BWSheetController parentWindow]-[BWSheetController initWithCoder:]-[BWSheetController setParentWindow:]-[BWSheetController setSheet:]-[BWSheetController setDelegate:]+[BWTransparentScrollView _verticalScrollerClass]-[BWTransparentScrollView initWithCoder:]-[BWAddMiniBottomBar awakeFromNib]-[BWAddMiniBottomBar drawRect:]-[BWAddMiniBottomBar bounds]-[BWAddMiniBottomBar initWithCoder:]-[BWAddSheetBottomBar awakeFromNib]-[BWAddSheetBottomBar drawRect:]-[BWAddSheetBottomBar bounds]-[BWAddSheetBottomBar initWithCoder:]-[BWTokenFieldCell setUpTokenAttachmentCell:forRepresentedObject:]-[BWTokenAttachmentCell arrowInHighlightedState:]-[BWTokenAttachmentCell pullDownImage]-[BWTokenAttachmentCell drawTokenWithFrame:inView:]-[BWTokenAttachmentCell interiorBackgroundStyle]+[BWTokenAttachmentCell initialize]-[BWTokenAttachmentCell pullDownRectForBounds:]-[BWTokenAttachmentCell _textAttributes]-[BWTransparentScroller initWithFrame:]+[BWTransparentScroller scrollerWidthForControlSize:]+[BWTransparentScroller scrollerWidth]+[BWTransparentScroller initialize]-[BWTransparentScroller rectForPart:]-[BWTransparentScroller _drawingRectForPart:]-[BWTransparentScroller drawKnob]-[BWTransparentScroller drawKnobSlot]-[BWTransparentScroller drawRect:]-[BWTransparentScroller initWithCoder:]-[BWTransparentTextFieldCell _textAttributes]+[BWTransparentTextFieldCell initialize]-[BWToolbarItem setIdentifierString:]-[BWToolbarItem initWithCoder:]-[BWToolbarItem identifierString]-[BWToolbarItem dealloc]-[BWToolbarItem encodeWithCoder:]+[NSString(BWAdditions) bwRandomUUID]+[NSEvent(BWAdditions) bwShiftKeyIsDown]+[NSEvent(BWAdditions) bwCommandKeyIsDown]+[NSEvent(BWAdditions) bwOptionKeyIsDown]+[NSEvent(BWAdditions) bwControlKeyIsDown]+[NSEvent(BWAdditions) bwCapsLockKeyIsDown]-[BWHyperlinkButton awakeFromNib]-[BWHyperlinkButton openURLInBrowser:]-[BWHyperlinkButton urlString]-[BWHyperlinkButton initWithCoder:]-[BWHyperlinkButton setUrlString:]-[BWHyperlinkButton dealloc]-[BWHyperlinkButton resetCursorRects]-[BWHyperlinkButton encodeWithCoder:]-[BWHyperlinkButtonCell drawBezelWithFrame:inView:]-[BWHyperlinkButtonCell setBordered:]-[BWHyperlinkButtonCell isBordered]-[BWHyperlinkButtonCell _textAttributes]-[BWGradientBox isFlipped]-[BWGradientBox setFillColor:]-[BWGradientBox setFillStartingColor:]-[BWGradientBox setFillEndingColor:]-[BWGradientBox setTopBorderColor:]-[BWGradientBox setBottomBorderColor:]-[BWGradientBox hasFillColor]-[BWGradientBox setHasFillColor:]-[BWGradientBox hasGradient]-[BWGradientBox setHasGradient:]-[BWGradientBox hasBottomBorder]-[BWGradientBox setHasBottomBorder:]-[BWGradientBox hasTopBorder]-[BWGradientBox setHasTopBorder:]-[BWGradientBox bottomInsetAlpha]-[BWGradientBox setBottomInsetAlpha:]-[BWGradientBox topInsetAlpha]-[BWGradientBox setTopInsetAlpha:]-[BWGradientBox bottomBorderColor]-[BWGradientBox topBorderColor]-[BWGradientBox fillColor]-[BWGradientBox fillEndingColor]-[BWGradientBox fillStartingColor]-[BWGradientBox initWithCoder:]-[BWGradientBox dealloc]-[BWGradientBox drawRect:]-[BWGradientBox encodeWithCoder:]-[BWStyledTextField hasShadow]-[BWStyledTextField setHasShadow:]-[BWStyledTextField shadowIsBelow]-[BWStyledTextField setShadowIsBelow:]-[BWStyledTextField shadowColor]-[BWStyledTextField setShadowColor:]-[BWStyledTextField hasGradient]-[BWStyledTextField setHasGradient:]-[BWStyledTextField startingColor]-[BWStyledTextField setStartingColor:]-[BWStyledTextField endingColor]-[BWStyledTextField setEndingColor:]-[BWStyledTextField solidColor]-[BWStyledTextField setSolidColor:]-[BWStyledTextFieldCell changeShadow]-[BWStyledTextFieldCell setStartingColor:]-[BWStyledTextFieldCell setEndingColor:]-[BWStyledTextFieldCell setSolidColor:]-[BWStyledTextFieldCell setHasGradient:]-[BWStyledTextFieldCell setShadowIsBelow:]-[BWStyledTextFieldCell setShadowColor:]-[BWStyledTextFieldCell solidColor]-[BWStyledTextFieldCell hasGradient]-[BWStyledTextFieldCell endingColor]-[BWStyledTextFieldCell startingColor]-[BWStyledTextFieldCell shadow]-[BWStyledTextFieldCell hasShadow]-[BWStyledTextFieldCell setHasShadow:]-[BWStyledTextFieldCell shadowColor]-[BWStyledTextFieldCell shadowIsBelow]-[BWStyledTextFieldCell initWithCoder:]-[BWStyledTextFieldCell setShadow:]-[BWStyledTextFieldCell setPreviousAttributes:]-[BWStyledTextFieldCell previousAttributes]-[BWStyledTextFieldCell drawInteriorWithFrame:inView:]-[BWStyledTextFieldCell applyGradient]-[BWStyledTextFieldCell awakeFromNib]-[BWStyledTextFieldCell _textAttributes]-[BWStyledTextFieldCell dealloc]-[BWStyledTextFieldCell copyWithZone:]-[BWStyledTextFieldCell encodeWithCoder:]+[NSApplication(BWAdditions) bwIsOnLeopard]dyld__mach_header_scaleFactor_documentToolbar_editableToolbar_enabledColor_disabledColor_buttonFillN_buttonLeftP_buttonFillP_buttonRightP_buttonLeftN_buttonRightN_enabledColor_disabledColor_contentShadow_checkboxOffN_checkboxOnP_checkboxOnN_checkboxOffP_enabledColor_disabledColor_popUpFillN_popUpLeftP_popUpFillP_pullDownRightP_popUpRightP_popUpLeftN_pullDownRightN_popUpRightN_thumbPImage_thumbNImage_triangleThumbPImage_triangleThumbNImage_trackFillImage_trackLeftImage_trackRightImage_gradient_borderColor_dimpleImageBitmap_dimpleImageVector_gradientStartColor_gradientEndColor_smallPhotoImage_largePhotoImage_quietSpeakerImage_loudSpeakerImage_thumbPImage_thumbNImage_trackFillImage_trackLeftImage_trackRightImage_wasBorderedBar_gradient_topLineColor_borderedTopLineColor_resizeHandleColor_resizeInsetColor_bottomLineColor_sideInsetColor_topColor_middleTopColor_middleBottomColor_bottomColor_fillGradient_bottomBorderColor_sideInsetColor_borderedTopBorderColor_borderedSideBorderColor_topBorderColor_sideBorderColor_enabledTextColor_disabledTextColor_enabledImageColor_disabledImageColor_contentShadow_pressedColor_fillStop1_fillStop2_fillStop3_fillStop4_rowColor_altRowColor_highlightColor_fillGradient_bottomBorderColor_sideInsetColor_borderedTopBorderColor_borderedSideBorderColor_topBorderColor_sideBorderColor_enabledTextColor_disabledTextColor_enabledImageColor_disabledImageColor_contentShadow_pressedColor_pullDownArrow_fillStop1_fillStop2_fillStop3_fillStop4_fillGradient_topInsetColor_topBorderColor_borderColor_bottomInsetColor_fillStop1_fillStop2_fillStop3_fillStop4_pressedColor_highlightedArrowColor_arrowGradient_blueStrokeGradient_blueInsetGradient_blueGradient_highlightedBlueStrokeGradient_highlightedBlueInsetGradient_highlightedBlueGradient_textShadow_slotVerticalFill_backgroundColor_minKnobHeight_minKnobWidth_slotTop_slotBottom_slotLeft_slotHorizontalFill_slotRight_knobTop_knobVerticalFill_knobBottom_knobLeft_knobHorizontalFill_knobRight_textShadow.objc_category_name_NSApplication_BWAdditions.objc_category_name_NSColor_BWAdditions.objc_category_name_NSEvent_BWAdditions.objc_category_name_NSImage_BWAdditions.objc_category_name_NSString_BWAdditions.objc_category_name_NSView_BWAdditions.objc_category_name_NSWindow_BWAdditions.objc_class_name_BWAddMiniBottomBar.objc_class_name_BWAddRegularBottomBar.objc_class_name_BWAddSheetBottomBar.objc_class_name_BWAddSmallBottomBar.objc_class_name_BWAnchoredButton.objc_class_name_BWAnchoredButtonBar.objc_class_name_BWAnchoredButtonCell.objc_class_name_BWAnchoredPopUpButton.objc_class_name_BWAnchoredPopUpButtonCell.objc_class_name_BWCustomView.objc_class_name_BWGradientBox.objc_class_name_BWHyperlinkButton.objc_class_name_BWHyperlinkButtonCell.objc_class_name_BWInsetTextField.objc_class_name_BWRemoveBottomBar.objc_class_name_BWSelectableToolbar.objc_class_name_BWSelectableToolbarHelper.objc_class_name_BWSheetController.objc_class_name_BWSplitView.objc_class_name_BWStyledTextField.objc_class_name_BWStyledTextFieldCell.objc_class_name_BWTexturedSlider.objc_class_name_BWTexturedSliderCell.objc_class_name_BWTokenAttachmentCell.objc_class_name_BWTokenField.objc_class_name_BWTokenFieldCell.objc_class_name_BWToolbarItem.objc_class_name_BWToolbarShowColorsItem.objc_class_name_BWToolbarShowFontsItem.objc_class_name_BWTransparentButton.objc_class_name_BWTransparentButtonCell.objc_class_name_BWTransparentCheckbox.objc_class_name_BWTransparentCheckboxCell.objc_class_name_BWTransparentPopUpButton.objc_class_name_BWTransparentPopUpButtonCell.objc_class_name_BWTransparentScrollView.objc_class_name_BWTransparentScroller.objc_class_name_BWTransparentSlider.objc_class_name_BWTransparentSliderCell.objc_class_name_BWTransparentTableView.objc_class_name_BWTransparentTableViewCell.objc_class_name_BWTransparentTextFieldCell.objc_class_name_BWUnanchoredButton.objc_class_name_BWUnanchoredButtonCell.objc_class_name_BWUnanchoredButtonContainer_BWSelectableToolbarItemClickedNotification_compareViews.objc_class_name_NSAffineTransform.objc_class_name_NSAnimationContext.objc_class_name_NSApplication.objc_class_name_NSArchiver.objc_class_name_NSArray.objc_class_name_NSBezierPath.objc_class_name_NSBundle.objc_class_name_NSButton.objc_class_name_NSButtonCell.objc_class_name_NSColor.objc_class_name_NSCursor.objc_class_name_NSCustomView.objc_class_name_NSDictionary.objc_class_name_NSEvent.objc_class_name_NSFont.objc_class_name_NSGradient.objc_class_name_NSGraphicsContext.objc_class_name_NSImage.objc_class_name_NSMutableArray.objc_class_name_NSMutableAttributedString.objc_class_name_NSMutableDictionary.objc_class_name_NSNotificationCenter.objc_class_name_NSNumber.objc_class_name_NSObject.objc_class_name_NSPopUpButton.objc_class_name_NSPopUpButtonCell.objc_class_name_NSScreen.objc_class_name_NSScrollView.objc_class_name_NSScroller.objc_class_name_NSShadow.objc_class_name_NSSlider.objc_class_name_NSSliderCell.objc_class_name_NSSortDescriptor.objc_class_name_NSSplitView.objc_class_name_NSString.objc_class_name_NSTableView.objc_class_name_NSTextField.objc_class_name_NSTextFieldCell.objc_class_name_NSTokenAttachmentCell.objc_class_name_NSTokenField.objc_class_name_NSTokenFieldCell.objc_class_name_NSToolbar.objc_class_name_NSToolbarItem.objc_class_name_NSURL.objc_class_name_NSUnarchiver.objc_class_name_NSValue.objc_class_name_NSView.objc_class_name_NSWindowController.objc_class_name_NSWorkspace_CFMakeCollectable_CFRelease_CFUUIDCreate_CFUUIDCreateString_CGContextRestoreGState_CGContextSaveGState_CGContextSetShouldSmoothFonts_Gestalt_NSApp_NSClassFromString_NSDrawThreePartImage_NSFontAttributeName_NSForegroundColorAttributeName_NSInsetRect_NSIntegralRect_NSIsEmptyRect_NSOffsetRect_NSPointInRect_NSRectFill_NSRectFillUsingOperation_NSShadowAttributeName_NSUnderlineStyleAttributeName_NSWindowDidResizeNotification_NSZeroRect___CFConstantStringClassReference_ceilf_floorf_fmaxf_fminf_modf_objc_assign_global_objc_copyStruct_objc_enumerationMutation_objc_getProperty_objc_msgSendSuper_objc_msgSendSuper_stret_objc_msgSend_stret_objc_setProperty_roundf/Users/brandon/Temp/bwtoolkit/BWToolbarShowColorsItem.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWToolbarShowColorsItem.o-[BWToolbarShowColorsItem image]-[BWToolbarShowColorsItem itemIdentifier]-[BWToolbarShowColorsItem label]-[BWToolbarShowColorsItem paletteLabel]-[BWToolbarShowColorsItem target]-[BWToolbarShowColorsItem action]-[BWToolbarShowColorsItem toolTip]/System/Library/Frameworks/AppKit.framework/Headers/NSMenu.hBWToolbarShowFontsItem.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWToolbarShowFontsItem.o-[BWToolbarShowFontsItem image]-[BWToolbarShowFontsItem itemIdentifier]-[BWToolbarShowFontsItem label]-[BWToolbarShowFontsItem paletteLabel]-[BWToolbarShowFontsItem target]-[BWToolbarShowFontsItem action]-[BWToolbarShowFontsItem toolTip]BWSelectableToolbar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWSelectableToolbar.o-[BWSelectableToolbar documentToolbar]-[BWSelectableToolbar editableToolbar]-[BWSelectableToolbar awakeFromNib]-[BWSelectableToolbar selectFirstItem]-[BWSelectableToolbar selectInitialItem]-[BWSelectableToolbar toggleActiveView:]-[BWSelectableToolbar identifierAtIndex:]-[BWSelectableToolbar setEnabled:forIdentifier:]-[BWSelectableToolbar validateToolbarItem:]-[BWSelectableToolbar enabledByIdentifier]-[BWSelectableToolbar toolbarDefaultItemIdentifiers:]-[BWSelectableToolbar toolbarAllowedItemIdentifiers:]-[BWSelectableToolbar toolbar:itemForItemIdentifier:willBeInsertedIntoToolbar:]-[BWSelectableToolbar toolbarSelectableItemIdentifiers:]-[BWSelectableToolbar selectedIndex]-[BWSelectableToolbar setSelectedIndex:]-[BWSelectableToolbar isPreferencesToolbar]-[BWSelectableToolbar setDocumentToolbar:]-[BWSelectableToolbar setEditableToolbar:]-[BWSelectableToolbar initWithCoder:]-[BWSelectableToolbar setHelper:]-[BWSelectableToolbar helper]-[BWSelectableToolbar setEnabledByIdentifier:]-[BWSelectableToolbar switchToItemAtIndex:animate:]-[BWSelectableToolbar labels]-[BWSelectableToolbar setIsPreferencesToolbar:]-[BWSelectableToolbar selectableItemIdentifiers]-[BWSelectableToolbar windowDidResize:]-[BWSelectableToolbar setSelectedItemIdentifierWithoutAnimation:]-[BWSelectableToolbar setSelectedItemIdentifier:]-[BWSelectableToolbar dealloc]-[BWSelectableToolbar setItemSelectors]-[BWSelectableToolbar selectItemAtIndex:]-[BWSelectableToolbar toolbarIndexFromSelectableIndex:]-[BWSelectableToolbar initialSetup]-[BWSelectableToolbar initWithIdentifier:]-[BWSelectableToolbar _defaultItemIdentifiers]-[BWSelectableToolbar encodeWithCoder:]/System/Library/Frameworks/Foundation.framework/Headers/NSNotification.h_BWSelectableToolbarItemClickedNotification_documentToolbar_editableToolbarBWAddRegularBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWAddRegularBottomBar.o-[BWAddRegularBottomBar awakeFromNib]-[BWAddRegularBottomBar drawRect:]-[BWAddRegularBottomBar bounds]-[BWAddRegularBottomBar initWithCoder:]/System/Library/Frameworks/Foundation.framework/Headers/NSURL.hBWRemoveBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWRemoveBottomBar.o-[BWRemoveBottomBar bounds]BWInsetTextField.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWInsetTextField.o-[BWInsetTextField initWithCoder:]/System/Library/Frameworks/AppKit.framework/Headers/NSTextField.hBWTransparentButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWTransparentButtonCell.o-[BWTransparentButtonCell interiorColor]-[BWTransparentButtonCell controlSize]-[BWTransparentButtonCell setControlSize:]-[BWTransparentButtonCell drawBezelWithFrame:inView:]-[BWTransparentButtonCell drawImage:withFrame:inView:]+[BWTransparentButtonCell initialize]-[BWTransparentButtonCell _textAttributes]-[BWTransparentButtonCell drawTitle:withFrame:inView:]/System/Library/Frameworks/Foundation.framework/Headers/NSFormatter.h_enabledColor_disabledColor_buttonFillN_buttonLeftP_buttonFillP_buttonRightP_buttonLeftN_buttonRightNBWTransparentCheckboxCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWTransparentCheckboxCell.o-[BWTransparentCheckboxCell isInTableView]-[BWTransparentCheckboxCell interiorColor]-[BWTransparentCheckboxCell controlSize]-[BWTransparentCheckboxCell setControlSize:]-[BWTransparentCheckboxCell _textAttributes]+[BWTransparentCheckboxCell initialize]-[BWTransparentCheckboxCell drawImage:withFrame:inView:]-[BWTransparentCheckboxCell drawInteriorWithFrame:inView:]-[BWTransparentCheckboxCell drawTitle:withFrame:inView:]_enabledColor_disabledColor_contentShadow_checkboxOffN_checkboxOnP_checkboxOnN_checkboxOffPBWTransparentPopUpButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWTransparentPopUpButtonCell.o-[BWTransparentPopUpButtonCell interiorColor]-[BWTransparentPopUpButtonCell controlSize]-[BWTransparentPopUpButtonCell setControlSize:]-[BWTransparentPopUpButtonCell drawImageWithFrame:inView:]-[BWTransparentPopUpButtonCell drawBezelWithFrame:inView:]-[BWTransparentPopUpButtonCell imageRectForBounds:]+[BWTransparentPopUpButtonCell initialize]-[BWTransparentPopUpButtonCell _textAttributes]-[BWTransparentPopUpButtonCell titleRectForBounds:]/System/Library/Frameworks/Foundation.framework/Headers/NSValue.h_enabledColor_disabledColor_popUpFillN_popUpLeftP_popUpFillP_pullDownRightP_popUpRightP_popUpLeftN_pullDownRightN_popUpRightNBWTransparentSliderCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWTransparentSliderCell.o-[BWTransparentSliderCell _usesCustomTrackImage]-[BWTransparentSliderCell setTickMarkPosition:]-[BWTransparentSliderCell controlSize]-[BWTransparentSliderCell setControlSize:]-[BWTransparentSliderCell initWithCoder:]+[BWTransparentSliderCell initialize]-[BWTransparentSliderCell stopTracking:at:inView:mouseIsUp:]-[BWTransparentSliderCell startTrackingAt:inView:]-[BWTransparentSliderCell knobRectFlipped:]-[BWTransparentSliderCell drawKnob:]-[BWTransparentSliderCell drawBarInside:flipped:]/System/Library/Frameworks/Foundation.framework/Headers/NSDictionary.h_thumbPImage_thumbNImage_triangleThumbPImage_triangleThumbNImage_trackFillImage_trackLeftImage_trackRightImageBWSplitView.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWSplitView.o-[BWSplitView awakeFromNib]-[BWSplitView setDelegate:]-[BWSplitView subviewIsCollapsible:]-[BWSplitView collapsibleSubviewIsCollapsed]-[BWSplitView collapsibleSubviewIndex]-[BWSplitView collapsibleSubview]-[BWSplitView hasCollapsibleSubview]-[BWSplitView setCollapsibleSubviewCollapsedHelper:]-[BWSplitView animationEnded]-[BWSplitView animationDuration]-[BWSplitView hasCollapsibleDivider]-[BWSplitView collapsibleDividerIndex]-[BWSplitView setCollapsibleSubviewCollapsed:]-[BWSplitView setMinSizeForCollapsibleSubview:]-[BWSplitView removeMinSizeForCollapsibleSubview]-[BWSplitView restoreAutoresizesSubviews:]-[BWSplitView splitView:shouldHideDividerAtIndex:]-[BWSplitView splitView:canCollapseSubview:]-[BWSplitView splitView:constrainSplitPosition:ofSubviewAt:]-[BWSplitView splitViewWillResizeSubviews:]-[BWSplitView subviewIsResizable:]-[BWSplitView validateAndCalculatePreferredProportionsAndSizes]-[BWSplitView clearPreferredProportionsAndSizes]-[BWSplitView splitView:resizeSubviewsWithOldSize:]-[BWSplitView setColorIsEnabled:]-[BWSplitView setColor:]-[BWSplitView color]-[BWSplitView minValues]-[BWSplitView maxValues]-[BWSplitView minUnits]-[BWSplitView maxUnits]-[BWSplitView secondaryDelegate]-[BWSplitView setSecondaryDelegate:]-[BWSplitView collapsibleSubviewCollapsed]-[BWSplitView dividerCanCollapse]-[BWSplitView setDividerCanCollapse:]-[BWSplitView collapsiblePopupSelection]-[BWSplitView setCollapsiblePopupSelection:]-[BWSplitView setCheckboxIsEnabled:]-[BWSplitView colorIsEnabled]-[BWSplitView initWithCoder:]+[BWSplitView initialize]-[BWSplitView setMinValues:]-[BWSplitView setMaxValues:]-[BWSplitView setMinUnits:]-[BWSplitView setMaxUnits:]-[BWSplitView setResizableSubviewPreferredProportion:]-[BWSplitView resizableSubviewPreferredProportion]-[BWSplitView setNonresizableSubviewPreferredSize:]-[BWSplitView nonresizableSubviewPreferredSize]-[BWSplitView setStateForLastPreferredCalculations:]-[BWSplitView stateForLastPreferredCalculations]-[BWSplitView setToggleCollapseButton:]-[BWSplitView toggleCollapseButton]-[BWSplitView dealloc]-[BWSplitView checkboxIsEnabled]-[BWSplitView setDividerStyle:]-[BWSplitView resizeAndAdjustSubviews]-[BWSplitView correctCollapsiblePreferredProportionOrSize]-[BWSplitView validatePreferredProportionsAndSizes]-[BWSplitView recalculatePreferredProportionsAndSizes]-[BWSplitView subviewMaximumSize:]-[BWSplitView subviewMinimumSize:]-[BWSplitView resizableSubviews]-[BWSplitView splitViewDidResizeSubviews:]-[BWSplitView splitView:effectiveRect:forDrawnRect:ofDividerAtIndex:]-[BWSplitView splitView:constrainMinCoordinate:ofSubviewAt:]-[BWSplitView splitView:constrainMaxCoordinate:ofSubviewAt:]-[BWSplitView splitView:shouldCollapseSubview:forDoubleClickOnDividerAtIndex:]-[BWSplitView splitView:additionalEffectiveRectOfDividerAtIndex:]-[BWSplitView mouseDown:]-[BWSplitView toggleCollapse:]-[BWSplitView adjustSubviews]-[BWSplitView subviewIsCollapsed:]-[BWSplitView drawDimpleInRect:]-[BWSplitView drawGradientDividerInRect:]-[BWSplitView drawDividerInRect:]-[BWSplitView encodeWithCoder:]/System/Library/Frameworks/Foundation.framework/Headers/NSDate.h_scaleFactor_gradient_borderColor_dimpleImageBitmap_dimpleImageVector_gradientStartColor_gradientEndColorBWTexturedSlider.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWTexturedSlider.o-[BWTexturedSlider trackHeight]-[BWTexturedSlider setTrackHeight:]-[BWTexturedSlider setSliderToMinimum]-[BWTexturedSlider setSliderToMaximum]-[BWTexturedSlider indicatorIndex]-[BWTexturedSlider initWithCoder:]+[BWTexturedSlider initialize]-[BWTexturedSlider setMinButton:]-[BWTexturedSlider minButton]-[BWTexturedSlider setMaxButton:]-[BWTexturedSlider maxButton]-[BWTexturedSlider dealloc]-[BWTexturedSlider resignFirstResponder]-[BWTexturedSlider becomeFirstResponder]-[BWTexturedSlider scrollWheel:]-[BWTexturedSlider setEnabled:]-[BWTexturedSlider setIndicatorIndex:]-[BWTexturedSlider drawRect:]-[BWTexturedSlider hitTest:]-[BWTexturedSlider encodeWithCoder:]_smallPhotoImage_largePhotoImage_quietSpeakerImage_loudSpeakerImageBWTexturedSliderCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWTexturedSliderCell.o-[BWTexturedSliderCell controlSize]-[BWTexturedSliderCell setControlSize:]-[BWTexturedSliderCell numberOfTickMarks]-[BWTexturedSliderCell setNumberOfTickMarks:]-[BWTexturedSliderCell _usesCustomTrackImage]-[BWTexturedSliderCell trackHeight]-[BWTexturedSliderCell setTrackHeight:]-[BWTexturedSliderCell initWithCoder:]+[BWTexturedSliderCell initialize]-[BWTexturedSliderCell stopTracking:at:inView:mouseIsUp:]-[BWTexturedSliderCell startTrackingAt:inView:]-[BWTexturedSliderCell drawKnob:]-[BWTexturedSliderCell drawBarInside:flipped:]-[BWTexturedSliderCell encodeWithCoder:]_thumbPImage_thumbNImage_trackFillImage_trackLeftImage_trackRightImageBWAddSmallBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWAddSmallBottomBar.o-[BWAddSmallBottomBar awakeFromNib]-[BWAddSmallBottomBar drawRect:]-[BWAddSmallBottomBar bounds]-[BWAddSmallBottomBar initWithCoder:]BWAnchoredButtonBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWAnchoredButtonBar.o-[BWAnchoredButtonBar awakeFromNib]-[BWAnchoredButtonBar drawResizeHandleInRect:withColor:]-[BWAnchoredButtonBar viewDidMoveToSuperview]-[BWAnchoredButtonBar isInLastSubview]-[BWAnchoredButtonBar dividerIndexNearestToHandle]-[BWAnchoredButtonBar splitView]-[BWAnchoredButtonBar setSelectedIndex:]+[BWAnchoredButtonBar wasBorderedBar]-[BWAnchoredButtonBar splitView:constrainMinCoordinate:ofSubviewAt:]-[BWAnchoredButtonBar splitView:constrainMaxCoordinate:ofSubviewAt:]-[BWAnchoredButtonBar splitView:resizeSubviewsWithOldSize:]-[BWAnchoredButtonBar splitView:canCollapseSubview:]-[BWAnchoredButtonBar splitView:constrainSplitPosition:ofSubviewAt:]-[BWAnchoredButtonBar splitView:shouldCollapseSubview:forDoubleClickOnDividerAtIndex:]-[BWAnchoredButtonBar splitView:shouldHideDividerAtIndex:]-[BWAnchoredButtonBar splitViewDelegate]-[BWAnchoredButtonBar setSplitViewDelegate:]-[BWAnchoredButtonBar handleIsRightAligned]-[BWAnchoredButtonBar setHandleIsRightAligned:]-[BWAnchoredButtonBar isResizable]-[BWAnchoredButtonBar setIsResizable:]-[BWAnchoredButtonBar isAtBottom]-[BWAnchoredButtonBar selectedIndex]-[BWAnchoredButtonBar initWithFrame:]+[BWAnchoredButtonBar initialize]-[BWAnchoredButtonBar splitView:effectiveRect:forDrawnRect:ofDividerAtIndex:]-[BWAnchoredButtonBar splitView:additionalEffectiveRectOfDividerAtIndex:]-[BWAnchoredButtonBar dealloc]-[BWAnchoredButtonBar setIsAtBottom:]-[BWAnchoredButtonBar drawLastButtonInsetInRect:]-[BWAnchoredButtonBar drawRect:]-[BWAnchoredButtonBar encodeWithCoder:]-[BWAnchoredButtonBar initWithCoder:]/System/Library/Frameworks/AppKit.framework/Headers/NSSplitView.h_wasBorderedBar_gradient_topLineColor_borderedTopLineColor_resizeHandleColor_resizeInsetColor_bottomLineColor_sideInsetColor_topColor_middleTopColor_middleBottomColor_bottomColorBWAnchoredButton.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWAnchoredButton.o-[BWAnchoredButton isAtRightEdgeOfBar]-[BWAnchoredButton setIsAtRightEdgeOfBar:]-[BWAnchoredButton isAtLeftEdgeOfBar]-[BWAnchoredButton setIsAtLeftEdgeOfBar:]-[BWAnchoredButton initWithCoder:]-[BWAnchoredButton frame]-[BWAnchoredButton mouseDown:]BWAnchoredButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWAnchoredButtonCell.o-[BWAnchoredButtonCell controlSize]-[BWAnchoredButtonCell setControlSize:]-[BWAnchoredButtonCell highlightRectForBounds:]-[BWAnchoredButtonCell drawBezelWithFrame:inView:]-[BWAnchoredButtonCell textColor]-[BWAnchoredButtonCell imageColor]-[BWAnchoredButtonCell _textAttributes]+[BWAnchoredButtonCell initialize]-[BWAnchoredButtonCell drawImage:withFrame:inView:]-[BWAnchoredButtonCell titleRectForBounds:]-[BWAnchoredButtonCell drawWithFrame:inView:]_fillGradient_bottomBorderColor_sideInsetColor_borderedTopBorderColor_borderedSideBorderColor_topBorderColor_sideBorderColor_enabledTextColor_disabledTextColor_enabledImageColor_disabledImageColor_contentShadow_pressedColor_fillStop1_fillStop2_fillStop3_fillStop4NSColor+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/NSColor+BWAdditions.o-[NSColor(BWAdditions) bwDrawPixelThickLineAtPosition:withInset:inRect:inView:horizontal:flip:]/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBase.hNSImage+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/NSImage+BWAdditions.o-[NSImage(BWAdditions) bwRotateImage90DegreesClockwise:]-[NSImage(BWAdditions) bwTintedImageWithColor:]/System/Library/Frameworks/AppKit.framework/Headers/NSGraphics.hBWSelectableToolbarHelper.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWSelectableToolbarHelper.o-[BWSelectableToolbarHelper isPreferencesToolbar]-[BWSelectableToolbarHelper setIsPreferencesToolbar:]-[BWSelectableToolbarHelper init]-[BWSelectableToolbarHelper setContentViewsByIdentifier:]-[BWSelectableToolbarHelper contentViewsByIdentifier]-[BWSelectableToolbarHelper setWindowSizesByIdentifier:]-[BWSelectableToolbarHelper windowSizesByIdentifier]-[BWSelectableToolbarHelper setSelectedIdentifier:]-[BWSelectableToolbarHelper selectedIdentifier]-[BWSelectableToolbarHelper setOldWindowTitle:]-[BWSelectableToolbarHelper oldWindowTitle]-[BWSelectableToolbarHelper setInitialIBWindowSize:]-[BWSelectableToolbarHelper initialIBWindowSize]-[BWSelectableToolbarHelper dealloc]-[BWSelectableToolbarHelper encodeWithCoder:]-[BWSelectableToolbarHelper initWithCoder:]/System/Library/Frameworks/ApplicationServices.framework/Headers/../Frameworks/CoreGraphics.framework/Headers/CGGeometry.hNSWindow+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/NSWindow+BWAdditions.o-[NSWindow(BWAdditions) bwIsTextured]-[NSWindow(BWAdditions) bwResizeToSize:animate:]NSView+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/NSView+BWAdditions.o_compareViews-[NSView(BWAdditions) bwBringToFront]-[NSView(BWAdditions) bwAnimator]-[NSView(BWAdditions) bwTurnOffLayer]BWTransparentTableView.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWTransparentTableView.o+[BWTransparentTableView cellClass]-[BWTransparentTableView backgroundColor]-[BWTransparentTableView _alternatingRowBackgroundColors]-[BWTransparentTableView _highlightColorForCell:]-[BWTransparentTableView addTableColumn:]+[BWTransparentTableView initialize]-[BWTransparentTableView highlightSelectionInClipRect:]-[BWTransparentTableView drawBackgroundInClipRect:]/System/Library/Frameworks/AppKit.framework/Headers/NSTableColumn.h_rowColor_altRowColor_highlightColorBWTransparentTableViewCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWTransparentTableViewCell.o-[BWTransparentTableViewCell drawInteriorWithFrame:inView:]-[BWTransparentTableViewCell editWithFrame:inView:editor:delegate:event:]-[BWTransparentTableViewCell selectWithFrame:inView:editor:delegate:start:length:]-[BWTransparentTableViewCell drawingRectForBounds:]BWAnchoredPopUpButton.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWAnchoredPopUpButton.o-[BWAnchoredPopUpButton isAtRightEdgeOfBar]-[BWAnchoredPopUpButton setIsAtRightEdgeOfBar:]-[BWAnchoredPopUpButton isAtLeftEdgeOfBar]-[BWAnchoredPopUpButton setIsAtLeftEdgeOfBar:]-[BWAnchoredPopUpButton initWithCoder:]-[BWAnchoredPopUpButton frame]-[BWAnchoredPopUpButton mouseDown:]BWAnchoredPopUpButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWAnchoredPopUpButtonCell.o-[BWAnchoredPopUpButtonCell controlSize]-[BWAnchoredPopUpButtonCell setControlSize:]-[BWAnchoredPopUpButtonCell highlightRectForBounds:]-[BWAnchoredPopUpButtonCell drawBorderAndBackgroundWithFrame:inView:]-[BWAnchoredPopUpButtonCell textColor]-[BWAnchoredPopUpButtonCell imageColor]-[BWAnchoredPopUpButtonCell _textAttributes]+[BWAnchoredPopUpButtonCell initialize]-[BWAnchoredPopUpButtonCell drawImageWithFrame:inView:]-[BWAnchoredPopUpButtonCell imageRectForBounds:]-[BWAnchoredPopUpButtonCell titleRectForBounds:]-[BWAnchoredPopUpButtonCell drawArrowInFrame:]-[BWAnchoredPopUpButtonCell drawWithFrame:inView:]_fillGradient_bottomBorderColor_sideInsetColor_borderedTopBorderColor_borderedSideBorderColor_topBorderColor_sideBorderColor_enabledTextColor_disabledTextColor_enabledImageColor_disabledImageColor_contentShadow_pressedColor_pullDownArrow_fillStop1_fillStop2_fillStop3_fillStop4BWCustomView.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWCustomView.o-[BWCustomView drawRect:]-[BWCustomView drawTextInRect:]BWUnanchoredButton.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWUnanchoredButton.o-[BWUnanchoredButton initWithCoder:]-[BWUnanchoredButton frame]-[BWUnanchoredButton mouseDown:]BWUnanchoredButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWUnanchoredButtonCell.o-[BWUnanchoredButtonCell drawBezelWithFrame:inView:]-[BWUnanchoredButtonCell highlightRectForBounds:]+[BWUnanchoredButtonCell initialize]_fillGradient_topInsetColor_topBorderColor_borderColor_bottomInsetColor_fillStop1_fillStop2_fillStop3_fillStop4_pressedColorBWUnanchoredButtonContainer.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWUnanchoredButtonContainer.o-[BWUnanchoredButtonContainer awakeFromNib]BWSheetController.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWSheetController.o-[BWSheetController awakeFromNib]-[BWSheetController encodeWithCoder:]-[BWSheetController openSheet:]-[BWSheetController closeSheet:]-[BWSheetController messageDelegateAndCloseSheet:]-[BWSheetController delegate]-[BWSheetController sheet]-[BWSheetController parentWindow]-[BWSheetController initWithCoder:]-[BWSheetController setParentWindow:]-[BWSheetController setSheet:]-[BWSheetController setDelegate:]BWTransparentScrollView.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWTransparentScrollView.o+[BWTransparentScrollView _verticalScrollerClass]-[BWTransparentScrollView initWithCoder:]/System/Library/Frameworks/AppKit.framework/Headers/NSRulerMarker.hBWAddMiniBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWAddMiniBottomBar.o-[BWAddMiniBottomBar awakeFromNib]-[BWAddMiniBottomBar drawRect:]-[BWAddMiniBottomBar bounds]-[BWAddMiniBottomBar initWithCoder:]BWAddSheetBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWAddSheetBottomBar.o-[BWAddSheetBottomBar awakeFromNib]-[BWAddSheetBottomBar drawRect:]-[BWAddSheetBottomBar bounds]-[BWAddSheetBottomBar initWithCoder:]BWTokenFieldCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWTokenFieldCell.o-[BWTokenFieldCell setUpTokenAttachmentCell:forRepresentedObject:]/System/Library/Frameworks/AppKit.framework/Headers/NSImage.hBWTokenAttachmentCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWTokenAttachmentCell.o-[BWTokenAttachmentCell arrowInHighlightedState:]-[BWTokenAttachmentCell pullDownImage]-[BWTokenAttachmentCell drawTokenWithFrame:inView:]-[BWTokenAttachmentCell interiorBackgroundStyle]+[BWTokenAttachmentCell initialize]-[BWTokenAttachmentCell pullDownRectForBounds:]-[BWTokenAttachmentCell _textAttributes]_highlightedArrowColor_arrowGradient_blueStrokeGradient_blueInsetGradient_blueGradient_highlightedBlueStrokeGradient_highlightedBlueInsetGradient_highlightedBlueGradient_textShadowBWTransparentScroller.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWTransparentScroller.o-[BWTransparentScroller initWithFrame:]+[BWTransparentScroller scrollerWidthForControlSize:]+[BWTransparentScroller scrollerWidth]+[BWTransparentScroller initialize]-[BWTransparentScroller rectForPart:]-[BWTransparentScroller _drawingRectForPart:]-[BWTransparentScroller drawKnob]-[BWTransparentScroller drawKnobSlot]-[BWTransparentScroller drawRect:]-[BWTransparentScroller initWithCoder:]_slotVerticalFill_backgroundColor_minKnobHeight_minKnobWidth_slotTop_slotBottom_slotLeft_slotHorizontalFill_slotRight_knobTop_knobVerticalFill_knobBottom_knobLeft_knobHorizontalFill_knobRightBWTransparentTextFieldCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWTransparentTextFieldCell.o-[BWTransparentTextFieldCell _textAttributes]+[BWTransparentTextFieldCell initialize]/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileDescriptor.h_textShadowBWToolbarItem.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWToolbarItem.o-[BWToolbarItem setIdentifierString:]-[BWToolbarItem initWithCoder:]-[BWToolbarItem identifierString]-[BWToolbarItem dealloc]-[BWToolbarItem encodeWithCoder:]NSString+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/NSString+BWAdditions.o+[NSString(BWAdditions) bwRandomUUID]/usr/include/objc/objc.hNSEvent+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/NSEvent+BWAdditions.o+[NSEvent(BWAdditions) bwShiftKeyIsDown]+[NSEvent(BWAdditions) bwCommandKeyIsDown]+[NSEvent(BWAdditions) bwOptionKeyIsDown]+[NSEvent(BWAdditions) bwControlKeyIsDown]+[NSEvent(BWAdditions) bwCapsLockKeyIsDown]/Users/brandon/Temp/bwtoolkit//BWHyperlinkButton.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWHyperlinkButton.o-[BWHyperlinkButton awakeFromNib]-[BWHyperlinkButton openURLInBrowser:]-[BWHyperlinkButton urlString]-[BWHyperlinkButton initWithCoder:]-[BWHyperlinkButton setUrlString:]-[BWHyperlinkButton dealloc]-[BWHyperlinkButton resetCursorRects]-[BWHyperlinkButton encodeWithCoder:]BWHyperlinkButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWHyperlinkButtonCell.o-[BWHyperlinkButtonCell drawBezelWithFrame:inView:]-[BWHyperlinkButtonCell setBordered:]-[BWHyperlinkButtonCell isBordered]-[BWHyperlinkButtonCell _textAttributes]BWGradientBox.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWGradientBox.o-[BWGradientBox isFlipped]-[BWGradientBox setFillColor:]-[BWGradientBox setFillStartingColor:]-[BWGradientBox setFillEndingColor:]-[BWGradientBox setTopBorderColor:]-[BWGradientBox setBottomBorderColor:]-[BWGradientBox hasFillColor]-[BWGradientBox setHasFillColor:]-[BWGradientBox hasGradient]-[BWGradientBox setHasGradient:]-[BWGradientBox hasBottomBorder]-[BWGradientBox setHasBottomBorder:]-[BWGradientBox hasTopBorder]-[BWGradientBox setHasTopBorder:]-[BWGradientBox bottomInsetAlpha]-[BWGradientBox setBottomInsetAlpha:]-[BWGradientBox topInsetAlpha]-[BWGradientBox setTopInsetAlpha:]-[BWGradientBox bottomBorderColor]-[BWGradientBox topBorderColor]-[BWGradientBox fillColor]-[BWGradientBox fillEndingColor]-[BWGradientBox fillStartingColor]-[BWGradientBox initWithCoder:]-[BWGradientBox dealloc]-[BWGradientBox drawRect:]-[BWGradientBox encodeWithCoder:]BWStyledTextField.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWStyledTextField.o-[BWStyledTextField hasShadow]-[BWStyledTextField setHasShadow:]-[BWStyledTextField shadowIsBelow]-[BWStyledTextField setShadowIsBelow:]-[BWStyledTextField shadowColor]-[BWStyledTextField setShadowColor:]-[BWStyledTextField hasGradient]-[BWStyledTextField setHasGradient:]-[BWStyledTextField startingColor]-[BWStyledTextField setStartingColor:]-[BWStyledTextField endingColor]-[BWStyledTextField setEndingColor:]-[BWStyledTextField solidColor]-[BWStyledTextField setSolidColor:]BWStyledTextFieldCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWStyledTextFieldCell.o-[BWStyledTextFieldCell changeShadow]-[BWStyledTextFieldCell setStartingColor:]-[BWStyledTextFieldCell setEndingColor:]-[BWStyledTextFieldCell setSolidColor:]-[BWStyledTextFieldCell setHasGradient:]-[BWStyledTextFieldCell setShadowIsBelow:]-[BWStyledTextFieldCell setShadowColor:]-[BWStyledTextFieldCell solidColor]-[BWStyledTextFieldCell hasGradient]-[BWStyledTextFieldCell endingColor]-[BWStyledTextFieldCell startingColor]-[BWStyledTextFieldCell shadow]-[BWStyledTextFieldCell hasShadow]-[BWStyledTextFieldCell setHasShadow:]-[BWStyledTextFieldCell shadowColor]-[BWStyledTextFieldCell shadowIsBelow]-[BWStyledTextFieldCell initWithCoder:]-[BWStyledTextFieldCell setShadow:]-[BWStyledTextFieldCell setPreviousAttributes:]-[BWStyledTextFieldCell previousAttributes]-[BWStyledTextFieldCell drawInteriorWithFrame:inView:]-[BWStyledTextFieldCell applyGradient]-[BWStyledTextFieldCell awakeFromNib]-[BWStyledTextFieldCell _textAttributes]-[BWStyledTextFieldCell dealloc]-[BWStyledTextFieldCell copyWithZone:]-[BWStyledTextFieldCell encodeWithCoder:]NSApplication+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/NSApplication+BWAdditions.o+[NSApplication(BWAdditions) bwIsOnLeopard]single moduleunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Headers/0000755006131600613160000000000012050210655026575 5ustar bcpiercebcpierceunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Headers/BWTransparentButton.h0000644006131600613160000000035311361646373032713 0ustar bcpiercebcpierce// // BWTransparentButton.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTransparentButton : NSButton { } @end unison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Headers/BWInsetTextField.h0000644006131600613160000000035011361646373032106 0ustar bcpiercebcpierce// // BWInsetTextField.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWInsetTextField : NSTextField { } @end unison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Headers/NSColor+BWAdditions.h0000644006131600613160000000112211361646373032442 0ustar bcpiercebcpierce// // NSColor+BWAdditions.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface NSColor (BWAdditions) // Use this method to draw 1 px wide lines independent of scale factor. Handy for resolution independent drawing. Still needs some work - there are issues with drawing at the edges of views. - (void)bwDrawPixelThickLineAtPosition:(int)posInPixels withInset:(int)insetInPixels inRect:(NSRect)aRect inView:(NSView *)view horizontal:(BOOL)isHorizontal flip:(BOOL)shouldFlip; @end unison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Headers/BWSplitView.h0000644006131600613160000000276011361646373031150 0ustar bcpiercebcpierce// // BWSplitView.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) and Fraser Kuyvenhoven. // All code is provided under the New BSD license. // #import @interface BWSplitView : NSSplitView { NSColor *color; BOOL colorIsEnabled, checkboxIsEnabled, dividerCanCollapse, collapsibleSubviewCollapsed; id secondaryDelegate; NSMutableDictionary *minValues, *maxValues, *minUnits, *maxUnits; NSMutableDictionary *resizableSubviewPreferredProportion, *nonresizableSubviewPreferredSize; NSArray *stateForLastPreferredCalculations; int collapsiblePopupSelection; float uncollapsedSize; // Collapse button NSButton *toggleCollapseButton; BOOL isAnimating; } @property (retain) NSMutableDictionary *minValues, *maxValues, *minUnits, *maxUnits; @property (retain) NSMutableDictionary *resizableSubviewPreferredProportion, *nonresizableSubviewPreferredSize; @property (retain) NSArray *stateForLastPreferredCalculations; @property (retain) NSButton *toggleCollapseButton; @property (assign) id secondaryDelegate; @property BOOL collapsibleSubviewCollapsed; @property int collapsiblePopupSelection; @property BOOL dividerCanCollapse; // The split view divider color @property (copy) NSColor *color; // Flag for whether a custom divider color is enabled. If not, the standard divider color is used. @property BOOL colorIsEnabled; // Call this method to collapse or expand a subview configured as collapsible in the IB inspector. - (IBAction)toggleCollapse:(id)sender; @end unison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Headers/BWSelectableToolbar.h0000644006131600613160000000230211361646373032600 0ustar bcpiercebcpierce// // BWSelectableToolbar.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @class BWSelectableToolbarHelper; // Notification that gets sent when a toolbar item has been clicked. You can get the button that was clicked by getting the object // for the key @"BWClickedItem" in the supplied userInfo dictionary. extern NSString * const BWSelectableToolbarItemClickedNotification; @interface BWSelectableToolbar : NSToolbar { BWSelectableToolbarHelper *helper; NSMutableArray *itemIdentifiers; NSMutableDictionary *itemsByIdentifier, *enabledByIdentifier; BOOL inIB; // For the IB inspector int selectedIndex; BOOL isPreferencesToolbar; } // Call one of these methods to set the active tab. - (void)setSelectedItemIdentifier:(NSString *)itemIdentifier; // Use if you want an action in the tabbed window to change the tab. - (void)setSelectedItemIdentifierWithoutAnimation:(NSString *)itemIdentifier; // Use if you want to show the window with a certain item selected. // Programmatically disable or enable a toolbar item. - (void)setEnabled:(BOOL)flag forIdentifier:(NSString *)itemIdentifier; @end unison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Headers/BWTokenFieldCell.h0000644006131600613160000000035511361646373032044 0ustar bcpiercebcpierce// // BWTokenFieldCell.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTokenFieldCell : NSTokenFieldCell { } @end unison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Headers/BWUnanchoredButton.h0000644006131600613160000000040211361646373032473 0ustar bcpiercebcpierce// // BWUnanchoredButton.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWUnanchoredButton : NSButton { NSPoint topAndLeftInset; } @end unison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Headers/BWToolbarItem.h0000644006131600613160000000040011361646373031430 0ustar bcpiercebcpierce// // BWToolbarItem.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWToolbarItem : NSToolbarItem { NSString *identifierString; } @end ././@LongLink0000000000000000000000000000015200000000000011563 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Headers/BWTransparentPopUpButtonCell.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Headers/BWTransparentPopUpButtonC0000644006131600613160000000040611361646373033553 0ustar bcpiercebcpierce// // BWTransparentPopUpButtonCell.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTransparentPopUpButtonCell : NSPopUpButtonCell { } @end unison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Headers/BWAnchoredButton.h0000644006131600613160000000056711361646373032144 0ustar bcpiercebcpierce// // BWAnchoredButton.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWAnchoredButton : NSButton { BOOL isAtLeftEdgeOfBar; BOOL isAtRightEdgeOfBar; NSPoint topAndLeftInset; } @property BOOL isAtLeftEdgeOfBar; @property BOOL isAtRightEdgeOfBar; @end ././@LongLink0000000000000000000000000000014700000000000011567 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Headers/NSApplication+BWAdditions.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Headers/NSApplication+BWAdditions0000644006131600613160000000040111361646373033400 0ustar bcpiercebcpierce// // NSApplication+BWAdditions.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface NSApplication (BWAdditions) + (BOOL)bwIsOnLeopard; @end unison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Headers/BWStyledTextFieldCell.h0000644006131600613160000000107111361646373033071 0ustar bcpiercebcpierce// // BWStyledTextFieldCell.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWStyledTextFieldCell : NSTextFieldCell { BOOL shadowIsBelow, hasShadow, hasGradient; NSColor *shadowColor, *startingColor, *endingColor, *solidColor; NSShadow *shadow; NSMutableDictionary *previousAttributes; } @property BOOL shadowIsBelow, hasShadow, hasGradient; @property (nonatomic, retain) NSColor *shadowColor, *startingColor, *endingColor, *solidColor; @end unison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Headers/BWTransparentScrollView.h0000644006131600613160000000036711361646373033536 0ustar bcpiercebcpierce// // BWTransparentScrollView.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTransparentScrollView : NSScrollView { } @end ././@LongLink0000000000000000000000000000015000000000000011561 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Headers/BWTransparentTextFieldCell.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Headers/BWTransparentTextFieldCel0000644006131600613160000000040011361646373033517 0ustar bcpiercebcpierce// // BWTransparentTextFieldCell.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTransparentTextFieldCell : NSTextFieldCell { } @end ././@LongLink0000000000000000000000000000014700000000000011567 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Headers/BWTransparentCheckboxCell.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Headers/BWTransparentCheckboxCell0000644006131600613160000000043511361646373033541 0ustar bcpiercebcpierce// // BWTransparentCheckboxCell.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import #import "BWTransparentCheckbox.h" @interface BWTransparentCheckboxCell : NSButtonCell { } @end unison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Headers/BWTexturedSliderCell.h0000755006131600613160000000045711361646373032775 0ustar bcpiercebcpierce// // BWTexturedSliderCell.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTexturedSliderCell : NSSliderCell { BOOL isPressed; int trackHeight; } @property int trackHeight; @end unison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Headers/BWTransparentScroller.h0000644006131600613160000000040211361646373033220 0ustar bcpiercebcpierce// // BWTransparentScroller.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTransparentScroller : NSScroller { BOOL isVertical; } @end unison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Headers/BWGradientBox.h0000644006131600613160000000124711361646373031427 0ustar bcpiercebcpierce// // BWGradientBox.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWGradientBox : NSView { NSColor *fillStartingColor, *fillEndingColor, *fillColor; NSColor *topBorderColor, *bottomBorderColor; float topInsetAlpha, bottomInsetAlpha; BOOL hasTopBorder, hasBottomBorder, hasGradient, hasFillColor; } @property (nonatomic, retain) NSColor *fillStartingColor, *fillEndingColor, *fillColor, *topBorderColor, *bottomBorderColor; @property float topInsetAlpha, bottomInsetAlpha; @property BOOL hasTopBorder, hasBottomBorder, hasGradient, hasFillColor; @end ././@LongLink0000000000000000000000000000015000000000000011561 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Headers/BWTransparentTableViewCell.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Headers/BWTransparentTableViewCel0000644006131600613160000000043411361646373033520 0ustar bcpiercebcpierce// // BWTransparentTableViewCell.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTransparentTableViewCell : NSTextFieldCell { BOOL mIsEditingOrSelecting; } @end unison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Headers/BWToolbarShowColorsItem.h0000644006131600613160000000037011361646373033461 0ustar bcpiercebcpierce// // BWToolbarShowColorsItem.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWToolbarShowColorsItem : NSToolbarItem { } @end unison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Headers/BWTransparentSlider.h0000644006131600613160000000035311361646373032662 0ustar bcpiercebcpierce// // BWTransparentSlider.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTransparentSlider : NSSlider { } @end ././@LongLink0000000000000000000000000000014700000000000011567 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Headers/BWAnchoredPopUpButtonCell.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Headers/BWAnchoredPopUpButtonCell0000644006131600613160000000040011361646373033464 0ustar bcpiercebcpierce// // BWAnchoredPopUpButtonCell.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWAnchoredPopUpButtonCell : NSPopUpButtonCell { } @end unison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Headers/NSTokenAttachmentCell.h0000644006131600613160000000323111361646373033115 0ustar bcpiercebcpierce/* * Generated by class-dump 3.1.2. * * class-dump is Copyright (C) 1997-1998, 2000-2001, 2004-2007 by Steve Nygard. */ #import @interface NSTokenAttachmentCell : NSTextAttachmentCell { id _representedObject; id _textColor; id _reserved; struct { unsigned int _selected:1; unsigned int _edgeStyle:2; unsigned int _reserved:29; } _tacFlags; } + (void)initialize; - (id)initTextCell:(id)fp8; - (id)init; - (void)dealloc; - (id)representedObject; - (void)setRepresentedObject:(id)fp8; - (int)interiorBackgroundStyle; - (BOOL)_hasMenu; - (id)tokenForegroundColor; - (id)tokenBackgroundColor; - (id)textColor; - (void)setTextColor:(id)fp8; - (id)pullDownImage; - (id)menu; - (NSSize)cellSizeForBounds:(NSRect)fp8; - (NSSize)cellSize; - (NSRect)drawingRectForBounds:(NSRect)fp8; - (NSRect)titleRectForBounds:(NSRect)fp8; - (NSRect)cellFrameForTextContainer:(id)fp8 proposedLineFragment:(NSRect)fp12 glyphPosition:(NSPoint)fp28 characterIndex:(unsigned int)fp36; - (NSPoint)cellBaselineOffset; - (NSRect)pullDownRectForBounds:(NSRect)fp8; - (void)drawTokenWithFrame:(NSRect)fp8 inView:(id)fp24; - (void)drawInteriorWithFrame:(NSRect)fp8 inView:(id)fp24; - (void)drawWithFrame:(NSRect)fp8 inView:(id)fp24; - (void)drawWithFrame:(NSRect)fp8 inView:(id)fp24 characterIndex:(unsigned int)fp28 layoutManager:(id)fp32; - (void)encodeWithCoder:(id)fp8; - (id)initWithCoder:(id)fp8; - (BOOL)wantsToTrackMouseForEvent:(id)fp8 inRect:(NSRect)fp12 ofView:(id)fp28 atCharacterIndex:(unsigned int)fp32; - (BOOL)trackMouse:(id)fp8 inRect:(NSRect)fp12 ofView:(id)fp28 atCharacterIndex:(unsigned int)fp32 untilMouseUp:(BOOL)fp36; @end unison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Headers/BWHyperlinkButton.h0000644006131600613160000000045611361646373032363 0ustar bcpiercebcpierce// // BWHyperlinkButton.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWHyperlinkButton : NSButton { NSString *urlString; } @property (copy, nonatomic) NSString *urlString; @end unison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Headers/NSImage+BWAdditions.h0000644006131600613160000000076311361646373032420 0ustar bcpiercebcpierce// // NSImage+BWAdditions.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface NSImage (BWAdditions) // Draw a solid color over an image - taking into account alpha. Useful for coloring template images. - (NSImage *)bwTintedImageWithColor:(NSColor *)tint; // Rotate an image 90 degrees clockwise or counterclockwise - (NSImage *)bwRotateImage90DegreesClockwise:(BOOL)clockwise; @end unison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Headers/BWTransparentButtonCell.h0000644006131600613160000000042711361646373033515 0ustar bcpiercebcpierce// // BWTransparentButtonCell.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import #import "BWTransparentButton.h" @interface BWTransparentButtonCell : NSButtonCell { } @end unison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Headers/BWToolbarShowFontsItem.h0000644006131600613160000000036711361646373033317 0ustar bcpiercebcpierce// // BWToolbarShowFontsItem.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWToolbarShowFontsItem : NSToolbarItem { } @end unison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Headers/BWTokenAttachmentCell.h0000644006131600613160000000043611361646373033111 0ustar bcpiercebcpierce// // BWTokenAttachmentCell.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import #import "NSTokenAttachmentCell.h" @interface BWTokenAttachmentCell : NSTokenAttachmentCell { } @end unison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Headers/NSView+BWAdditions.h0000644006131600613160000000054511361646373032306 0ustar bcpiercebcpierce// // NSView+BWAdditions.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface NSView (BWAdditions) - (void)bwBringToFront; // Returns animator proxy and calls setWantsLayer:NO on the view when the animation completes - (id)bwAnimator; @end unison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Headers/BWTokenField.h0000644006131600613160000000034111361646373031237 0ustar bcpiercebcpierce// // BWTokenField.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTokenField : NSTokenField { } @end unison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Headers/NSWindow+BWAdditions.h0000644006131600613160000000046711361646373032646 0ustar bcpiercebcpierce// // NSWindow+BWAdditions.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface NSWindow (BWAdditions) - (void)bwResizeToSize:(NSSize)newSize animate:(BOOL)animateFlag; - (BOOL)bwIsTextured; @end unison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Headers/BWUnanchoredButtonCell.h0000644006131600613160000000043611361646373033302 0ustar bcpiercebcpierce// // BWUnanchoredButtonCell.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import #import "BWAnchoredButtonCell.h" @interface BWUnanchoredButtonCell : BWAnchoredButtonCell { } @end ././@LongLink0000000000000000000000000000014600000000000011566 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Headers/BWTransparentPopUpButton.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Headers/BWTransparentPopUpButton.0000644006131600613160000000037311361646373033531 0ustar bcpiercebcpierce// // BWTransparentPopUpButton.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTransparentPopUpButton : NSPopUpButton { } @end unison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Headers/BWAnchoredButtonCell.h0000644006131600613160000000036211361646373032735 0ustar bcpiercebcpierce// // BWAnchoredButtonCell.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWAnchoredButtonCell : NSButtonCell { } @end unison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Headers/BWStyledTextField.h0000644006131600613160000000124311361646373032272 0ustar bcpiercebcpierce// // BWStyledTextField.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWStyledTextField : NSTextField { } - (BOOL)hasGradient; - (void)setHasGradient:(BOOL)flag; - (NSColor *)startingColor; - (void)setStartingColor:(NSColor *)color; - (NSColor *)endingColor; - (void)setEndingColor:(NSColor *)color; - (NSColor *)solidColor; - (void)setSolidColor:(NSColor *)color; - (BOOL)hasShadow; - (void)setHasShadow:(BOOL)flag; - (BOOL)shadowIsBelow; - (void)setShadowIsBelow:(BOOL)flag; - (NSColor *)shadowColor; - (void)setShadowColor:(NSColor *)color; @end unison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Headers/BWSheetController.h0000644006131600613160000000170311361646373032332 0ustar bcpiercebcpierce// // BWSheetController.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWSheetController : NSObject { NSWindow *sheet; NSWindow *parentWindow; id delegate; } @property (nonatomic, retain) IBOutlet NSWindow *sheet, *parentWindow; @property (nonatomic, retain) IBOutlet id delegate; - (IBAction)openSheet:(id)sender; - (IBAction)closeSheet:(id)sender; - (IBAction)messageDelegateAndCloseSheet:(id)sender; // The optional delegate should implement the method: // - (BOOL)shouldCloseSheet:(id)sender // Return YES if you want the sheet to close after the button click, NO if it shouldn't close. The sender // object is the button that requested the close. This is helpful because in the event that there are multiple buttons // hooked up to the messageDelegateAndCloseSheet: method, you can distinguish which button called the method. @end unison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Headers/BWTransparentCheckbox.h0000644006131600613160000000035711361646373033172 0ustar bcpiercebcpierce// // BWTransparentCheckbox.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTransparentCheckbox : NSButton { } @end unison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Headers/BWTexturedSlider.h0000755006131600613160000000075711361646373032200 0ustar bcpiercebcpierce// // BWTexturedSlider.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTexturedSlider : NSSlider { int trackHeight, indicatorIndex; NSRect sliderCellRect; NSButton *minButton, *maxButton; } @property int indicatorIndex; @property (retain) NSButton *minButton; @property (retain) NSButton *maxButton; - (int)trackHeight; - (void)setTrackHeight:(int)newTrackHeight; @end unison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Headers/BWTransparentTableView.h0000644006131600613160000000036411361646373033324 0ustar bcpiercebcpierce// // BWTransparentTableView.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTransparentTableView : NSTableView { } @end unison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Headers/BWTransparentSliderCell.h0000644006131600613160000000040711361646373033462 0ustar bcpiercebcpierce// // BWTransparentSliderCell.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTransparentSliderCell : NSSliderCell { BOOL isPressed; } @end unison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Headers/BWAnchoredButtonBar.h0000644006131600613160000000124011361646373032556 0ustar bcpiercebcpierce// // BWAnchoredButtonBar.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWAnchoredButtonBar : NSView { BOOL isResizable, isAtBottom, handleIsRightAligned; int selectedIndex; id splitViewDelegate; } @property BOOL isResizable, isAtBottom, handleIsRightAligned; @property int selectedIndex; // The mode of this bar with a resize handle makes use of some NSSplitView delegate methods. Use the splitViewDelegate for any custom delegate implementations // you'd like to provide. @property (assign) id splitViewDelegate; + (BOOL)wasBorderedBar; @end unison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Headers/BWAnchoredPopUpButton.h0000644006131600613160000000060611361646373033122 0ustar bcpiercebcpierce// // BWAnchoredPopUpButton.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWAnchoredPopUpButton : NSPopUpButton { BOOL isAtLeftEdgeOfBar; BOOL isAtRightEdgeOfBar; NSPoint topAndLeftInset; } @property BOOL isAtLeftEdgeOfBar; @property BOOL isAtRightEdgeOfBar; @end unison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Headers/BWToolkitFramework.h0000644006131600613160000000267011361646373032525 0ustar bcpiercebcpierce// // BWToolkitFramework.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // // This is a convenience header for importing the BWToolkit framework into your classes. #import "BWAnchoredButton.h" #import "BWAnchoredButtonBar.h" #import "BWAnchoredButtonCell.h" #import "BWAnchoredPopUpButton.h" #import "BWAnchoredPopUpButtonCell.h" #import "BWGradientBox.h" #import "BWHyperlinkButton.h" #import "BWHyperlinkButtonCell.h" #import "BWInsetTextField.h" #import "BWSelectableToolbar.h" #import "BWSheetController.h" #import "BWSplitView.h" #import "BWStyledTextField.h" #import "BWStyledTextFieldCell.h" #import "BWTexturedSlider.h" #import "BWTexturedSliderCell.h" #import "BWTokenAttachmentCell.h" #import "BWTokenField.h" #import "BWTokenFieldCell.h" #import "BWToolbarItem.h" #import "BWToolbarShowColorsItem.h" #import "BWToolbarShowFontsItem.h" #import "BWTransparentButton.h" #import "BWTransparentButtonCell.h" #import "BWTransparentCheckbox.h" #import "BWTransparentCheckboxCell.h" #import "BWTransparentPopUpButton.h" #import "BWTransparentPopUpButtonCell.h" #import "BWTransparentScroller.h" #import "BWTransparentScrollView.h" #import "BWTransparentSlider.h" #import "BWTransparentSliderCell.h" #import "BWTransparentTableView.h" #import "BWTransparentTableViewCell.h" #import "BWTransparentTextFieldCell.h" #import "BWUnanchoredButton.h" #import "BWUnanchoredButtonCell.h" unison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Headers/NSTokenAttachment.h0000644006131600613160000000061511361646373032320 0ustar bcpiercebcpierce/* * Generated by class-dump 3.1.2. * * class-dump is Copyright (C) 1997-1998, 2000-2001, 2004-2007 by Steve Nygard. */ #import @interface NSTokenAttachment : NSTextAttachment { id _delegate; } - (id)initWithDelegate:(id)fp8; - (void)encodeWithCoder:(id)fp8; - (id)initWithCoder:(id)fp8; - (id)attachmentCell; - (id)delegate; - (void)setDelegate:(id)fp8; @end unison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Headers/BWHyperlinkButtonCell.h0000644006131600613160000000036211361646373033157 0ustar bcpiercebcpierce// // BWHyperlinkButtonCell.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWHyperlinkButtonCell : NSButtonCell { } @end unison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/0000755006131600613160000000000012050210655027174 5ustar bcpiercebcpierce././@LongLink0000000000000000000000000000015600000000000011567 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentSliderTrackRight.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentSliderTrackR0000644006131600613160000000047411361646373033715 0ustar bcpiercebcpierceMM*>0 L*?0 & &@$,(=RS4iHH././@LongLink0000000000000000000000000000015500000000000011566 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentScrollerKnobLeft.tifunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentScrollerKnob0000644006131600613160000000720011361646373033755 0ustar bcpiercebcpierceMM* P8 BH0  A!\TST24L0J@Ic/D6|hH?T'1z?@ 7J+%*\LdM$7[H0O\ j&R.4@R D<#ja` 2U(12=RS0is H8HHAdobe Photoshop CS4 Macintosh2008:11:02 20:27:55 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000015400000000000011565 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TexturedSliderSpeakerQuiet.pngunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TexturedSliderSpeakerQu0000644006131600613160000000044211361646373033725 0ustar bcpiercebcpiercePNG  IHDR {D!tEXtSoftwareGraphicConverter (Intel)wIDATxb` ī@[GnE754nkj*RVQrSEUU$Z 7<)  RUS] ++{SFAlY( RdhdAJZ򦤔K!X HGOwY7!(fĂ() x PHX"B&OIENDB`././@LongLink0000000000000000000000000000015700000000000011570 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/GradientSplitViewDimpleBitmap.tifunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/GradientSplitViewDimple0000644006131600613160000000674611361646373033711 0ustar bcpiercebcpierceMM*Z6 MX# ,-!A`/bA6N<@@P2*'V^(1f2=Sis HHHAdobe Photoshop CS3 Macintosh2008:02:01 16:09:56 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000015100000000000011562 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentCheckboxOnP.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentCheckboxOnP.0000644006131600613160000000144611361646373033605 0ustar bcpiercebcpierceMM*( P8$ A@ B8 OϤI򅁁 aTo928+(!s\ GtoĒ_0FL ZV*%HK$J1D~l5-4!tT 5A 6 KºP*L a^G [ |<r 7++B=.`. [eXKC2Y-Y**pE^[A0x;`QyV{n7[e|M.7 oҁ4Oh z!nEx[#x&dFm  D@" BT@\y^0gx!$,@%"O\T 1uaZ'B#YRQK,̄/LjYqws: &%H&#`9Ӵ.J&n[zr(dTxfrd#(%S `E<(򁝨ހ& $(=RSiHH././@LongLink0000000000000000000000000000015200000000000011563 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentSliderThumbP.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentSliderThumbP0000644006131600613160000000126011361646373033720 0ustar bcpiercebcpierceMM*  P8 )9 K (#1g.W UZR?O$ pa5]& $UDO S* m6@o6K_pL'~PgµXL@ VGN{pO+3 X}m1xE{3P @$.L:1*.>3y 6(⁞   & (=RSiHH././@LongLink0000000000000000000000000000015100000000000011562 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentCheckboxOnN.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentCheckboxOnN.0000644006131600613160000000141611361646373033600 0ustar bcpiercebcpierceMM* P8$ A zEQg$ISif`@ : `0h5Tj$bZꔊAs\$m6b1T ,A+\q5`V!O'va1(zTV `c ko|.GHk_0'A`tF-{_{á۬0*E6U Ķ+#|xvpG; ۶uRֻJ[Q|.Qs z 9BQ)f" 8nPV+jᒍE~^0q6HFJ܁rg1b @J{gz g  & (=RSiHH././@LongLink0000000000000000000000000000015000000000000011561 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/ButtonBarPullDownArrow.pdfunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/ButtonBarPullDownArrow.0000644006131600613160000002471611361646373033625 0ustar bcpiercebcpierce%PDF-1.7 % 1 0 obj <> endobj 12 0 obj <>stream application/pdf Adobe Photoshop CS3 Macintosh 2008-06-14T20:29:08-04:00 2008-06-14T20:29:31-04:00 2008-06-14T20:29:31-04:00 JPEG 3 5 /9j/4AAQSkZJRgABAgAASABIAAD/7QAMQWRvYmVfQ00AAf/uAA5BZG9iZQBkgAAAAAH/2wCEAAwI CAgJCAwJCQwRCwoLERUPDAwPFRgTExUTExgRDAwMDAwMEQwMDAwMDAwMDAwMDAwMDAwMDAwMDAwM DAwMDAwBDQsLDQ4NEA4OEBQODg4UFA4ODg4UEQwMDAwMEREMDAwMDAwRDAwMDAwMDAwMDAwMDAwM DAwMDAwMDAwMDAwMDP/AABEIAAMABQMBIgACEQEDEQH/3QAEAAH/xAE/AAABBQEBAQEBAQAAAAAA AAADAAECBAUGBwgJCgsBAAEFAQEBAQEBAAAAAAAAAAEAAgMEBQYHCAkKCxAAAQQBAwIEAgUHBggF AwwzAQACEQMEIRIxBUFRYRMicYEyBhSRobFCIyQVUsFiMzRygtFDByWSU/Dh8WNzNRaisoMmRJNU ZEXCo3Q2F9JV4mXys4TD03Xj80YnlKSFtJXE1OT0pbXF1eX1VmZ2hpamtsbW5vY3R1dnd4eXp7fH 1+f3EQACAgECBAQDBAUGBwcGBTUBAAIRAyExEgRBUWFxIhMFMoGRFKGxQiPBUtHwMyRi4XKCkkNT FWNzNPElBhaisoMHJjXC0kSTVKMXZEVVNnRl4vKzhMPTdePzRpSkhbSVxNTk9KW1xdXl9VZmdoaW prbG1ub2JzdHV2d3h5ent8f/2gAMAwEAAhEDEQA/AMyv7J+2b4/YW79s0z/Sdm708jbz7Ps3qb/5 v9X+2/zv6r6KS89SSU//2Q== uuid:3233F5DEE23BDD1188A5F807AAD5B5AB uuid:d364bcf4-ecbc-9348-b5a9-7f85a6b611f5 uuid:72448EAFE13BDD1188A5F807AAD5B5AB uuid:72448EAFE13BDD1188A5F807AAD5B5AB 1 720000/10000 720000/10000 2 256,257,258,259,262,274,277,284,530,531,282,283,296,301,318,319,529,532,306,270,271,272,305,315,33432;5F3E335AFF780C9D7CD7E1ADA05DBE38 5 3 1 36864,40960,40961,37121,37122,40962,40963,37510,40964,36867,36868,33434,33437,34850,34852,34855,34856,37377,37378,37379,37380,37381,37382,37383,37384,37385,37386,37396,41483,41484,41486,41487,41488,41492,41493,41495,41728,41729,41730,41985,41986,41987,41988,41989,41990,41991,41992,41993,41994,41995,41996,42016,0,2,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18,20,22,23,24,25,26,27,28,30;DECD3C4701D62E29B6EB81157F585A9F 3 sRGB IEC61966-2.1 Adobe Photoshop for Macintosh endstream endobj 2 0 obj <> endobj 5 0 obj <> endobj 7 0 obj <>stream q q 5 0 0 3 0 0 cm q 0.5000026 -0.0002287 m 0.0000771 1.0002303 l 0.9999280 1.0002303 l 0.5000026 -0.0002287 l h W n /Im0 Do Q Q Q endstream endobj 8 0 obj <>/ColorSpace<>/ProcSet[/PDF/Text/ImageB/ImageC/ImageI]/ExtGState<>>>>> endobj 10 0 obj [/ICCBased 9 0 R] endobj 9 0 obj <>stream HyTSwoɞc [5, BHBK!aPVX=u:XKèZ\;v^N߽~w.MhaUZ>31[_& (DԬlK/jq'VOV?:OsRUzdWRab5? Ζ&VϳS7Trc3MQ]Ymc:B :Ŀ9ᝩ*UUZ<"2V[4ZLOMa?\⎽"?.KH6|zӷJ.Hǟy~Nϳ}Vdfc n~Y&+`;A4I d|(@zPZ@;=`=v0v <\$ x ^AD W P$@P>T !-dZP C; t @A/a<v}a1'X Mp'G}a|OY 48"BDH4)EH+ҍ "~rL"(*DQ)*E]a4zBgE#jB=0HIpp0MxJ$D1(%ˉ^Vq%],D"y"Hi$9@"m!#}FL&='dr%w{ȟ/_QXWJ%4R(cci+**FPvu? 6 Fs2hriStݓ.ҍu_џ0 7F4a`cfb|xn51)F]6{̤0]1̥& "rcIXrV+kuu5E4v}}Cq9JN')].uJ  wG x2^9{oƜchk`>b$eJ~ :Eb~,m,-Uݖ,Y¬*6X[ݱF=3뭷Y~dó Qti zf6~`{v.Ng#{}}c1X%6fmFN9NN8SΥ'g\\R]Z\t]\7u}&ps[6v_`) {Q5W=b _zžAe#``/VKPo !]#N}R|:|}n=/ȯo#JuW_ `$ 6+P-AܠԠUA' %8佐b8]+<q苰0C +_ XZ0nSPEUJ#JK#ʢi$aͷ**>2@ꨖОnu&kj6;k%G PApѳqM㽦5͊---SbhZKZO9uM/O\^W8i׹ĕ{̺]7Vھ]Y=&`͖5_ Ыbhו ۶^ Mw7n<< t|hӹ훩' ZL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km  endstream endobj 6 0 obj <>stream endstream endobj 11 0 obj <> endobj xref 0 13 0000000003 65535 f 0000000016 00000 n 0000006676 00000 n 0000000004 00001 f 0000000000 00000 f 0000006727 00000 n 0000009859 00000 n 0000006851 00000 n 0000007032 00000 n 0000007211 00000 n 0000007177 00000 n 0000010121 00000 n 0000000077 00000 n trailer <<10B89CB6AA9C4EF8AF41B07220157CA1>]>> startxref 10293 %%EOF ././@LongLink0000000000000000000000000000015000000000000011561 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentPopUpLeftP.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentPopUpLeftP.t0000644006131600613160000000105411361646373033617 0ustar bcpiercebcpierceMM*. P0H% EtZ. @X" PdY|g'@# /7@ʕZ8t҉L+ZF]ԣTEAh4*4aQgvf $̿GF% oGXx`/k ]PpY񗅢^ $k Z>hB @+qo7鈘CTֳ%p_|7ܪ10Dp@ 'Ű0 Fp  &U(=RS$iHH././@LongLink0000000000000000000000000000015000000000000011561 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentPopUpLeftN.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentPopUpLeftN.t0000644006131600613160000000105411361646373033615 0ustar bcpiercebcpierceMM*. P02 C>p@ JAlzL%,Lu*G0qܤ/+)ˊ9Yi98h.،&J>u>tzh61 B`. {Dؼ 'Ű0 H@p0 &U(=RS$iHH././@LongLink0000000000000000000000000000016500000000000011567 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentScrollerKnobVerticalFill.tifunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentScrollerKnob0000644006131600613160000000676411361646373033773 0ustar bcpiercebcpierceMM*X Ip=P-|D@B%|ѰR^<Ȁ Z2 &bj(1r2=RSis HHHAdobe Photoshop CS3 Macintosh2008:09:06 02:10:41 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000015000000000000011561 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentPopUpFillP.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentPopUpFillP.t0000644006131600613160000000057411361646373033621 0ustar bcpiercebcpierceMM*~-W ]2NɤA$K#Q4%GZ CO4?Nv;M#n7LQg33 #\&Xdl(=RStiHH././@LongLink0000000000000000000000000000015200000000000011563 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentButtonRightP.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentButtonRightP0000644006131600613160000000137611361646373033757 0ustar bcpiercebcpierceMM* +Uu6[-vIg,v ,F_v8M'@,JAK5m.E>^Î?cĢY4``1}Te^cA$KPk@H*Q56f/g(zM'[x=o<Ѩ:,uQh} Q"a 2Ba@Ux%Rh CnR7V{Z/ $I?k@ `1Dyz=r4Ph4" M1s;Sp<7A$zn9qxfPپȘ5s @6{RGd9:#(5 M(>!(e-8n C 3h:rS:8g2Cl( .p'0\塺ᜎIXW rY}3yd9&j8l#ZȎ='+X(0  & (=RSiHH././@LongLink0000000000000000000000000000015000000000000011561 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentPopUpFillN.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentPopUpFillN.t0000644006131600613160000000057011361646373033613 0ustar bcpiercebcpierceMM*zOhZ.0bR*.rАH%,D""x<)Ҁd2&BbHL(#fD@tԂ S|:A4} 0X&S`h(=RSpiHH././@LongLink0000000000000000000000000000015200000000000011563 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentButtonRightN.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentButtonRightN0000644006131600613160000000140611361646373033747 0ustar bcpiercebcpierceMM* +Uu6[-vIg,v ,F_v84 0P‚A 2y<˅dg3qz8* ^1$1bLT0WՌq EE%t"qHnL%Sbx& U^0DQ8iCbϗ\JX@[6T!|@U&@%,P %9f7҆Q%C!7}]A dZ5$iPXϢxc*c(GOd20Ǻ h: E|]̡L4@pv$!Gd9: d<HR4A(e-8nQzćx¸*9FnEN JZg"n8g#RxV~kFgIc|ᰎjD#8v#"8o#=.b8|8z#2LJ & (=RSiHH././@LongLink0000000000000000000000000000015600000000000011567 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentScrollerSlotRight.tifunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentScrollerSlot0000644006131600613160000000717611361646373034021 0ustar bcpiercebcpierceMM* Chu]0W0,}F^V ( ^ҷ JyN@d3?CG GELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Kmunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/Info.plist0000644006131600613160000000125711361646373031167 0ustar bcpiercebcpierce CFBundleDevelopmentRegion English CFBundleExecutable BWToolkitFramework CFBundleIdentifier com.brandonwalkin.BWToolkitFramework CFBundleInfoDictionaryVersion 6.0 CFBundlePackageType FMWK CFBundleSignature ???? CFBundleVersion 1.2.5 NSPrincipalClass BWToolkit unison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/ToolbarItemFonts.tiff0000644006131600613160000000561411361646373033325 0ustar bcpiercebcpierceMM* P8$ BaPd6DbQ8p,"F])HdP`䕴"޲܎]/A3nlrOO*c?DT0RB.bO#jU8H:vVP`_g8CjD6.wYSmk7@7qCg5{Dk U"9X}2;La0z\!6BaI=zzpgڮ$' Kߜ W!8:{Ht*CuDMb\)2r_J|%ΫqwrC 4<*?Q /,9''* q Fxx-1eL 7#gQ/r3D'|坣LMI \."7r:*B:PwQ.d%n '+\H%gYB' Poͨc1DFtQHO~0dH(\H2]̏F\2=ιZ H0FmX]3_֪VH ,Uc@Du 0"L_HJYD0kl!a4P_1_ )@g}46iWUOzÀO gOG1$9$wNF/yz@bbP @ GN@@ 2 (12=RS,is H4HHAdobe Photoshop CS3 Macintosh2008:09:06 02:03:44 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000015100000000000011562 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentButtonLeftP.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentButtonLeftP.0000644006131600613160000000125411361646373033645 0ustar bcpiercebcpierceMM*  P8$Aca~.F"q8J h1 Q03s8 ? toW5G$39fGڭH!!S@דZ@j6ʎ' i@i.[x$VQ0*^KmS<yeEf+I%H{ӣ0Pa1S~|$@c2j` Oj, 1Wa.Elr EJ|=FPPD @va>@ 5>]!@PLl`3Wd4O3) `,("@.znS= bN ʸ/'Bsv;/',1 ǒڂ@q `}gn\%!C~h ; 4 8 1sLdA4e@z_)*`PaPVa FhNni ʴ0 ,IAN{Oy`tA `(h6 \sp+I%H:pK8nKUz]3h $E8u<ٌJb0 , I ju6KFj.(bb.eQRSfAb1mhd BB@mj9mFsj `0rpb H ` @j a `'6: @Z `J  & (=RSiHH././@LongLink0000000000000000000000000000015400000000000011565 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentScrollerSlotTop.tifunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentScrollerSlot0000644006131600613160000000717011361646373034013 0ustar bcpiercebcpierceMM*  P8  p0T v07- ѰH< '>eOxr!@`6h |'O03֌yR^p6l 7!jO=? ]~@ Nm@ hHozV4^tg1w@ *Cq]ں>A 2 (12=RS(is H0HHAdobe Photoshop CS3 Macintosh2008:09:06 02:04:47 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000015200000000000011563 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TexturedSliderPhotoLarge.tifunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TexturedSliderPhotoLarg0000644006131600613160000000117211361646373033725 0ustar bcpiercebcpierceMM*| OT2 Db0 6 DBR_O@ Q#/lU4mQ8);$D[w@M@^ [)|e.?ֆ: ?= @ ۧAr͂ 6HD۰Z٠$_j4}8@>y!d^+C0/$2 A J$$BGP2$( 1#. I  Z&Vbj(=RSriHH././@LongLink0000000000000000000000000000014700000000000011567 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TexturedSliderThumbN.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TexturedSliderThumbN.ti0000644006131600613160000000153011361646373033634 0ustar bcpiercebcpierceMM*  P8J L"8a!6,gFS HG"'e@0J>0Pa1S~|$@c2j` Oj, 1Wa.Elr EJ|=FPPD @v)d@Lf5vAs<2X,M$kc⭠w;k%OCX0/@V> $Psv;/', hc}npePi( @6hsfP^ F #XTH@ %In`)*~K: `X ggAasm [?AYCˑkg1piR8v  2 (12<=RSPiHHAdobe Photoshop CS3 Macintosh2008:03:22 17:01:03unison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/License.rtf0000644006131600613160000000434711361646373031321 0ustar bcpiercebcpierce{\rtf1\ansi\ansicpg1252\cocoartf1038\cocoasubrtf250 {\fonttbl\f0\fnil\fcharset0 Verdana;\f1\fnil\fcharset0 LucidaGrande;} {\colortbl;\red255\green255\blue255;\red73\green73\blue73;} {\*\listtable{\list\listtemplateid1\listhybrid{\listlevel\levelnfc23\levelnfcn23\leveljc0\leveljcn0\levelfollow0\levelstartat1\levelspace360\levelindent0{\*\levelmarker \{disc\}}{\leveltext\leveltemplateid1\'01\uc0\u8226 ;}{\levelnumbers;}\fi-360\li720\lin720 }{\listname ;}\listid1}} {\*\listoverridetable{\listoverride\listid1\listoverridecount0\ls1}} \deftab720 \pard\pardeftab720\sl400\sa280\ql\qnatural \f0\fs24 \cf2 Copyright (c) 2010, Brandon Walkin \f1 \uc0\u8232 \f0 All rights reserved.\ Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met:\ \pard\tx220\tx720\pardeftab720\li720\fi-720\sl400\sa20\ql\qnatural \ls1\ilvl0\cf2 {\listtext \'95 }Redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer.\ {\listtext \'95 }Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution.\ {\listtext \'95 }Neither the name of the Brandon Walkin nor the names of its contributors may be used to endorse or promote products derived from this software without specific prior written permission.\ \pard\pardeftab720\sl400\sa280\ql\qnatural \cf2 THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.}././@LongLink0000000000000000000000000000016700000000000011571 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentScrollerSlotHorizontalFill.tifunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentScrollerSlot0000644006131600613160000000676611361646373034025 0ustar bcpiercebcpierceMM*Z Cp~ f3 FaȠ=Pp@ \2'dl(1t2=RSis HHHAdobe Photoshop CS4 Macintosh2008:11:02 20:23:10 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000015100000000000011562 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentButtonFillP.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentButtonFillP.0000644006131600613160000000057411361646373033645 0ustar bcpiercebcpierceMM*~-W ]2NɤA$K#Q4%GZ CO4?Nv;M#n7LQg33 #\&Xdl(=RStiHH././@LongLink0000000000000000000000000000015200000000000011563 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentCheckboxOffP.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentCheckboxOffP0000644006131600613160000000107611361646373033664 0ustar bcpiercebcpierceMM*@ P8$ BaP@! L*M34.-IQho/d^\&ABK$J1D~l5-} ( 0#M[.W Q0O,F%b5aWj(zC! U rx[]%"!(z_^KGGUʅFF.O) zRQgRx-VjsvaL&K&XA$L8 16 ~ tE[-2G d@0?o& $&.(=RS6iHH././@LongLink0000000000000000000000000000016000000000000011562 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentPopUpPullDownRightP.tifunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentPopUpPullDow0000644006131600613160000000147011361646373033733 0ustar bcpiercebcpierceMM*-W  BaPd6{=_ 6ARmi%):M'BR( @pau@LY4hTh4nvH$jV*\N2#Q4^g "a,A6"Qh}C F qCw|$^1 / a1q>h:z^.$aGYbGe\p91gWv@Lf+ tCajӔt;|\v< 1gSvp7va3Zv H\Yv;dZF-ldtĒN,7C%"@&X5t `(,X3CT €ɐ  Ø2 <6DD? 1j :PT_)FD ꄈ(hHDjEg묤999ڃȃ9惝<2(12=RS0iHHAdobe Photoshop CS3 Macintosh2008:07:16 04:33:00././@LongLink0000000000000000000000000000015100000000000011562 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentButtonFillN.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentButtonFillN.0000644006131600613160000000057011361646373033637 0ustar bcpiercebcpierceMM*z-W Z.0bR*.rАH%,D""x<)Ҁd2&BbHL(#fD@tԂ S|:A4} 0X&S`h(=RSpiHH././@LongLink0000000000000000000000000000015200000000000011563 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentCheckboxOffN.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentCheckboxOffN0000644006131600613160000000110211361646373033650 0ustar bcpiercebcpierceMM*D P8$ BaP@! L*M34.-IQh"EW#//Cau& Q#_gZzaGQSi(ΚV@ dN8jfI-Z%U$G MMJd0iq>9_<]+"p TwcI fX*:V?C,oB" KlIDÉso J[Ku!`c(;x6D  | ``n"& $*2(=RS:iHH././@LongLink0000000000000000000000000000016000000000000011562 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentPopUpPullDownRightN.tifunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentPopUpPullDow0000644006131600613160000000145211361646373033733 0ustar bcpiercebcpierceMM*Oh BaPd6|n b0nw; E :M'BP(2 a@9RR,#fV,/hT:|@!@VQ "W@" GQ)XZ@2dLBbA jQ rآWD"" (,»<8ilacCB"Q3T0K4mF`_11y6A'\.M&q PELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000016200000000000011564 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentSliderTriangleThumbP.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentSliderTriang0000644006131600613160000000240211361646373033744 0ustar bcpiercebcpierceMM* P0N'&C9F# `8Vnie4lڑhE(I"MgOñJ⊊U*ŒI d*D`0T'mxj_v2cN0K$kP&T^fWFZfA506Ta__;,aQ1vq8QrPF].VZϙfpYx[,p6TT_1W*x;9} 6AE!p&T9% V\500ؿXRU5 ȧH#=Hg>` fUgœ aC@80Fz98* at (1e#&i>TBH_%F2d- Q3SL-ˈ&(=RS҇is(HH(ADBEmntrRGB XYZ acspAPPLnone-ADBE cprt2desc0dwtptbkptrTRCgTRCbTRCrXYZgXYZbXYZtextCopyright 1999 Adobe Systems Incorporateddesc Apple RGBXYZ QXYZ curvcurvcurvXYZ yARXYZ V/XYZ &"p././@LongLink0000000000000000000000000000015600000000000011567 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentScrollerKnobRight.tifunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentScrollerKnob0000644006131600613160000000721411361646373033762 0ustar bcpiercebcpierceMM* I0CQ6,eF]Ḳ았+\CZ1g7fD@)%?2(NpNgQE45yJ:,_blUX&Z@ bo@ ټ:W7YŃA%Bqc9ւ߭{H$L>v aPȌB# 2U(1 2(=RSELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000016200000000000011564 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentSliderTriangleThumbN.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentSliderTriang0000644006131600613160000000237011361646373033750 0ustar bcpiercebcpierceMM* P0N'&C9F# `8Vnie4lڑhE(߯/I&Q0 'إqEE*b$hdgOT_xW*6TZ\/KOEHRH M8f-e@jKE0v4%@1Q~U*|U)[B*.R~D|r`>F"WHiEEJrhvD >#|H!=B0{R& mhrKVic +\ &c OV @M=AhՀ b;. Y&"\ftTEdaQ 4r( f䢁D!r12&(=RSȇis(HH(ADBEmntrRGB XYZ acspAPPLnone-ADBE cprt2desc0dwtptbkptrTRCgTRCbTRCrXYZgXYZbXYZtextCopyright 1999 Adobe Systems Incorporateddesc Apple RGBXYZ QXYZ curvcurvcurvXYZ yARXYZ V/XYZ &"p././@LongLink0000000000000000000000000000015100000000000011562 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/Library-SheetController.tifunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/Library-SheetController0000644006131600613160000001605211361646373033657 0ustar bcpiercebcpierceMM*00 P8$ BaPd6DbQ8V-FcQv* cax ''# E _;M-)|-v=OT`B0bA C8 '}?@.7j?G$pͦ+`_fϩdrP1`>0A1]>=^@*PF@``X+?^\`dv4 H%WϭF兓D{ Krpdp` j~KYZZk{ajdyd@{^`IRIpz @d  w`p A`YAhк܇h2,0(spqI $r'f zB,y@P& m G J Sb4.,&+Hٯv^i`9x{1/fQVQ('"0u( GN/ uRSUDV̋Y.:.-G`Ix =C(p#`&uheMHD R9b vUr'Y^s2|_&^eZyΘ*Š6EJb((^ 6t{͸. nG(+ V&JS+Q{]hVV 4_+TEzf/~6N`.É&||@BC0y@ʀ>xL{ Fewh1dTn|@Pս*'p)-MPaЇ:d A(#.R 88! p9& BCpmH˹o B.e+F!H M 64#=#"i.P:GhPNrL{xq"b@ C xQvD` ~F3Y'#4E:XR;x-@ `c=lS/! gH\ü7\Lix|0EIg*L(T)BPNE AT#D@X#7q];9 U  f͂NS/K̊`r :xi<hiԨI4M 7D#~0 It 6@!>+9vhP,_`o!4`S ,7P= cH@蹳B0.bx5hȼ2:D4[*z@!17$XAVA$H`s 4LX<0 G&|bj}.^@ 1ӂe?xo*L]-N{4M2-ț)Lxr\gk KmP IZRFT"PV*r512^ p. ~ vsR&dF !m&ISg62g{2LK0r718ӌDI $32NBfn3r&& @j4a$J@sE]&eS&6^0&w0I8 *!  " K譴$):#_2k.CP `&@܅ op S4_.3%FfXw_%?2:gDZ`aHF A hFDRB1+EoS373s h VРf fMMn 6sHn2oFs?w?KGî!Q^VI d~9CBt2u(~~вn.5< jf%D@@xj`NESNs.j&n^v!Ak"Q 5"5%JRҶ"1S4 ri&/C[0v@@`Zj<AV&G]`@&:\A'#BR e)ρa4:Rb'Vj$bv-'ϯaRraS:'pZUS6)O(pmV2"002\(12=RSڇis HHHAdobe Photoshop CS3 Macintosh2008:07:04 16:58:08 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000015200000000000011563 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TexturedSliderTrackLeft.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TexturedSliderTrackLeft0000644006131600613160000000060211361646373033702 0ustar bcpiercebcpierceMM* Bp<PXGTTp4B %/1&MJG0^\? BR5dc|"~f,&  C@@b&U]jr(=RSziHH././@LongLink0000000000000000000000000000015500000000000011566 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentSliderTrackLeft.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentSliderTrackL0000644006131600613160000000047411361646373033707 0ustar bcpiercebcpierceMM*>`ES\0& &@$,(=RS4iHH././@LongLink0000000000000000000000000000016500000000000011567 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentScrollerSlotVerticalFill.tifunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentScrollerSlot0000644006131600613160000000676211361646373034021 0ustar bcpiercebcpierceMM*V  Cp=PL}FAx X2 #`h(1p2=RSis HHHAdobe Photoshop CS3 Macintosh2008:09:06 02:10:16 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000015200000000000011563 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TexturedSliderPhotoSmall.tifunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TexturedSliderPhotoSmal0000644006131600613160000000072411361646373033736 0ustar bcpiercebcpierceMM* P8$ BaPd6DbQ8(o`j5?r4 xAʘ`ɣ_7@Te2\ndg)-u9<胚_,OmvZѩ=W@@ DW#@4G-faP &(=RṠiHH././@LongLink0000000000000000000000000000015100000000000011562 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentPopUpRightP.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentPopUpRightP.0000644006131600613160000000145611361646373033624 0ustar bcpiercebcpierceMM*0-W  BaPd6{=_ 6ARmi%):M'BR( @pau@LY4hTh4nvH$jV*\N2#Q4^gr  EY lD|pY`b26 F Cuwt\ǎw3. $r9%0i8ht=]qEJ&AyWGATx<o& z=UPv&R:R j +p8c쫢cu'H6 +G(t\$-7Ct8>lf.&h0 ' $ Bh #X71sBπ(::QQ H$" (hHDjEg919ڃ@9惝K34r?p.DL&$,(=RS4iHH././@LongLink0000000000000000000000000000015700000000000011570 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/GradientSplitViewDimpleVector.pdfunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/GradientSplitViewDimple0000644006131600613160000002662311361646373033705 0ustar bcpiercebcpierce%PDF-1.7 % 1 0 obj <> endobj 12 0 obj <>stream application/pdf Adobe Photoshop CS3 Macintosh 2008-02-16T21:30:46-05:00 2008-02-16T21:30:59-05:00 2008-02-16T21:30:59-05:00 JPEG 16 16 /9j/4AAQSkZJRgABAgAASABIAAD/7QAMQWRvYmVfQ00AAf/uAA5BZG9iZQBkgAAAAAH/2wCEAAwI CAgJCAwJCQwRCwoLERUPDAwPFRgTExUTExgRDAwMDAwMEQwMDAwMDAwMDAwMDAwMDAwMDAwMDAwM DAwMDAwBDQsLDQ4NEA4OEBQODg4UFA4ODg4UEQwMDAwMEREMDAwMDAwRDAwMDAwMDAwMDAwMDAwM DAwMDAwMDAwMDAwMDP/AABEIABAAEAMBIgACEQEDEQH/3QAEAAH/xAE/AAABBQEBAQEBAQAAAAAA AAADAAECBAUGBwgJCgsBAAEFAQEBAQEBAAAAAAAAAAEAAgMEBQYHCAkKCxAAAQQBAwIEAgUHBggF AwwzAQACEQMEIRIxBUFRYRMicYEyBhSRobFCIyQVUsFiMzRygtFDByWSU/Dh8WNzNRaisoMmRJNU ZEXCo3Q2F9JV4mXys4TD03Xj80YnlKSFtJXE1OT0pbXF1eX1VmZ2hpamtsbW5vY3R1dnd4eXp7fH 1+f3EQACAgECBAQDBAUGBwcGBTUBAAIRAyExEgRBUWFxIhMFMoGRFKGxQiPBUtHwMyRi4XKCkkNT FWNzNPElBhaisoMHJjXC0kSTVKMXZEVVNnRl4vKzhMPTdePzRpSkhbSVxNTk9KW1xdXl9VZmdoaW prbG1ub2JzdHV2d3h5ent8f/2gAMAwEAAhEDEQA/AOpzLsjqlznPeRjgkV1DQR+8795zksO7J6Xc xzHk45IFlR1EfvN/dc1XLcN+FY5rmn0STseOI8ClVhvzbGta0+kCC954jwCSn//Z uuid:7750097D68DEDC11BB92BDC6FD4C7FBA uuid:d55aa6fe-4f87-9045-bedc-eced5d1cc5dd uuid:7650097D68DEDC11BB92BDC6FD4C7FBA uuid:7650097D68DEDC11BB92BDC6FD4C7FBA 1 720000/10000 720000/10000 2 256,257,258,259,262,274,277,284,530,531,282,283,296,301,318,319,529,532,306,270,271,272,305,315,33432;6484DE694EED10FCB1360A97BFC32F0A 16 16 1 36864,40960,40961,37121,37122,40962,40963,37510,40964,36867,36868,33434,33437,34850,34852,34855,34856,37377,37378,37379,37380,37381,37382,37383,37384,37385,37386,37396,41483,41484,41486,41487,41488,41492,41493,41495,41728,41729,41730,41985,41986,41987,41988,41989,41990,41991,41992,41993,41994,41995,41996,42016,0,2,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18,20,22,23,24,25,26,27,28,30;26EC271C894309D0BBA2E3379EE65237 3 sRGB IEC61966-2.1 Adobe Photoshop for Macintosh endstream endobj 2 0 obj <> endobj 5 0 obj <> endobj 7 0 obj <>stream q q 16 0 0 16 0 0 cm q 0.4999998 1.0000093 m 0.7761371 1.0000093 1.0000090 0.7761374 1.0000090 0.5000001 c 1.0000090 0.2238628 0.7761371 -0.0000091 0.4999998 -0.0000091 c 0.2238625 -0.0000091 -0.0000094 0.2238628 -0.0000094 0.5000001 c -0.0000094 0.7761374 0.2238625 1.0000093 0.4999998 1.0000093 c h W* n /Im0 Do Q Q Q endstream endobj 8 0 obj <>/ColorSpace<>/ProcSet[/PDF/Text/ImageB/ImageC/ImageI]/ExtGState<>>>>> endobj 10 0 obj [/ICCBased 9 0 R] endobj 9 0 obj <>stream HyTSwoɞc [5, BHBK!aPVX=u:XKèZ\;v^N߽~w.MhaUZ>31[_& (DԬlK/jq'VOV?:OsRUzdWRab5? Ζ&VϳS7Trc3MQ]Ymc:B :Ŀ9ᝩ*UUZ<"2V[4ZLOMa?\⎽"?.KH6|zӷJ.Hǟy~Nϳ}Vdfc n~Y&+`;A4I d|(@zPZ@;=`=v0v <\$ x ^AD W P$@P>T !-dZP C; t @A/a<v}a1'X Mp'G}a|OY 48"BDH4)EH+ҍ "~rL"(*DQ)*E]a4zBgE#jB=0HIpp0MxJ$D1(%ˉ^Vq%],D"y"Hi$9@"m!#}FL&='dr%w{ȟ/_QXWJ%4R(cci+**FPvu? 6 Fs2hriStݓ.ҍu_џ0 7F4a`cfb|xn51)F]6{̤0]1̥& "rcIXrV+kuu5E4v}}Cq9JN')].uJ  wG x2^9{oƜchk`>b$eJ~ :Eb~,m,-Uݖ,Y¬*6X[ݱF=3뭷Y~dó Qti zf6~`{v.Ng#{}}c1X%6fmFN9NN8SΥ'g\\R]Z\t]\7u}&ps[6v_`) {Q5W=b _zžAe#``/VKPo !]#N}R|:|}n=/ȯo#JuW_ `$ 6+P-AܠԠUA' %8佐b8]+<q苰0C +_ XZ0nSPEUJ#JK#ʢi$aͷ**>2@ꨖОnu&kj6;k%G PApѳqM㽦5͊---SbhZKZO9uM/O\^W8i׹ĕ{̺]7Vھ]Y=&`͖5_ Ыbhו ۶^ Mw7n<< t|hӹ훩' ZL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km  endstream endobj 6 0 obj <>stream rrruuuyyy~~~~~~yyyuuurrrwww||||||www}}}}}}¿úżżĺǿ¾ endstream endobj 11 0 obj <> endobj xref 0 13 0000000003 65535 f 0000000016 00000 n 0000006720 00000 n 0000000004 00001 f 0000000000 00000 f 0000006771 00000 n 0000010096 00000 n 0000006899 00000 n 0000007269 00000 n 0000007448 00000 n 0000007414 00000 n 0000011086 00000 n 0000000077 00000 n trailer <<4866DB5336014798BED9528D03CDD3B2>]>> startxref 11258 %%EOF unison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/ToolbarItemColors.tiff0000644006131600613160000001243211361646373033471 0ustar bcpiercebcpierceMM* P8$ BaPd6DbQ8V-@@@$,  0@];]N%.b@xg ġN#a`2H|=Kr8/vcj3Zmh@ yGA`P&9˄apP$@ࠈ wooA_]0QJޏGKZX96!ۮ1 DJ Pf?@}xu$@Fzfɜux:AH`MЂ' 0.&~ } @I}Gqv za~#n)IxKCh8J @PBqY! ,@ X,o=G^҉3Cs0r_)Gg~dl9qt@, 9^  9qt h +A1zI!{Ɏe2ÜJsrc>\1d>o%Q _%= 5D 8NY `2h(# P ~ ]u >Zr0h @>XiB)f*7  Y(xOI?P n`@EP40,d~&eUt\PXßv~єfǹ `! X<42!AQn/8ʏ `ݱ}rKGYs'tox@N>rG pCA~" GByg:G5$&Qc>\`9` qsL7'XwA4DC>  ": m6}1VjQPp@ Hx2=cS,t<⹀&/E"PH33 d,EpaXC6$N bX 9sK.FR]vp'Zc)'OoKC* EB|C ! @ &D/H7!|Fd(G,때z.<[9Ps`8p+Ckb@ w  fQ<&D='D[:9d(y%Aw=S}.*RLqhtIv m*[x} DDx;pR >d87V[xl ;:|5QM# RD{ < du5&{Q2,`qЈd$<u!FRp~`2?O@UTr&UҊ@ x$@;W5U0?t#et-k TA< . ,ɊYg?J)ԢɈHv@ՎjNC1ʇN J7Hn  X.A0`y -Y5SD♫ RGgLSؗG/"BtN` "JC,MqT@$Lq w <"0=Ă6, -n@ŤYwanO;Bm e@!aK8I$ØF$(B @C " `?ysx X p5ʀϟ3Rx | ~|@N01l@Bb?q7@(c_J C[R3O_^ >h*8>"(l)A4@@ C `2}MIzSF)X.1L%)8P¼K^70e*B'8b!0fqd '3 m%C@,x=`j%ƟL<LA @+ `` tO"`{2@N0"t .D,!pHH- H A~ @0`l.ݐ zXk؅"gh$+6bH>P@ro, n"c*"4ʤ!?zI'"O!ovG'#k knPPgJV kG9m@ǂ & #  P 6pt KJ'ĹR슐 U(12=RSs(HHAdobe Photoshop CS3 Macintosh2008:09:08 11:59:57(ADBEmntrRGB XYZ acspAPPLnone-ADBE cprt2desc0dwtptbkptrTRCgTRCbTRCrXYZgXYZbXYZtextCopyright 1999 Adobe Systems Incorporateddesc Apple RGBXYZ QXYZ curvcurvcurvXYZ yARXYZ V/XYZ &"p././@LongLink0000000000000000000000000000015300000000000011564 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TexturedSliderSpeakerLoud.pngunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TexturedSliderSpeakerLo0000644006131600613160000000075311361646373033717 0ustar bcpiercebcpiercePNG  IHDR r|!tEXtSoftwareGraphicConverter (Intel)wIDATxb` Uo`p/ghdدooUMmm&m)__Nmu%Q4hhTb_]S(S`QEeESTeU***72`&5qqɡ=FFFn""i  Z5qDGgϙmzAVV , MN.MftYes RR7%oJJk]\PPPYb7AXB˗ff+6544 %@EDEn0ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000015400000000000011565 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentScrollerKnobTop.tifunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentScrollerKnob0000644006131600613160000000722211361646373033761 0ustar bcpiercebcpierceMM*  P8 @P\O%_PX,6M$ tW' %@<֘;W7l?P0X&|޸7 Z؋,R5,JfGN<F9NiV4 2 (12.=RSBis HJHHAdobe Photoshop CS3 Macintosh2008:09:06 02:01:14 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000016700000000000011571 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentScrollerKnobHorizontalFill.tifunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/TransparentScrollerKnob0000644006131600613160000000676611361646373033775 0ustar bcpiercebcpierceMM*Z I|3жa4DY0fPsXO@@ \2'dl(1t2=RSis HHHAdobe Photoshop CS4 Macintosh2008:11:02 20:27:32 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Kmunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Resources/Release Notes.rtf0000644006131600613160000001005211361646373032356 0ustar bcpiercebcpierce{\rtf1\ansi\ansicpg1252\cocoartf1038\cocoasubrtf250 {\fonttbl\f0\fswiss\fcharset0 Helvetica;\f1\fnil\fcharset0 Monaco;} {\colortbl;\red255\green255\blue255;\red100\green56\blue32;\red196\green26\blue22;} {\*\listtable{\list\listtemplateid1\listhybrid{\listlevel\levelnfc23\levelnfcn23\leveljc0\leveljcn0\levelfollow0\levelstartat1\levelspace360\levelindent0{\*\levelmarker \{disc\}}{\leveltext\leveltemplateid1\'01\uc0\u8226 ;}{\levelnumbers;}\fi-360\li720\lin720 }{\listname ;}\listid1} {\list\listtemplateid2\listhybrid{\listlevel\levelnfc23\levelnfcn23\leveljc0\leveljcn0\levelfollow0\levelstartat1\levelspace360\levelindent0{\*\levelmarker \{disc\}}{\leveltext\leveltemplateid101\'01\uc0\u8226 ;}{\levelnumbers;}\fi-360\li720\lin720 }{\listname ;}\listid2} {\list\listtemplateid3\listhybrid{\listlevel\levelnfc23\levelnfcn23\leveljc0\leveljcn0\levelfollow0\levelstartat1\levelspace360\levelindent0{\*\levelmarker \{disc\}}{\leveltext\leveltemplateid201\'01\uc0\u8226 ;}{\levelnumbers;}\fi-360\li720\lin720 }{\listname ;}\listid3}} {\*\listoverridetable{\listoverride\listid1\listoverridecount0\ls1}{\listoverride\listid2\listoverridecount0\ls2}{\listoverride\listid3\listoverridecount0\ls3}} \pard\tx566\tx1133\tx1700\tx2267\tx2834\tx3401\tx3968\tx4535\tx5102\tx5669\tx6236\tx6803\ql\qnatural\pardirnatural \f0\b\fs54 \cf0 BWToolkit \fs36 \ \b0 Plugin for Interface Builder 3\ \b \ \pard\tx566\tx1133\tx1700\tx2267\tx2834\tx3401\tx3968\tx4535\tx5102\tx5669\tx6236\tx6803\ql\qnatural\pardirnatural \b0\fs30 \cf0 Version 1.2.5\ January 20, 2010\ \pard\tx566\tx1133\tx1700\tx2267\tx2834\tx3401\tx3968\tx4535\tx5102\tx5669\tx6236\tx6803\ql\qnatural\pardirnatural \fs32 \cf0 \ \ \pard\tx566\tx1133\tx1700\tx2267\tx2834\tx3401\tx3968\tx4535\tx5102\tx5669\tx6236\tx6803\ql\qnatural\pardirnatural \b\fs36 \cf0 Installation \b0\fs28 \ \ Note: If you're building on 10.5, you'll need to build BWToolkit from source.\ \ Step 1. Double click the BWToolkit.ibplugin file to load the plugin into Interface Builder\ \ Note: Interface Builder will reference this file rather than copy it to another location. Keep the .ibplugin file in a location where it won't be deleted.\ \ Step 2. In the Xcode project you want to use the plugin in:\ \pard\tx220\tx720\tx1133\tx1700\tx2267\tx2834\tx3401\tx3968\tx4535\tx5102\tx5669\tx6236\tx6803\li720\fi-720\ql\qnatural\pardirnatural \ls1\ilvl0\cf0 {\listtext \'95 }Right click the Linked Frameworks folder and click Add -> Existing Frameworks. Select the BWToolkitFramework.framework directory.\ \pard\tx220\tx720\tx1133\tx1700\tx2267\tx2834\tx3401\tx3968\tx4535\tx5102\tx5669\tx6236\tx6803\li720\fi-720\ql\qnatural\pardirnatural \ls2\ilvl0\cf0 {\listtext \'95 }Right click your target and click Add -> New Build Phase -> New Copy Files Build Phase. For destination, select Frameworks, leave the path field blank, and close the window.\ \pard\tx220\tx720\tx1133\tx1700\tx2267\tx2834\tx3401\tx3968\tx4535\tx5102\tx5669\tx6236\tx6803\li720\fi-720\ql\qnatural\pardirnatural \ls3\ilvl0\cf0 {\listtext \'95 }Drag the BWToolkit framework from Linked Frameworks to the Copy Files build phase you just added.\ \pard\tx566\tx1133\tx1700\tx2267\tx2834\tx3401\tx3968\tx4535\tx5102\tx5669\tx6236\tx6803\ql\qnatural\pardirnatural \cf0 \ Note: You'll have to repeat step 2 for each project you want to use BWToolkit in.\ \ If you need to reference BWToolkit objects in your classes, you can import the main header like so:\ \ \pard\tx560\pardeftab560\ql\qnatural\pardirnatural \f1\fs24 \cf2 \CocoaLigature0 #import \cf3 \f0\fs28 \cf0 \CocoaLigature1 \ \pard\tx566\tx1133\tx1700\tx2267\tx2834\tx3401\tx3968\tx4535\tx5102\tx5669\tx6236\tx6803\ql\qnatural\pardirnatural \fs32 \cf0 \ \ \pard\tx566\tx1133\tx1700\tx2267\tx2834\tx3401\tx3968\tx4535\tx5102\tx5669\tx6236\tx6803\ql\qnatural\pardirnatural \b\fs36 \cf0 License\ \pard\tx566\tx1133\tx1700\tx2267\tx2834\tx3401\tx3968\tx4535\tx5102\tx5669\tx6236\tx6803\ql\qnatural\pardirnatural \b0\fs28 \cf0 \ All source code is provided under the three clause BSD license. Attribution is appreciated but by no means required.\ \ \ }unison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/0000755006131600613160000000000012050210655027032 5ustar bcpiercebcpierceunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/0000755006131600613160000000000012050210655030454 5ustar bcpiercebcpierce././@LongLink0000000000000000000000000000014700000000000011567 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/BWToolkitFrameworkunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/BWToolkitFramewo0000755006131600613160000350207411361646373033632 0ustar bcpiercebcpierce i  t<  x__TEXTpp__text__TEXT"__symbol_stub1__TEXT__stub_helper__TEXT__cstring__TEXT(P__const__TEXT(__unwind_info__TEXT  __eh_frame__TEXTPS `H__DATApp__nl_symbol_ptr__DATApPp__la_symbol_ptr__DATAPpPp&__dyld__DATA0q0q__const__DATA@q@q__cfstring__DATAPqPq__objc_data__DATA__objc_msgrefs__DATA @ __objc_selrefs__DATA` `__objc_classrefs__DATA__objc_superrefs__DATAXX__objc_const__DATAXXX__objc_classlist__DATA@ h@ __objc_catlist__DATA8__objc_imageinfo__DATA__data__DATA__bss__DATA(H__LINKEDIT v p@loader_path/../Frameworks/BWToolkitFramework.framework/Versions/A/BWToolkitFrameworkksyd#֑'"0HHP #  {@  P K rzBY(83O X/System/Library/Frameworks/Cocoa.framework/Versions/A/Cocoa 8/usr/lib/libgcc_s.1.dylib 8}/usr/lib/libSystem.B.dylib 8/usr/lib/libobjc.A.dylib h,/System/Library/Frameworks/CoreServices.framework/Versions/A/CoreServices h &/System/Library/Frameworks/CoreFoundation.framework/Versions/A/CoreFoundation p&/System/Library/Frameworks/ApplicationServices.framework/Versions/A/ApplicationServices `,/System/Library/Frameworks/Foundation.framework/Versions/C/Foundation X-/System/Library/Frameworks/AppKit.framework/Versions/C/AppKitASLAS%CU%BUUHAWAVSHH&sL5oH=pH5srH5sLHHH=RH5rrIL= sH5rHTHrH5rLHAH5rHrH[A^A_]ÐUHH U]ÐUHH]ÐUHH=ّH5rr]UHHT]ÐUHHT]ÐUHH{T]ÐUHAWAVSHH$rL5H=H5qqH5rLHHH=pH5qqIL= rH5qHkTHqH5qLHAH5qHqH[A^A_]ÐUHHT]ÐUHH]ÐUHH=H5qq]UHH5T]ÐUHH'T]ÐUHHS]ÐUHH=H5q~qH5WqHNq]UHSHHHYH5rqHiqu HH[]H=H5-q'qH5qHpӐUHAWAVATSHHH}HHEH}H5qHqHIL=qL%qH~SHLpH5pLHAL=pHtSHLpH5pLHAL=H5pHcSHpC>L=pHhSHL|pH5pLHALH[A\A^A_]UHHHfAE10]UHHI0]ÐUHH_]ÐUHHH2A0A蹡]ÐUHAWAVAUATSH(ӉIL0HћI<H5.q(qH L=qLL~qH5'rHljrLL`qHpHHpH5s1HsH=lH5nnIL-sLLqHHEpH5qHqH8HpHpHPHD$HHHD$H@HD$H8H$H5XsLAH5KnHBnH ӚA<(H(t0H*sH5pLLpH5sLH(HH5:pH0-pH5foH]oH5pHpH5rHrH5rHrH5mHmHHDžHDžHDžHDžHDžHDžHDžHDžH5[oHHAH>oHHL1HALEE1HL;0t 0HHfH0<HN,tH5qHLH(qH5qH(LqIM9uH5nHHAHnHUHH0H<HwnHnnL57oHL+oL=lHLlIL-nLLH(H nH UH< H5oLnH5nH nH5BmH9mHXHmHmH H< p(hH5nnHL^nHLBkIL=nH=H5zn(dnLLHH AH rH< H5OnLFnH5?pHߋ0pIL H7H<HlHlH5nHLnHH5lHlH5lHkIHݖH<L=oH5ooH5oLAHʖ<HH<H5VlPlHHmH mHiHHiIL=lH0H"lHlHH5OkIkH5lHlLLolLHL LAH=H0H<9H5lLlH=ەH0H<9H5llHHQlHHlHH,iHL5kL=klL-H0HVkHMkHH5j}jHxH?kH6kH5lLAHLkLHLAHH0H<H5kHkfHH0H<H5kkL5lHLL LplH5mHm(H5ijH`jH5iHiH5rmH(YmHJH<H5jjHLLkH5lHlH5lHlH5gHgH(H5jHjHH(HDžXHDž`HDžhHDžpHDžxHDžHDžHDžH5%iHXHAH(iH$HhH HHHEE1HhHH;t0H(記HH0<H`NH=zmH5PPIL%QH=dmH5QH 1HQH5QH1LLIAHlzAH5OLO[A\A^A_]UHAWAVSHIH51PL(PIH5PLPHrdLHcH5PPH5PHOHLuH&qHEH}H5PHPHyI<H5PHPH[A^A_]UHAWAVAUATSHHHH=MlH5LLH5NHNH5LHLHHDžHDž HDž(HDž0HDž8HDž@HDžHHDžPH5NHNHH5NHNHH5HNHHXAH+NH H(L1HALEE1H(L;0tH5eNH\NH0}H N,H5PNLGNH5OH)/HOumH5%NLNH5NH.HNuBH5MLMH5NH.HNuH5MHLMIM9+H5,MHHXAH MHH5;NH.NHtgHcH5;NH.NHH5LHLH5 MHMH5`LHHTLH[A\A]A^A_]1H[A\A]A^A_]UHAWAVAUATSHHvH<HHvH<qHLHoH5KILKH5KLHHHDžXHDž`HDžhHDžpHDžxHDžHDžHDžH5KHXHAHzKHHhHHALEE1HhH;t0H+{H`N$L-KH=T-zH5KLHAՄtHLuLHzIM9uH5JHXHAHJHUHJH=,7zH5JHHӄH5IHHHIHtH<H5rJlJH5KHKHuiHtHHL5rJH5KJHBJH5{IHrIHH4JH+J0(H5$JHAH=fH5 JJHL5 JH5ILLIH5IHHH (LH `eH5IHLIAHDžHDž HDž(HDž0HDž8HDž@HDžHHDžPH5IHyIHH5HHHXAHHH.H(H HHHEHHDžH(HH;tH5HHHH0cxHrHL4H LN$L-HLHHHHH5HLHAH xrH L5HLHHHHH5HHLHAILL;2H5GHHXAHGHH5PHHHH=HH5FHH=HHqH<H5GGHt4HqHH<H5[GUGH5~HHuHH>HGH5F1LLFH5GLHFH=@)yvH5FHHӄHqHH<H5FFHHGH~GHH dDH[DIHpH<L=GL%FLFIHHyFHpFHH5EEH5)GH GLLFLHLAH=[pH<;H5GLFH=@pH<;H5FFHHFHFHH CHCIHoH<HLFHLLEIL%FL-bHHEHEHH5DDH8HEHEPHH5ZFLALLELHLH\oH<H59FL0FH[A\A]A^A_]H7oHL4HoH<L=EL%DH5lDfDH5oDLHAԉH5mEHAUHAWAVSHHHnH<H5 DDHu1H5C1HCHH5C1ɉCH[A^A_]H}nL4HjnH<L=CH5CCH5CLHAUHSHHH5uCH1jCH5sCH߉1fCH[]ÐUHSHHH_H5AHAuxHmHmH<H5BBt4H5BHBH5BH1BH5BH1BH_H5nB1fH_BH[]UHAWAVATSHH}HdHEH}H5AAHHL5&mH=`L=h@L_@L%AHLAHHLrL5lH=_L'@HLAHHLUrHlHlH5}AHHqAH"^H5sA1fHdAHH[A\A^A_]UHAWAVSHH}HcHEH}H5@@HH=^L5@H?#H #L"E1L0@IH=^H$HJ#H c!L!L #L0j@IH5p@HLd@LHDH[A^A_]UHAWAVATSHHILuHbHEH}H5?H?L=?H5?L?L%?H !HLHAL=?H5?L?H !HLHAH.kAH5j?H !HZ?L=3?H5\?LS?H !HLHAH[A\A^A_]ÐUHSHHH?\H5X>R>t3H=H50>*>H5>H >H5kHoH[]UHSHHH=AH5==H5=H=H5HoH[]UHSHH}HjaHEH}H5==HHt8Hv[H5=H=tHk[H5>1fH>HH[]ÐUHHHHHOHGHG]UHSHHHZH5=H =tNH5BHyBH5BHBff.uzHZH5=1fH=H54BH+BH5TBHKBtMH5BHBHhZH5y<Hp<t"H5AHAH5B1H BH[]ÐUHH5AAH5AbHA]UHHHHHOHGHG]UHSHH}H_HEH}H5;;HHt%H5AHwAH5AHrAHH[]UHAWAVAUATSH8HIIEXEH5AL|AH5>HHu>LetH5fAnLf(QAH5ZALQAt*L-fAH5OALFAH5OALHAILL}H^HEID$HD$ID$HD$ID$HD$I$H$H}H5AHAH8[A\A]A^A_]UHAWAVAUATSHH9L5YH=YH599H59LHHH=YH9H9IL=9L%9HHL9L-9LLHAH5fHkH=?YHX9HO9IL=e9HNHLB9LLHAH5HYkH=XH 9H9IL=9HHL8LLHAH5H kH=XH8H8IL=8HHL8LLHAH5iHjH=RXHk8Hb8IL=x8HHLU8LLHAH5HljH=XH8H8IL=)8HHL8LLHAH5HjH=WH5->'>H8HH8H5mHiH=WH5>W W=HH7H56HiH[A\A]A^A_]ÐUH]UH]ÐUHH5y>s>HH HDH]UHAWAVAUATSHHH=VH566H5k8Hb8H5 7H7IL==H]HZHEH}H5==H5=LHAHiL8L%9H=HVH5=I=L-d9LLHLAH.L8L%D9H5 =H=LLHLALH[A\A]A^A_]ÐUHSH8HEXٺEHuHZHEHE(HD$HE HD$HEHD$HEH$HuH<<HH8[]ÐUHSH(HH=cH5<<M(H5;H;HEtYH=JH5;H,HHHL$HHHL$HHHL$HH$1AA gH([]H=H5ҴHHHHL$HHHL$HHHL$HH$1AAfUHAWAVATSHHH=TH544H56H6H54H4IL=;H]HXHEH}H5b;\;H5e;LHAHL8L%+7H5:H:H57LHLAH5q;Hh;HHH=SL=6uXH5U;G;L%6LLHHAHHHLL6LH[A\A^A_]H5:M:H5h6LHHAUHAWAVAUATSHH23L5SSH=TSH5 33H53LHHH=6SH3H2IL=3L%2HHL2L-2LLHAH5زHdH=RH2H2IL=2H`HL2LLHAH5HdH=RH[2HR2IL=h2H1HLE2LLHAH5JH\dH=;RH 2H2IL=2HHL1LLHAH5H dH=ܱH 9H޺8H=رH޺8H=H޺8H=H޺8H=qQH577H1HH1H5JH|cH=;QH57 7HHZ1H5H=cH=$QH0H0H5]2HT2H5ͰHcH=H58f 8H[A\A]A^A_]UH]UH]ÐUHAVSH@HE(Ef(XMMH=oH566E\Y)XEX$EZMMtbEH5H7H?7AH5r6Hi6AH EZEEMX MtjH57H7tVH=HHCHD$HCHD$HCHD$HH$H5Y7EMU?7H55H5uH57H7H55H5uH56H6H5k5Hb5teH56H6uQH=HHHHL$HHHL$HHHL$HH$H56EMUi6H@[A^]H=H=uUHAVSH0HIH55L5HEtX#LuH LRHMHHHL$HHHL$HHHL$HH$H}H55H5H0[A^]ÐUHAWAVSHHH5I5H@5IL=/H=MH5x-r-H5/LHAׄt5H575H.5HH=kMuAH533H[A^A_]H54Hy4H@H 1HDHH53 ٱs3뭐UHAWAVAUATSHhLEHIIH5K4LB4LetbLuL5PLuMt$Lt$Mt$Lt$Mt$Lt$M4$L4$HuH3LHLEz3LHh[A\A]A^A_]H=qLH533H53H3IL^1L^LuH\PHEID$HD$ID$HD$ID$HD$I$H$H}HuH2HLE2L]EAEAGEAGEAG,UHAVSH5(3"3HL5-H=KH5Z+T+H5-HHA[A^]UHAWAVAUATSHhHH5Q3HH3HLuIH5A31L63H51L1H5.HH.tH51Lf(1H51L1t*L%1H5}1Ht1H5}1LHAIH=JH522IANH52fL2H52 9L2LH2H2L-2INHL$INHL$INHL$IH $H}Hi2H`2H HQHT$8HQHT$0HQHT$(H HL$ HMHL$HMHL$HMHL$HMH $H52L\AH52L 2LH1H1Hh[A\A]A^A_]ÐUHAVSHPHIH]HzMHEHE(HD$HE HD$HEHD$HEH$H}HuH11EXEH51H1HH5{1Hr1HH5a1HX1HH5G1H>1HH5-1H$1HH51H 1HtH50H0HuEXEEAEAFEAFEAFLHP[A^]EXEEXEUHAWAVAUATSHH'L5GH=HH5'{'H5'LHHH=GH{'Hr'IL='L%q'H HL^'L-g'LLHAH5|HnYH=GH'H'IL=+'HT HL'LLHAH5=HYH=6GH&H&IL=&H% HL&LLHAH5HXH=FH&Hw&IL=&H HLj&LLHAH5HXH=FH1&H(&IL=>&H HL&LLHAH5pH2XH=IFH%H%IL=%H HL%LLHAH5 HWH=EH%H%IL=%Hi HL}%LLHAH5ʥHWH=EHD%H;%IL=Q%H: HL.%LLHAH5[HEWH=dEH5U+O+H8%HH,%H5 HWH=.EH5/+ +HH$H5֤HVH[A\A]A^A_]ÐUH]UH]ÐUHH5++HH HDH]UHAWAVAUATSHHH=gDH5 $$H5%H%H53$H*$IL=+H]H%HHEH}H5**H5*LHAHL8L%&H=CH5*q*L-&LLHLAHVL8L%l&H55*H,*LLHLALH[A\A]A^A_]ÐUHAVSHPHIH]H^GHEHE(HD$HE HD$HEHD$HEH$H}HuH++EXEEX{EEX٧EH5*H*HH5<+H3+HH5"+H+HH5+H*HH5*H*Ht}H5*H*Hu*H5*H*HuQEX&E=H5*H*HtH5*Hy*HuEXEEAEAFEAFEAFLHP[A^]ÐUHAVSH HH=H5''M(H5'H'AH59)H0)EHMtvt[H=|H5mH^HAHD$HAHD$HAHD$H H $1AARH [A^]H=!H5H룄tH=H5HH=H5РHHAHD$HAHD$HAHD$HH$1AA8RnUHAVSHH}HpDHEH]H5 H IH5(L(HWALuH)DHEH5(1H(LH[A^]ÐUHAWAVAUATSHHH=@L5|LsIHLdI9kHdL5?H=?H5?9H5BLHHH=?H9H0IL=FL%/HHHLL-%LLHAH5H,QH=k?HHIL=HHLLLHAH5KHPH=?HHIL=HHLwLLHAH5HPH=>H>H5IL=KHHL(LLHAH5H?PH=~>HHIL=HHLLLHAH5FHOH=/>HHIL=HVHLLLHAH5HOH==HQHHIL=^H'HL;LLHAH5HROH[A\A]A^A_]ÐUH]UH]ÐUH]UHHHTH}HAHEH}H5&&H]ÐUHHHTH}H@HEH}H5%%H]UHAWAVSHXIILuH@HEH}HuH%w%H50%L'%H9EAEAGEAGEAGLHX[A^A_]EXEHEHD$HEHD$HEHD$HEH$H  fLMUH]ÐUHAWAVATSH HH5m$Hd$HH:SLuut HΛH͛H̛AEAFEL8L%!LL!M\Y 0MZBMEANMf(AXVULLG!]\Y]ZLZU\XUH5w#Hn#HZEXEXA~XUXUMH5a#LS#H [A\A^A_]HUHAVSHpIEEEEE EE(EH=sH5T N ME(f.v-\YZMMKZXEEEXEEXEH5V"LM"H~ M\MXEEH5a LX H=əH5HHMHL$HMHL$HMHL$HMH $H D1AJH5!L!HH5!L!H~1HcH}H!L!H=8H5H5y!Hp!HEHD$HEHD$HEHD$HEH$@JH5!!L!HcH9|Hp[A^]ÐUHAWAVAUATSHHH}H5<HEH}H5VHMHIL=:!L%CHHL0H5!LHAL=!L-BHHL/H5 LAL= HHLH5 LHAL= HHLH5 LHAL= HHLH5 LHAL= HHLWH5 LHAL= H5 HrHy H5 LAL= HlHL0H5f LAHiLuH:HEL}H5O LF H5?LHLuHl:HEH51 LL% LH[A\A]A^A_]ÐUHAWAVAUATSHH=6HC+H *L5HLH5hHGH=A6H NHLH5EHGH=6H HLH5HdGH=5HH HH H5fH]H5H GHL55H=5H5H5LHHH=5HHIL=L%HHLL-LLHAH5%HFH=>5H?H6IL=LHuHL)LLHAH5ޔH@FH=ǔH@H޺2H=H޺H[A\A]A^A_]UHHU]ÐUHHU]UHHHUAE10E]UHHHUAE10E]UHHHUAE10E]UHHHvUAE10xE]UHHyU]UHHiU]UHH U]UHHT]ÐUHHT]ÐUHHH UAE10E]UHHT0D]ÐUHHHTAE10D]UHHT0D]ÐUHHHTAE10D]UHHT0qD]ÐUHHHTAE10VD]UHHgT07D]ÐUHHHSHHD]ÐUHHSH]ÐUHAVSHHHSH<L5LHSH<LHSH<LHSH<LHSH<LHSH<LHvSH<LqHSH<L]HVSH<LIH]H.5HEH}H5 H[A^]UHAVSHRH<Iu"H=Y1H5HLHBHRI<H5H5H[A^]ÐUHAVSHRH<Iu"H=0H5HLHfBHWRI<H5\VH5/H&[A^]ÐUHAVSHRH<Iu"H=0H5JDHLHAHQI<H5H5H[A^]ÐUHAVSHQH<Iu"H=!0H5HLHAHwQI<H5H5_HV[A^]ÐUHAVSHQH<Iu2H=/H5:4H5=H4HLHAHPI<H5H5H[A^]ÐUHAWAVSHHPHH9Ht8IH5HL=nPH5LHHL@H59H+H[A^A_]UHH-PH5 ]UHSHHH5+H"t H[]H]H'2HEH}H5f.2UHSHHH]H1HEH}H5H5HH[]ÐUHAWAVATSHMEHIHpOM<L%H=-H5  H5LHAԄtH5LH[A\A^A_]HOI<HN+H5O I uI9tH5HMEHNI<H5H뒐UHAWAVAUATSH(HHH5HL5L=-H5HH5HH5LHAH(H5LHCHHXHHpHDžHDžHDžHDžHDžHDž HDž(HDž0HMHHH5 HH H5 HH8AH HHL1f0HALEE1HL;0tH5HH05=HJ;u\ XL-I H='ZH5H5* H(HLAII9H5g HHAHF HQHɹEHT HHHHH<H5H5 H HHHIL L=>L%'L- 'H=!'H5B<H5H>HHHDH5LHAH5LHAH5 L H*1HcH5 H r IH5 H(L H5AH8L=L%R LLF H5HAL=TLL H5AHAZf.wf.2f.wZL=H=y%H5H5H(HLAH5~ L LLk HFHH<H5LH5"HH5LH\Z\Af1HcH5H Hff.IH5lH _HH/ZH*Xi^YZ5H5H HH9ZXu\XL=)H=#ZH5H5 H(HLAH5H HcH9H5lH _HcH9H5JH =H ff. H='#H582HHDžxHDžHDžHDžHDžHDžHDžHDžHTDHHHH53H*HH5,HxHAHHHHHALEE1HH;tH5HH03HCHH<HN$H5LH5HZ^0ZL-H=!H5H5HHLAIM9KH50HxHAHH H5?HH/IHDž8HDž@HDžHHDžPHDžXHDž`HDžhHDžpH5}HtHH5vH8HxAHYH0X0DHHH HDžfHHHHE؋DpE1HHHH;tH5HH01H@N$H5HLH5 H ZY0Zi1C>;ZXu0\XL-H=cZH5  H5H(HLAII9H5H8HxAHHQHɹEHT HH@HH<H5i c H5LHCH,HH IL= L% L-H=H5H5} HHh HHH5e LHAH5e LHAH5L H+1HcH5LIH5H(LH5 H L%% L-LLH5 HAL% LLH5 HAZf.wf.f.wZL%lH=H5> 8 H5QH(HLAH5 LLH5HLwH5 H Z\H5LH0\01f1HcH5fLHZff.IH5LHHZH*X^Y0Z-H5LHH9ZXu0\XL%H=xZH5  H5H(HLAH5IL@HcH9H5&LHcH9H5H Hf0f.HDžHDžHDžHDžHDžHDž HDž(HDž0H5 H(x HH5HH8AHH HL1f0HALEE1HL;0tH5 H( H0+HJ#A<uVH5@L7AH5LEH zH}HiHdff.EH5*L!tH5L}H5LxH"I<HH5tH"I<H5HHĈ[A^A_]HhHHfxH}HHef.E4H5UHAWAVATSH@LIIIH!I<H7H5 HEu>A$@AD$@AD$@AD$LH@[A\A^A_]IHU0LH5{!I47HzH|$8HzH|$0HzH|$(HHT$ HPHT$HPHT$HPHT$HH$HcLZUHAWAVAUATSHHEIIH5L HH5+L"u]H I<H$H5t:H M$L-H=H5KEH5LHAՄtEH[A\A]A^A_]HLHX I<H5uEjUHAWAVAUATSHHIIH I<HqH5JDt>HM$L->H=_H5H5#LHAՄAH5LDff.uzH5LH5HHHH5VLMHH8HH@XH5LH5\HSANHcH9sH5Lf.bKH5LH5HHHH5vLmHH}L5HLEH}HLEH5LX\\ZZ Zf.wH[A\A]A^A_]LHI<H5HHHHE^HXL5HLXHxHLrEUHAWAVAUATSHHIIHI<H1H5t>HM$L-H=H5HBH5LHAՄAH5PLDDf._uzH5TLKH5HHHH5LH\H8HHH@XH5LH5H ANHcH9iH5rLiff.AH5tLkH5HHHH5.L%H| H}L5kHLEH}HLFEH5LyX\\ZZ Z]H[A\A]A^A_]LH`I<H5-HHHHOhHXL5_HLXHxHL4EUHAWAVAUATSHHLIHUIHI<HH5t>HrM$L-H=H5 H5LHAՄ|H5\LSH5HLIH6H5OLF&H5WLNu EuHtvH58L/H5LH5HHIcH9H5H}H5HHH9H5bLYL5H5LH H}HHEZC>H5LH5LH5L1HH[A\A]A^A_]HI<H5UHULIEH}HHEjUHAWAVAUATSHHIIH]I<HH5t>H:M$L-H=H5H5lLHAՄH5$LH5HHHHH5Lu.H5#Lut&H5 Lt;1H[A\A]A^A_]øLHrI<H5HH5zLqH5HHHcH9UHAWAVATSLIIIH I<HH5@:t-ILHI4H^LUL[A\A^A_]HA$@AD$@AD$@AD$UHAWAVAUATSHHIIHiI<HH5t:HFM$L-H=H5H5xLHAՄtXH4H5MLDu,H5LtH5ULLHcH9t41H[A\A]A^A_]LHI<H5HH5iL[UHAWAVSHXHIH5ZLQtmH5VLMAH5LEH ulH}HHEHbA<uff.vZH6ALuHHEH}H5H HX[A^A_]H}HHE뒐UHAWAVAUATSHHHHH5HB H5VHM* H5HH H< H$HHHBHL54L=mH5H IL-H5\HSH5LHAՉH5LAH5HHH5HH5H}HHuH5H@ ƅH5[HRHupH5HHHgH<L5$LH5tHfH7H<LH5[HMHDžHDž HDž(HDž0HDž8HDž@HDžHHDžPH5HHH5HHXAHjH H(L1HDžHALEE1H(L;0tH5HH0H N,H5dHLXtH5=H4I9tLIM9uH5HHXAHHSH6L5HLH5HHLH5uE1H1gH5HH5HAHL`H5HD}EftZH5HAHL EH rHHHZ0H5H L5{H5HH8H}HtZHB3tH5HH=vH5H=bH5;5IL=H5HZH5LAH5H L5HLZL=fHLhLLLEIL-KHXH}LtH MZ XhZXLLAH=lH5t6L5/H5HZHTH5 HHAL5H5rHiH=H5xZHH5HHAItH5HH=H5H=H5icIL=H5HZH5LAH5AH8L5HLH Z ZL=HLLLLsIL-yHxHLH { Z \Z\LLHH]HZH5HYL5 H5BH9HH HZB3tH5THKH=H5MGH=H5IL=IH52H)ZH5.LAH5HL5!HLZL=fHLLLLIL-HHL H ZXZXLLtH57H.H=H50*H=H5IL=,H5H ZH5LAH5H{L5HLH ! Z ZL=HLLLLIL-HHLH Z\Z\LLAH=H5rlt6L5H5H ZHH5zHHAH51HH4 L5IL=HLZH[L%$E1HL1AL5HLH=H5ZHHLHAL5HL2ZHHLLAH[A\A]A^A_]ƅUHAWAVSHHH5uoIL=5H5HH5LAH[A^A_]UHAWAVAUATSHHH5HH5HH5H~H5gH^HEHHEL5xL=H5ZHQIL-H5HH5LHAՉH5.LAH51H}HUH5PHHUCH[A\A]A^A_]UHAWAVAUATSHHUHH5HH5HH5HH5mHdHEH)HEL5~L=H5`HWIL-H5HH5LHAՉH54LAH5H}HUHUH5RHHUEH[A\A]A^A_]UHSHHH5H tH51HH[]H5HUHSHHH5]HTtTH5HtFH5Hu*H5?H6H5HvH[]ø1UHSHHH5Ht1H<u(H5lHc Gf. 1H[]ÐUHH=H5\VH G]UHH]ÐUHAVSHL5 H5vHmH5HA[A^]UHSHHH]H!HEH}H5H5HH5HHH[]UHSHHHH5Ht 1H[]HH5UHSHHH5Hy 1H[]H߉H5c]HcH5HUHSHHH5uHlttH[]1HH5H5KHBUHAVSHL5MH56H-H56HHA[A^]ÐUHAWAVSHHIH5LHALuHHEH}H5HuEtH(A< 1H[A^A_]ÐUHAVSHIH5"LH5HHHH5<L3utJH5#Lu1H5LH5HHHcH9 1[A^]UHHcH9<Ht HHo]1Hc]ÐUHSHHADYE(\,DZMH>DDYE \C8ZM8ZX8ZZEZDXHZZEH@HEHEHEHD$HEHD$HEHD$HEH$HpHHpxHMMMMMEH}H uCf.vEEHEHD$HEHD$HEHD$HEH$HPHHPEXE`EhE<.BHEHEH@HEHEH==HEHD$8HEHD$0HEHD$(HEHD$ HEHD$HEHD$HEHD$HEH$H58{A%H[]H=l=HHHH=M=HHEHEEHEH==HEHD$8HEHD$0HEHD$(HEHD$ HEHD$HEHD$HEHD$HEH$H5u@b8UHAWAVSHhHHE(HD$HE HD$HEHD$HEH$LuHLHH5HE(n ;A^ZAXVA^A&eU]@^ZXEH=;HEHD$HEHD$HEHD$HEH$H53@%H=;IFHD$IFHD$IFHD$IH$D$ L=LIAH=R;IFHD$IFHD$IFHD$IH$D$ LIAIFHD$IFHD$IFHD$IH$H5{HrHh[A^A_] 9?^ZAXV?^ZAXA^M]UEH=s:HEHD$HEHD$HEHD$HEH$H5fH=@:IFHD$IFHD$IFHD$IH$D$ L=LIE1~H=9IFHD$IFHD$IFHD$IH$D$ LIE14UHSH8HH5H 2>f.HEH < tFH H< Ht6HXH\$HXH\$HXH\$HH$H5VPH8[]H]HH]HXH\$HXH\$HXH\$HH$H}H5HHHL$HHHL$HHHL$HH$H5H끐UHH=eH5H5HZT7]UHAWAVAUATSHHILuHHEHIHEHH HLuHHUH5,HEHHL=5H5^LUL%H 'HLHAL=$H5=L4L- H HLAL=ӷH5LH HLHAL=H5LH HLHAL=H5LH HLHAL=UH5LH HLHAL=H5LH5H ݞH߉AL=H5LH ԞHLAHLuHHUH5οHEHH5LHLuHHUHEHH HLH[A\A]A^A_]UHAWAVATSHHH}HHEH}H5HHIt}L=H5HHC>L=TL%HHLzH53LHAL=3H|HLPH5LHALH[A\A^A_]UHAWAVAUATSHHxL5H=H5SMH5VLHHH=lHMHDIL=ZL%CHHL0L-9LLHAH55H@H=HHIL=HƝHLڳLLHAH54HH=HHIL=HHLLLHAH5X4HH=qHRHIIL=_HhHL<LLHAH54HSH[A\A]A^A_]UHH]UHHHAE10.]UHH0]ÐUHHHrAE10]UHHU0]ÐUHAVSHHH)H<L5LHH<LH]HHEH}H5gaH[A^]UHSHHH5EH<H51HH]H7HEH}H5H[]UHSHHH5HH5HH]HHEH}H5H[]ÐUHAWAVSHXHIH5ZLQEL=LLM\MH5LELLM\MH5L HHbH}HQLEEH5{HrM^MYMXMH5cHZM\^MYMMH5LMXMZH5)L H)H5L IH5LH5LHLHX[A^A_]H}HnLEEUHAWAVSHILuHHEH}H5>6HOI<L=4L)H:I<LH[A^A_]UHAWAVAUATSH8HHH<L5LHH<L|H<uy@wkH}HvHmEX4EEX4EHEHD$HEHD$HEHD$HEH$H5HvH/wtukH}HHEX4EEX4EHEHD$HEHD$HEHD$HEH$H5H2L5H=HѭHȭIL%H=.L-@L7H=.LHDžHDžHHL$HHL$HHL$HH $LH XHAHHL\HH<HHE1DsH5H<3H-H5jdH=H<;L ҰLHưH=oH<;HLLH=MH<;L²LHHHALL=H=OL%HL?IL5eH=&-LH=-LHHWHNXX1HDž (0H0H|$H(H|$H H|$HH<$LH HAHHLH H< HļHE1DH H< H,L5H=H HIL%&H=+L-xLoH=+LWHDž8HDž@HPHPHL$HHHL$H@HL$H8H $LH HAHHLHH<HHE1DH5H<3H+H5H=H<;L LHH=H<;HLLH=H<;LLHHGHAL5L=VH=L%LwIL5H=n*LH=V*LկHXHHXXhX.xHEEEH}H|$H}H|$H}H|$HxH<$LH HAHHLH aH< HHE1DH @H< Hu)H5H !H< L ^LHRH H< HLIL@H H< LNLEHHHALHHL5WHLKHHHL4H] H8[A\A]A^A_]UHAWAVATSH`HH}HոH̸EHEDE DE(DH5HH5HHH<L56,L +HL<L% H}H HEXE\},LL +AHEDXO,DH*B,XH5HH HT HT$HT HT$HT HT$H H $H5lHH`H`[A\A^A_]HH<L51+L *HL<L%H}HHEXE\x+X*LL *UHSHMEHH5ԵH˵ H5|1HEMgExHH4H}HHEHD$HEHD$HEHD$HEH$ExtHHHĨ[]HH4H}H:4HEHD$HEHD$HEHD$HEH$Ext H,H]HHEH}H5hEMXiH]HH]H}H59EM):UHAWAVSHHL5H5HH5HAL5ɴH5HIH5HH5HHLAH[A^A_]UHAWAVSHHL5AH5*H!H5*HAL5MH56H-IH5H H5#HHLAH[A^A_]UHAVSIH59L0H5HljH5ǰL[A^]UHH5H5LHC]ÐUHAWAVATSHHILuHHEH}H5QHHL=H5ʲLH5H H߉AL=4H5LL%H HLHAL=H5LH HLHAH[A\A^A_]ÐUHAVSHHH}HHEH}H5*H!HItNHH?H5HHы;H5!LH5EL7HALH[A^]ÐUHAWAVAUATSHHH=CL5LIHLI9HL5H=H5H5 LHHH=HHIL=ƠL%HHLL-LLHAH5!HH=H\HSIL=iHҊHLFLLHAH5C!H]H=DH HIL=HHLLLHAH5 HH=HHIL=˟HtHLLLHAH5 HH=HoHfIL=|HEHLYLLHAH5N HpH[A\A]A^A_]ÐUHH[]UHHK]UHHH/H}H@HEH}H51+H]ÐUHHHH}HHEH}H5H]UH]ÐUHAWAVSH(HH<HrH cHDL1EEE EL=LLM\Y T#MZfEM(Mf(XUULLm]\Y #]ZH<Z]X]ZU\Uu X]"UMH5Lf(H([A^A_]ÐUHAWAVSHHIEEEEE EE(EHeE<H=2H5AHE f(MH\Y "ZMM*ZXEEEX"EEX"EH5ѣLȣH=H5HtGHEHD$HEHD$HEHD$HEH$D1A!'HH[A^A_]HEHD$HEHD$HEHD$HEH$D1A1!X UH]UH1]UH]UH1]UHAWAVSHHILuHHEH}H5sHjL=H5LH5H HAH[A^A_]ÐUHSHH}HHEH}H5HHt8HhH5HxtH]H51fHHH[]ÐUHHHHHOHGHG]UHSHHHH5HtNH5tHkH5Hvff.uzHH51fHݛH5&HH5FH=tMH5HHZH5kHbt"H5ןHΟH51HH[]ÐUHH5H5H]UHSH8H}HHEHE(HD$HE HD$HEHD$HEH$H}H5HHtNH=qH5H5HH5eHߺWH5`HߺRHH8[]UH]ÐUHAVSHH= H1H ~L5HLH5HH=׹H <֞HLH5HH=H HLoH5HRH=aH `HL4H5]HH=&H %HLH5*HH=H PHLH5HH= HHLH5HfH=u5H tHLHH5AH+H=BH5ۖՖHFH GLHL IH$H5ڨ Hff(_H5HH=ɷ Hf̜HLH5HH= jHHLeH5nHHH[A^]ÐUHH]UHH]ÐUHH]UHH]ÐUHH}]UHHm]ÐUHHHhHH]ÐUHHOH]ÐUHAWAVSHHIIH+I<HH5u 1H[A^A_]HLHI<H5ҐUHAWAVATSLIIIHI<HuH5>8u 1[A\A^A_]ILLHI<H5nhѐUHAWAVATSH@LIIIHPI<HH5ΔȔHEu>A$@AD$@AD$@AD$LH@[A\A^A_]IHU0LH5I47HzH|$8HzH|$0HzH|$(HHT$ HPHT$HPHT$HPHT$HH$HLUHAWAVSHHEIIHdI<HH5ܓuEH[A^A_]HLH+I<H5EАUHAWAVSHHIIHI<HH5smu 1H[A^A_]HLHI<H5ҐUHAVSHMEHIHI<HH5uH5HH[A^]MEH@I<H5UHLUHAWAVSHHEIIHI<HH5uEH[A^A_]HLHI<H5EٟАUHAWAVSHHEIIHI<H9H5 uEH[A^A_]HLH[I<H5EАUHAWAVATSHLIIIH5LH9-H HLH8H@LH~\HH`H(L\xH5PLGH5LH H}HHEXEXLH}HLEA $AL$H.@I\$AD$DHI<HH5UOt4IHI4HvLLjLH[A\A^A_]HpA$@AD$@AD$@AD$H}HHEUHAVSHHH5 HIH5LH9uLH51H]HkHEH}H5,&H[A^]ÐUHAVSIt^t0uyH5L H5LMH5LH5ʠ1L$H5ƠL1H5L1HAH5'L[A^]UHAVSH@HHHL5LuPH}HHEH5. HAְH5HH@[A^]H}H/HEH5ޚ HA0UHAWAVSH1EH5HHL=њH=H5#H5HHAׄt HIHL=H=bH5H5~HHAׄuHuLH[A^A_]UHAVSHH5MHDAH5HH5HEItH52L)H[A^]HHH5H5LHUHAVSHH5HHu1[A^]H5HIH5HߞH5XHOH5HI9UHSHHH5HHt#H5<H3H5HH[]ÐUHAWAVAUATSHHH0H5ÐHH5HHHL0LHH51HIHDžHDžHDžHDžHDžHDž HDž(HDž0LHHH5HH8AHH;HH HHHEE1HHH;tH5H0H0臼HN$H5wLnH5ǍHuHu/H5LLCH5HuHHH8L-VLLJ8XH(HXLLXXh HxLL(f. MGfxf.HuzH5 H51LHHLX(HH<H0/X(f.HuzH5 H51LII9H5يHH8AHHMH5LH5ߋHsHϋu/H5dL[H5HsHHEHHHL$HHHL$HHHL$HH$H}f 轹HL5 HH%LXHEHD$HEHD$HEHD$HEH$D$ ,H51LL0E1H[A\A]A^A_]ÐUHAWAVATSH0HIHE(HD$HE HD$HEHD$HEH$D$ L=+E1HLME1 HE(HD$HE HD$HEHD$HEH$D$ HLME1őHE(HD$HE HD$HEHD$HEH$D$ HLME~H0[A\A^A_]ÐUHAWAVAUATSHHLuH^LHRH<pIFHD$IFHD$IFHD$IH$HXf | 衷Xx`EhEpEH=HEHD$HEHD$HEHD$HxH$H5|| nH<H=fIFHD$IFHD$IFHD$IH$D$ H551AIH< AAXFX EH@HEHEH$@HEH5/H&tH@HEHHEHD$HEHD$HEHD$HEH$L=cHLWHEHD$HEHD$HEHD$HEH$H} HDHEHD$HEHD$HEHD$HEH$HLIFHD$IFHD$IFHD$IH$H5̖HÖHD<H=IFHD$IFHD$IFHD$IH$D$ L=E1ALIAeH=vIFHD$IFHD$IFHD$IH$D$ LIE1H=,IFHD$IFHD$IFHD$IH$D$ LDIEӍHĨ[A\A]A^A_]AFANAVAxUMX(EH=wUHAWAVAUATSHHH=GH5ȌŒH5ˌHŒH5HHIH5LH5GH>H5LvHH5fL]IL%H=H5E?H5؎LHAԄuyL=ĎH=H5H5LHAׄH5LIL%~H=7H5ЀʀH5cLHAԄL=KH= H5H50LHAׄH5xLoIHIMtmH5zLq1HtH5cLZIL-ЍH=H5"H5LHA1ɄtH5LH5LHH5LHH5HH[A\A]A^A_]H5L)UHAWAVATSHHILuHHEH}H5iH`L=H5LL%H hjHLAL=hH5LؑH ^jHLAL=>H5ǑLH TjHLAL=H5LH5}H FjH߉AH[A\A^A_]ÐUHAWAVATSHHH}HHEH}H5H HIL=ȐL%1HziHLH5LAL=HpiHL~H5LAL=HfiHL~H5pLAL=sH5̇HUiHH5ULALH[A\A^A_]ÐUHSHH}H HEH}H5~~HHt2H=H5=7HfuH?H HLHH[]HHDUHH]UHH ]ÐUHH]UHH]ÐUHSH8HHuHYHEH}HuHH8@HEEECECHCHH8[]ÐUHAVSHHIH5LLuHڠHEH}H5ÉHH[A^]ÐUH]ÐUH]UHHEEGE GE(G]UHAWAVAUATSH8HH5sHjH5cHZHÚH5,|H#|LuGH50H'H5 HH5 HEH=IFHD$IFHD$IFHD$IH$H5{mL=vL%HHHINHL$INHL$INHL$IH $D$ L-+LLIAAL=L%YHH7H.INHL$INHL$INHL$IH $D$ LLIE1AL=L%HHӁHʁINHL$INHL$INHL$IH $D$ LLIE1AEL=9L%HHhH_INHL$INHL$INHL$IH $D$ L-LLIAAL=˄L%<HHHINHL$INHL$INHL$IH $D$ LLIE1AL=gL%HHHIvHt$IvHt$IvHt$I6H4$D$ LLAD¹I1AAE;H53H*HH5xHx H5HH5H{tbL=L%H5HINHL$INHL$INHL$IH $D$ H5X1LIE1AH5~HuH5HtbL=L%cH5LHCINHL$INHL$INHL$IH $D$ H5҂1LIE1AH8[A\A]A^A_]EL=L%HH~H~INHL$INHL$INHL$IH $D$ L-ULLIAAL=2L%HHa~HX~INHL$INHL$INHL$IH $D$ LLIE1AL=΁L%/HH}H}IVHT$IVHT$IVHT$IH$D$ LLIAAhUHH5Q}K}HH HDH]UHAWAVATSHHH=IH5uuH5EwH|LHHLAHUHHLHwLH[A\A^A_]UHAWAVATSHH=<H%{H r {L5tHLtH5H輦H={H 0zHLtH5OH聦H=HE zHLctH5HFH=}H  TzHL(tH5H H=JL=sLsHH LL H$H5 Hff(<H5H藥H=ΔFH yHLysH5H\H=H jyHL>sH5H!H=X (Hf3yHLsH5xHH=! H^xHLrH5H诤H= HfxHLrH56HxH=H xHLZrH5H=H=L%ͅLHL rH5HH=:"H wxHLqH5vHȣH=gL<NHLqH5KH蕣H=̒ HfwHL{qH5H^H=-H lwHL@qH5H#H=jLpH5JrHArH5HH=H5x fwL5{L=dH= H:vH5MLHAH[A\A^A_]ÐUHAWAVAUATSHXHIIH5vLvH5sHTHsLetH5vLf(vH5vLvt{H5L HuH5wLwtPL-{vH5LH5dvLHAIH51LփH=?H5xxrxL}HǓHEL=,vID$HD$ID$HD$ID$HD$I$H$H}f HEHD$HEHD$HEHD$HEH$H}H5uLHAHX[A\A]A^A_]ÐUHH5uuHH HDH]UHSHXHHuHHEHE(HD$HE HD$HEHD$HEH$H}HuHwvHEHD$HEHD$HEHD$HEH$f HHHX[]UHAVSHPHH]HcHEHE(HD$HE HD$HEHD$HEH$H}H5H5$tHtt{LuH=H5vvIFHD$IFHD$IFHD$IH$H}HbHYHEHD$HEHD$HEHD$HEH$:HP[A^]ÐUHAWAVAUATSHDMƉMAHXHE(HD$HE HD$HEHD$HEH$LeH-xLL!xHE(HD$HE HD$HEHD$HEH$H}腞EEMMMM MM(Dm0t=H5΀LŀAD$tX"AD$XaAD$XPA$AD$EAD$EID$HD$ID$HD$ID$HD$I$H$H}HAwL8wEA$EAD$EAD$EAD$Et#A*M\X ND,H=L5vL vL-vHLvA*^ZEH=LuHLu*M^ZEA$EEZXMhAL$pAXL$UZ\xdEH=/H5HH5fH ZEMXZZZdXpZZH5~H~ZhZZxZH5~H~H5sHXsH5~H~HĨ[A\A]A^A_]MSEZAT$pXxMAXL$ZU\hdUHAWAVAUATSHhILHV~H1HH~H5Q~HH~H*ELH$~H1H~H5/~H&~H*MH=H5hhH5~HEM}H5hHhIH5}L}UYUYUUH=8H5ppIL-pLLEMpH5H5x}Lo} EfWUfWLLIpH5bpLYpHEHEEEMMLH|H1H|HMHL$HMHL$HMHL$HMH $H5|H|H5s|Lj|LHh[A\A]A^A_]UHAVSH@HIH5mLmHEHEEMH5lL}lIH5{L{H5#pHpHEHD$HEHD$HEHD$HEH$H5{L{H5fLfH@[A^]UHAWAVATSHHH}HHEH}H5{{HIL=iL%fH!RHLfH5iLHAHRHLfL=iH=ԇH5}{Ht{H5iLHAL=iHQHLjfH5iLHAL=jHQHL@fH5ijLHAL=9hH5{HQH{H5hLAL=jH5'fHQHfH5iLALH[A\A^A_]ÐUHHHA0Ao]ÐUHHo0O]ÐUHHHZA0A1]ÐUHH90]ÐUHHH$A0A]ÐUHH0Ӗ]ÐUHHHA0A赖]ÐUHHͺ0蕖]ÐUHHL]UHHL]UHH]UHH]ÐUHAVSHHH?H<L5,dL#dH,H<LdH H<LcHH<LcH]HHEH}H5ggH[A^]UHAWAVAUATSHHIL=@dH5eLeL%)dH NHLHAL=xL-ЄH5qfLhfH5xLHAH NHLHcL=cH5dLdH NHLHAL=cH5gLgH NHLHAL=xH5hLhH5xHNHAL=lcH5cLcH5RcH NHAH[A\A]A^A_]UHAVSHH}HHEH}H5QwKwHHL5@J<3u2H=H5aaH56cH-cHHLL5J<3u2H=ZH5a}aH5bHbHHL觓L5зJ<3u2H="H5Ca=aH5bHbHHLgL5J<3u2H=H5a`H5vbHmbHHL'HH[A^]ÐUHH5vv]ÐUHAWAVSH8@IHHHcL cHEH5fLftAHhHbLbZ@Zx\Y ZXEEH}L=bLLbE0H}LLvb0XE8\E@EMHEHD$HEHD$HEHD$HEH$蔑u;HEHD$HEHD$HEHD$HEH$H5 uLtH[A^A_]ÐUHH9tH9uH9׹HHD]1]ÐUHSHHH5rHrH5tHHHtH[]ÐUHSHHH=H5`fZfH5tHtZZH}H54`1H)`H5kHkH[]UHH5Wt1Ot]ÐUHAWAVATSHHILuĤHEH}H5-tH$tH5-tH$tH5]qHTqH5aHJHatwH=H5]]H5N_HE_IL%cH5sHsH5tcLHAH5sHLsH5bLLHbH[A\A^A_]ÐUHH=QH52],]]UHAVSH=LHcH cL5e]HLY]H5"H<H=H JcHL]H5HH=~H ecHL\H5HƎ[A^]ÐUHAWAVAUATSHXHH]HE(HD$HE HD$HEHD$HEH$H5rHrIIG$>H5rHyrE9HDEAIE1EB0LcH5]rHLQr=H}HNrHuLArEXEH=}H51r+rH=}H5-c'cH5 rHrH={}L%a4L aIH=Q}L aIH=6}H5[[H5zdHLLkdH5$[H[HMHL$HMHL$HMHL$HMH $H5fiHeH=|H5RqLqIM9HX[A\A]A^A_]ÐUH1]UHHH H=_|H5[E10[]ÐUHH_]ÐUHSH8HH5YpHPptFHEH]H ~HMHHHL$HHHL$HHHL$HH$H}H5ppH8[]ÐUHAWAVAUATSH8HUHH5_^HV^H5O]H>H?]mH5`H_H={H5__IH=y{HJYHAYH5ZHZHHWYHNYIL%4`H5oHoH5o1H1oH5 `LHAH59HL%[LLL[H59L6L-[H=zH5_q_LLHLAH=zHvXHmXIL%CoH5 ]H]H5,oLHLAHHfXH]XH5oHH oHE@ \@XH]H|HUHPHT$HPHT$HPHT$HH$H}H5_HU_H8[A\A]A^A_]H5 ^ \]&UHAWAVAUATSH8LMIIIHE(HD$HE HD$HEHD$HEH$H}HRnLInHADLmH{HEHE(HD$HE HD$HEHD$HEH$H}H5nLLMI nH.ADH8[A\A]A^A_]ÐUHAWAVAUATSH8LMIIIHE(HD$HE HD$HEHD$HEH$H}HmLymHADLmHzHEHE(HD$HE HD$HEHD$HEH$HE0HD$ H}H56mLLMI$mHUADH8[A\A]A^A_]UHAVSHPHIH]HTzHEHE(HD$HE HD$HEHD$HEH$H}HuHllH<usHEHHHHL$HHHL$HHHL$HH$H5SlMlEf(\Zf.v#Z\EY ZXEEEAEAFEAFEAFLHP[A^]ÐUHSHH}HTyHEH}H5%UUHHt2H=vH5IhChHuH?H HLHH[]HHDUHHU]UHHE]ÐUHH;]UHH+]ÐUHSH8HHuHxHEH}HuHggH8@HEEECECHCHH8[]ÐUHAVSHHIH5fLfLuHxHEH}H5`H`H[A^]ÐUH]ÐUH]UHHEEGE GE(G]UHAWAVAUATSH8HH5ZHvZH5ofHffHqH58SH/SLuyH5L%\L\HLHH5HzH=jH QNHLHH5HzH=L(\HLHH5HozH=j HfNHLUHH5VH8zH=OjH FNHLHH5HyH=$jLGH5$IHIH5HyH=H5N ^fNL5U[L%H=i HMH5'[LHAHGL5iH=iH5FFH5FLHHH={iLFIL=GH5FH3HFH5FLHAH5RHxH[A\A^A_]ÐUHAWAVAUATSHhHH5NHNHLuIH5MLLH5JH+HItH5LLf(LH5LLLt*L%LH5_ZHVZH5LLHAIH=4hH5NMIANH5MfLMH5M LhMLHMHML-MINHL$INHL$INHL$IH $H}HMHMH +&HQHT$8HQHT$0HQHT$(H HL$ HMHL$HMHL$HMHL$HMH $H5nMLAH5dML[MLH!MHMHh[A\A]A^A_]ÐUHAVSH`HIH]H4iHEHE(HD$HE HD$HEHD$HEH$H}HuHLLEEH5OLHFLH5JHJf.EvEXEEXEAEAFEAFEAFLH`[A^]ÐUHH5JJH>H /HDH]UHSHxHHuH/hHEHE(HD$HE HD$HEHD$HEH$H}HuHL LEX&EHEHD$HEHD$HEHD$HEH$H}*ftEMU]SKCHHx[]UHAWAVAUATSH8HEXE EL5IL=?H5VHVH5hILHAHEH=dH5JJIM(H5JfLJH5J  L{JH5JL{JH=H5-K'KH5JHIM(Y (Z?tMX MfH]L="IGHD$IGHD$IGHD$IH$X|ZML%pIH}LEиH4NIH=cH5IzIIKH5{IfLnIH5wI L^IHgILH[IIOHL$IOHL$IOHL$IH $M\ H}LEиHHH53IL*ILHHH5ILIH5HLHH8[A\A]A^A_]HH!HHHL$HHHL$HHHL$HH$XZH5HH}EGtUHAVSHPHH]HdHEHE(HD$HE HD$HEHD$HEH$H}H5SSH5*FH!Ft{LuH=*H5HHIFHD$IFHD$IFHD$IH$H}HhSH_SHEHD$HEHD$HEHD$HEH$@qHP[A^]ÐUHAWAVAUATSH8HLuHYPLHMPH5FVH=VIH5DHDH53VH*V3 H5;VH2VHEH5CHCH5'BHBIH=aH5 VVMuuH5VHVuH5UHUH5QGHHGIFHD$IFHD$IFHD$IH$pH5QH|QIL-bKH=*oH5OKLHAՄH5GQH>QH5BHBH57AH.AHdHH5QHPH5BHBIH5A1LAH92MfLd$MfLd$MfLd$M&L$$D$ L%ZHLLIE1>HIFHD$IFHD$IFHD$IH$D$ LLIAGH5.PH%PH5GHGL%G IFHD$IFHD$IFHD$IH$D$ L-GLLIAAMfLd$MfLd$MfLd$M&L$$D$ LLIE13GM~L|$M~L|$M~L|$M>L<$D$ H}LI1AFM~L|$M~L|$M~L|$M>L<$D$ L=FLeLLIE1FIFHD$IFHD$IFHD$IH$D$ ALL>LH5NNH98IFHD$IFHD$IFHD$IH$D$ L%FLLIE1EIFHD$IFHD$IFHD$IH$D$ LLIAEH5MHMH5sEHjEHEINHL$INHL$INHL$IH $D$ L%JEE1LLIE1IFHD$IFHD$IFHD$IH$D$ LLIADM~L|$M~L|$M~L|$M>L<$D$ L}LLIE1DIFHD$IFHD$IFHD$IH$D$ LLDIEXDM~L|$M~L|$M~L|$M>L<$D$ H5'D1AH}йI DH5ALH8LH5CHCHCINHL$INHL$INHL$IH $D$ L%CLLIE1IFHD$IFHD$IFHD$IH$D$ LLIE1JCIFHD$IFHD$IFHD$IH$D$ ALLIABIFHD$IFHD$IFHD$IH$D$ LLIABIFHD$IFHD$IFHD$IH$D$ L}LLIEfBINHL$INHL$INHL$IH $D$ LL‰IE!BINHL$INHL$INHL$IH $D$ L%AALLIE1IFHD$IFHD$IFHD$IH$D$ LLIE1AIFHD$IFHD$IFHD$IH$D$ LLIEAAIFHD$IFHD$IFHD$IH$D$ LLIE@M~L|$M~L|$M~L|$M>L<$D$ L}LLIE1@IFHD$IFHD$IFHD$IH$D$ LL‰IGHIIFHD$IFHD$IFHD$IH$D$ L%4@E1LLIE1@IFHD$IFHD$IFHD$IH$D$ LLIE1?IFHD$IFHD$IFHD$IH$D$ LLIA?IFHD$IFHD$IFHD$IH$D$ LL¹IA>?INHL$INHL$INHL$IH $D$ L}LLIE1>INHL$INHL$INHL$IH $D$ LLIE1>INHL$INHL$INHL$IH $D$ LLDDIظAg>INHL$INHL$INHL$IH $D$ LLDDIظA >AFf.v2IFHD$IFHD$IFHD$IH$H5gJH^JH8[A\A]A^A_]H5IHIIFHD$IFHD$IFHD$IH$D$ L-=LLIAAMfLd$MfLd$MfLd$M&L$$D$ LLIE1'=MfLd$MfLd$MfLd$M&L$$D$ H}LIظINHL$INHL$INHL$IH $D$ L%<E1LLIE1IFHD$IFHD$IFHD$IH$D$ LLIAH<IFHD$IFHD$IFHD$IH$D$ L}LLIA;IFHD$IFHD$IFHD$IH$D$ ZUHAWAVAUATSHHH<HH5CHCH5p;Hg;LHH=RHE,HH5GH0AHEH5JCHACH53HH3uH5CHCHEH=[RH/H/H$1HH1HH/H/IH5[L>L%q2H=RH555L-V2LLHLAH5L>L%62H=QH566LLHLAH=QH.H.HHh0HH/H/HH5+6f H6L=BH=PQH5>>H5tBHcBH5lBHHAH5THLLHZ1H=QHL.HC.H5EHHUL EHHR.HI.HHE@E@EH}HE1HMEEYEYEXEZ YMM`ZEӲYEXEEZ_ZH5pEHEbEHH[A\A]A^A_]HE,HD,@H=OH5EH0EHE,HUHSHH}HQHEH}H5q-k-HHt2H=OH5@@HuH?H HLHH[]HHDUHSH8HHuH-QHEH}HuH:@4@H6@HEEECECHCHH8[]ÐUHAVSHHIH52?L)?LuHPHEH}H5_9HV9H[A^]ÐUHAWAVAUATSHHHL57L=HE(HD$HE HD$HEHD$HEH$H}f |]HEHD$HEHD$HEHD$HEH$H56LAL56L= HH2H2HM(HL$HM HL$HMHL$HMH $D$ L%G6LLIAAL5$6L=HHS2HJ2HM(HL$HM HL$HMHL$HMH $D$ LLIAAL55L=EHH1H1HM(HL$HM HL$HMHL$HMH $D$ LLʹIAAL5R5L=HH1Hx1HU(HT$HU HT$HUHT$HUH$D$ LLADIAAL54L=oHH1H 1HU(HT$HU HT$HUHT$HUH$D$ ALLAD¹IE1AL5w4L=HH0H0HU(HT$HU HT$HUHT$HUH$D$ LLADDIAHH[A\A]A^A_]ÐUHSH(HHE(HD$HE HD$HEHD$HEH$f OtZHH([]UHAVSHH=.KH.HT .L5(HL{(H5H^ZH=JH Ҭl.HL@(H5H#ZH=JH 1.HL(H5HYH=oJH \-HL'H5{HYH=H5ZTIL-3H53L3H53LHAIH53LH3H3H53L3H53LHH#H53L3H5#LHH3H==H5**H53LHH3H53L3H53LHH5LH[A\A]A^A_]ÐUHAWAVAUATSHUH===H5$$H5$H$EH==H5 H5HwH5 HHH5 H* t H5 !H H5.H.H=<L5!.L.IL%..LLff.L-#.LLf .ZEE^EXZLLz-LLff-H= <L-I^EZELLfMr-LL Mi-LL M-LLfM8-ĒH=;H5H52,ʞH!,H5Z!HQ!H5j1La1H=:H5c1LR1H5,H,HH[A\A]A^A_]H5((H5+H+L% HL L-0LL0H=L LL0rUHHHeHu H]H}H<HEH}H500ؐUHAWAVAUATSHH=.:H?0o oHl0IH=9T THQ/IH=9L%LL- HLLLH5HHH=9 Hq/IH=O9ߝ ߝߝH>/IH=49LHLLLYH5HHH=8 H0.IH=8p pHM.IH=8LdHLLLH5HGH=T8 HC.IH=!8 H.IH=8LHLLL+H5 HFH=7 HR-IH=7 Hy-IH=o7L6HLLLH5eHWFH=&7F FH-IH=6# #HЛ,IH=6LHLLLH5֖HEH=6ϛ ϛϛH$~,IH=\6 HK,IH=A6LHLLLfH5H)EH=6LH5PHGH5HDL5L=ҕH=5H5\VH5_HV N^H5fLAL5R&L=H=l5H5""H5 &xH&H5&LHAH=05 HuŖ+H58H/H5HDH[A\A]A^A_]ÐUHAVSHpHIH]H|6HEHE(HD$HE HD$HEHD$HEH$H}HuH++EXCEHOHuEX EH=-4H5H5HZZ f.w f.jvoH5yHpHMHL$HMHL$HMHL$HMH $H}HHEEEEEEEEEAEAFEAFEAFLHp[A^]UHH?HH)u H5)1]H5)UHAWAVSH(HHHu+H]H4HEH}H5H([A^A_]H=2H5H5,H#H5HIL=H]HV4H]H}H5yH5LHAH:H HpH5AL8L^UHAWAVAUATSHHIH=2H5H5HHE(HD$HE HD$HEHD$HEH$HXH%L%HpHD$HhHD$H`HD$HXH$Z!^ZHxf(?@HEHD$HEHD$HEHD$HxH$H}f(@Z f.wf.dcHpHD$HhHD$H`HD$HXH$H8L=HL8X@`HhPpHEHD$HEHD$HEHD$HxH$HHLDx E(E0EHEHD$HEHD$HEHD$HEH$HHLEEEEYpH=|/HpHD$HhHD$H`HD$HXH$H%Hf(%I^YEH="/HEHD$HEHD$HEHD$HxH$Hf(?%IYEH=.HEHD$HEHD$HEHD$HEH$Hf($H H AHdH=L-$LL$H=LL$H=LHސx$H5$L$H5$HUHMLELMHx$Ef. f.H=-H5#m mm=#H5HH=-H5! !H=-H5 H5! H H5#L#H=c-H5  H[A\A]A^A_]H=EL-^#LLJ#H=+LL/#H=UHAVSHH}H.HEHE(HD$HE HD$HEHD$HEH$H}H5HHtoH52#H$#H}L5HLEEH}HLE^EEf.EHPtwHHĀ[A^]UHH=IH5rlfXX]UHH=H5HBfXXr]UHAWAVAUATSHHxL5+H=+H5SMH5VLHHH=+HMHDIL=ZL%CHHL0L-9LLHAH5H@:H=G+HHIL=HHLLLHAH5_H9H=*HHIL=HWHLLLHAH5H9H=*HRHIIL=_H(HL<LLHAH5HS9H=Z*HHIL=HHLLLHAH5*H9H= *HHIL=HHLLLHAH5H8H=)HeH\IL=rHHLOLLHAH5Hf8H=m)HH IL=#HlHLLLHAH5H8H=)HHIL=H=HLLLHAH5FH7H=(HxHoIL=HHLbLLHAH5׈Hy7H=(H)H IL=6HHLLLHAH5H*7H=1(HHIL=HHLLLHAH5)H6H='H5 ; ; H5HH5ƇH6H=H H MH=ۇH XMMH=H XMX ÈZgH=Hw EH=Hb XEEH=yHH XE kXMZ H[A\A]A^A_]ÐUHAWAVATSH@HHIIHUHHHZHPHjH_nA<HsHL%_LLHLL4 \f\\XH@HL{HmA<PH52L)YZ4 _ZP\@H5LZYZ74ZXZZfXAAGAGAGHL%LLH LLz0\\f\XAAOAGAOHH@[A\A^A_]L5AAANAOANAOANH`L%LLH}LL{H}LLfHkA<eX%`XpZZ\fxAAOAgAWH}HLH#kA<ee\fUHAHAOHAOHAOHuHLLvXH52L)YZ1 _ZX\HH5 L ZYZ71ZXZZfPxU\\UXhZZfpT U\fe5UHAWAVSH8HIILuH#HEH}HuH0H'HLLHLH8[A^A_]ÐUHSHHHH}HHHi<tZH=iH5ZHKHEHD$HEHD$HEHD$HEH$AEE1a/HH[]H='H5H HEHD$HEHD$HEHD$HEH$A1E1 /UHSHHHH}HHH(h<tZH=[H54HEHEHD$HEHD$HEHD$HEH$AgE1.HH[]H=H5 HHEHD$HEHD$HEHD$HEH$A1E1,.UHSHHH=H593H}Hh H_ HEHD$HEHD$HEHD$HEH$-Hg<H}H H EX]XmXeZ ~f.vCH5PHGH5PHGff.H5BH9H}f<uyH}H H SM\\X Zr~f.v:H5HH5Hff.vH5HHĈ[]UHAVSH`H}H~HEH}H5 HHtoH5:H,H}L5 HL EEH}HL E^EE~f.EHXewHH`[A^]UHAWAVSHHH=IH5H5UHLH5HIL=H]HHEH}H5H5LHAH[HL=qH=H5H5VLHHAH=H5HHH=L=uWH5C}5H5LHHAHHH|H5LLH[A^A_]H5<}.UHH=!H5H5 HH5M|H*H=>|H5f C}]ÐUHAVSHHH}H)HEH}H5HHIt-HH/H5HH5LHLH[A^]UHH%e0*]ÐUHSHHHeH<H5H]HHEH}H5H[]ÐUHAWAVSHHdHH9Ht8IH5HL=dH5LHHLj)HkdH<Ht>H5Htu&HCdHH58H/H[A^A_]L5H=NH5H5HH5HHA븐UHAWAVSHHILuHhHEH}H5IH@L=YH5LyH5BH KHHAH[A^A_]ÐUHAVS1'H1H'H'IH'H5!L[A^]ÐUHHH8H5-'H50H']ÐUHHH8H5H5H]ÐUHHgH8H5H5H]ÐUHH3H8H5H5H]ÐUHHH8H5]WH5`HW]ÐUHSHHH5HHHH5HH[]ÐUHAVSHHH}HHEH}H5HHIt-HHH5HH5LHLH[A^]UHHHdE1A0j&]UHHcH]ÐUHSHHHcH<H5>8H]HHEH}H5H[]ÐUHAWAVSHHHL5yH=BH5[UIH}HHHEHD$HEHD$HEHD$HEH$H5$HLAHH[A^A_]UHAWAVAUATSHHHeH5~Huu\H=H5  IL= L% L-}H5^ HU H5n LHAH5n LHAH[A\A]A^A_]UHAWAVSHHILuHpHEH}H5IH@L=YH5 L H5BH kHHAH[A^A_]ÐUHAWAVATSHHH=H5H5yHpH5HIL=H]HHEH}H5H5LHAHHL=H=NH5w q L%zLLHHAHlHL=ZH=H5LLHHALH[A\A^A_]UH]ÐUH]UH]UHAWAVATSHHH}HHEH}H5^HUHI L= L%KHHL8H5 LHAL= HHLH5 LHAL= HHLH5m LHAL=m HHLH5S LHAL=S HHLH59 LHAL=9 L%HHLH5 LAL= HHLeH5 LAL= HHL;H5 LAL= HHLH5 LAL= L% HHL H5 LAL= HHL H5 LAH5 L Hu'H=H5)#H5 LH H5 L Hu'H=dH5M G H5 LH H5] LT Hu'H=(H5  H5d LHX H51 L( Hu'H=H5UOH58 LH, H5 L Hu'H=H5H5 LH LH[A\A^A_]UHH5cH]ÐUHH+cH]ÐUHH!cH]ÐUHHcH]ÐUHH cH]ÐUHHc]UHHb]UHHb]UHHb]UHHb]UHHb]ÐUHHb]UHHb]ÐUHHb]UHHb]ÐUHH}b]UHHmb]ÐUHAVSHHHbH<L5LHaH<LHaH<LHaH<LHaH<LmH]H HEH}H53-H[A^]UHAWAVSHHaHH9tPHIH5HL=ZaH5HHLLH5uLgH[A^A_]UHAWAVSHHaHH9tPHIH5HL=`H5{HrHLL\H5LH[A^A_]UHAWAVSHHx`HH9tPHIH5*H!L=R`H5HHLLH5LwH[A^A_]UHAWAVSHH_HH9tPHIH5HL=_H5HHLLlH5 LH[A^A_]UHAWAVSHH_HH9tPHIH5:H1L=j_H5H HLLH5LH[A^A_]UH]ÐUHAWAVAUATSH(H=_<HH1_<thH^H<H5YSHHH|HHD$HHD$HHD$HH$H^<H= H5$H o^Z H5HIL=HXHHHpHD$HhHD$H`HD$HXH$D$ H51ALIAH]<H= H5nhH ]Z H5HIL=2H}H7H.HEHD$HEHD$HEHD$HEH$D$ H51ALIAH([A\A]A^A_]H=E H5f`H \H H \H H5HIL=pHHHyHHD$HHD$HHD$HH$H5#lLAH5.L%Ha\L4L=HL%HLH0HD$H(HD$H HD$HH$D$ L-LLIAAH= H5H [Z H5HIL=PH8HLMHPHD$HHHD$H@HD$H8H$D$ LLIظAAdH:[L4L=HxL%HLHEHD$HEHD$HEHD$HxH$D$ L-LLIAAH=H5f`H ZZ H5HIL=*H}HL*HEHD$HEHD$HEHD$HEH$D$ LLIظAAUHAWAVATSHHILuHb HEH}H5+H"L=;H5LL%$H mHLHAL= H5LH cHLHAL=H5LH YHLHAL=H5LH OHLHAL=H5LH EHLHAL=H5{LrL%hH 1HLAL=QH5ZLQH 'HLAL='H5@L7H HLAL=H5&LH HLAL=#H5 LL% HHLAL=H5LHHLAH[A\A^A_]UHH5H5H]UHAVSIH5_LVH5HljH5L[A^]UHH5H5Hy]UHAVSIH5LH5aHljVH5Lq[A^]UHH5H54H+]ÐUHAVSHIH5L{H5$HHH5L[A^]UHH5C=H56H-]UHAVSIH5L H55Hlj*H5L[A^]UHH5H5hH_]ÐUHAVSHIH5LH5HHH<H55L'[A^]UHH5gaH5H]ÐUHAVSHIH5:L1H5HHH5L[A^]UHH5H5H]ÐUHAVSHIH5LH5HHH5YLK[A^]UHAWAVATSHHH}HIHEH}H5HHIL=L%HHLH5LAL=}HHLH5`LAL=#HHL`H5LAL=yL%HHLH5XLHAL=HHLH5~LHAL=HwHLH5LHAL=HmHLH5LHAL= HcHLWH5LHAH5LwHu'H={H5H5wLHkH5TLKHu'H=?H5H5;LH/H58L/Hu'H=H5\VH5LHH5LHu'H=H50*H5LHH5LtHH5E1fL6LH[A\A^A_]UHHKY]ÐUHHQYH]ÐUHH/Y]UHHY]ÐUHHH:YE10E1]ÐUHHYH]ÐUHHHYAE10L]UHHX0-]ÐUHHXH]ÐUHHXH]ÐUHHX]ÐUHHXH]ÐUHAWAVSHHbXHH9tKHIH5HL=HLHAL=H5LH 4HLHAL=H5LH *HLHAH[A\A^A_]ÐUHH1sysHuR2sysHuD} t1H]Ã}%L%N%P%R%T%V%X%Z%\%^%`%b%d%f%h%j%l%n%p%r%t%v%x%z%|%~%%H=RtLQAS%AHZhL|hLrh*Lhh>L^hXLThvLJshL@ahL6OhL,=hL"+hLhLh)Lh?LhTLhjLh}LܭhLҭhLȭhLwhLehLShLAhL/hLh8L hQLxhjLnorderFrontColorPanel:bundleForClass:allocinitWithContentsOfFile:autoreleasesharedApplicationtoolTippaletteLabelitemIdentifierToolbarItemColors.tiffBWToolbarShowColorsItemColorsShow Color PanelorderFrontFontPanel:#A:16@0:8targetlabelToolbarItemFonts.tiffBWToolbarShowFontsItemFontsShow Font PaneltoggleActiveView:windowDidResize:selectInitialIteminitialSetupibDidAddToDesignableDocument:retainsetDocumentToolbar:setHelper:setEnabledByIdentifier:documentToolbarencodeObject:forKey:helper_defaultItemIdentifiersarrayWithObjects:isEqualToArray:initWithIdentifier:setEditableToolbar:performSelector:withObject:afterDelay:_windowsetShowsToolbarButton:setAllowsUserCustomization:toolbarIndexFromSelectableIndex:switchToItemAtIndex:animate:indexOfObject:parentOfObject:childrenOfObject:countByEnumeratingWithState:objects:count:editableToolbarsetInitialIBWindowSize:defaultCenteraddObserver:selector:name:object:itemssetObject:forKey:setItemSelectorsselectItemAtIndex:contentViewsetContentViewsByIdentifier:windowSizesByIdentifiervalueWithSize:setWindowSizesByIdentifier:objectAtIndex:setSelectedItemIdentifier:setSelectedIdentifier:dictionaryWithObject:forKey:postNotificationName:object:userInfo:setTarget:removeObserver:name:object:deallocnumberWithBool:objectForKey:boolValuenewselectableItemIdentifierssetIsPreferencesToolbar:titleselectedItemIdentifiersetTitle:oldWindowTitlearraymakeFirstResponder:initWithFrame:addObject:toParent:copymoveObject:toParent:addSubview:identifierAtIndex:bwResizeToSize:animate:sizeValueremoveObject:recalculateKeyViewLoopBWSelectableToolbar 5 v24@0:8i16c20setSelectedIndex:i16@0:8labelstoolbarSelectableItemIdentifiers:@24@0:8@16toolbar:itemForItemIdentifier:willBeInsertedIntoToolbar:@36@0:8@16@24c32toolbarAllowedItemIdentifiers:toolbarDefaultItemIdentifiers:validateToolbarItem:c24@0:8@16setEnabled:forIdentifier:v28@0:8c16@20setSelectedItemIdentifierWithoutAnimation:@20@0:8i16i20@0:8i16selectFirstItemawakeFromNib@"BWSelectableToolbarHelper"itemIdentifiers@"NSMutableArray"itemsByIdentifierinIBiT@"NSMutableArray",R,PenabledByIdentifierT@"NSMutableDictionary",C,VenabledByIdentifier,PTc,VisPreferencesToolbarT@"BWSelectableToolbarHelper",&,Vhelper,PBWSTDocumentToolbarBWSTHelperBWSTIsPreferencesToolbarBWSTEnabledByIdentifierNSToolbarFlexibleSpaceItemNSToolbarSpaceItemNSToolbarSeparatorItem7E6A9228-C9F3-4F21-8054-E4BF3F2F6BA80D5950D1-D4A8-44C6-9DBC-251CFEF852E2BWClickedItemBWSelectableToolbarItemClickedBWSelectableToolbarHelperIBEditableBWSelectableToolbaraddBottomBarsetContentBorderThickness:forEdge:contentBorderThicknessForEdge:isSheetBWAddRegularBottomBar{CGRect={CGPoint=dd}{CGSize=dd}}16@0:8BWRemoveBottomBarsetBackgroundStyle:BWInsetTextField!BWTransparentButton!classpathForImageResource:whiteColorisHighlightedisEqualToString:bwTintedImageWithColor:drawTitle:withFrame:inView:_textAttributesaddEntriesFromDictionary:NSActionTemplateBWTransparentButtonCell"{CGRect={CGPoint=dd}{CGSize=dd}}64@0:8@16{CGRect={CGPoint=dd}{CGSize=dd}}24@56v64@0:8@16{CGRect={CGPoint=dd}{CGSize=dd}}24@56drawBezelWithFrame:inView:TransparentButtonLeftN.tiffTransparentButtonFillN.tiffTransparentButtonRightN.tiffTransparentButtonLeftP.tiffTransparentButtonFillP.tiffTransparentButtonRightP.tiffBWTransparentCheckboxcolorWithCalibratedWhite:alpha:interiorColorisInTableViewboldSystemFontOfSize:isMemberOfClass:graphicsPortbackgroundStyledrawInteriorWithFrame:inView:BWTransparentCheckboxCelldrawImage:withFrame:inView:c16@0:8TransparentCheckboxOffN.tiffTransparentCheckboxOffP.tiffTransparentCheckboxOnN.tiffTransparentCheckboxOnP.tiffBWTransparentPopUpButton!pullsDownsizesetScalesWhenResized:transformtranslateXBy:yBy:scaleXBy:yBy:concatimageRectForBounds:drawInRect:fromRect:operation:fraction:invertimagePositionalignmentsystemFontOfSize:BWTransparentPopUpButtonCellQ16@0:8{CGRect={CGPoint=dd}{CGSize=dd}}48@0:8{CGRect={CGPoint=dd}{CGSize=dd}}16v56@0:8{CGRect={CGPoint=dd}{CGSize=dd}}16@48TransparentPopUpFillN.tiffTransparentPopUpFillP.tiffTransparentPopUpRightN.tiffTransparentPopUpRightP.tiffTransparentPopUpLeftN.tiffTransparentPopUpLeftP.tiffTransparentPopUpPullDownRightN.tifTransparentPopUpPullDownRightP.tifBWTransparentSlidersetTickMarkPosition:numberOfTickMarksrectOfTickMarkAtIndex:knobRectFlipped:startTrackingAt:inView:stopTracking:at:inView:mouseIsUp:BWTransparentSliderCellv60@0:8{CGPoint=dd}16{CGPoint=dd}32@48c56c40@0:8{CGPoint=dd}16@32{CGRect={CGPoint=dd}{CGSize=dd}}20@0:8c16v52@0:8{CGRect={CGPoint=dd}{CGSize=dd}}16c48isPressedTransparentSliderTrackLeft.tiffTransparentSliderTrackFill.tiffTransparentSliderTrackRight.tiffTransparentSliderThumbP.tiffTransparentSliderThumbN.tiffTransparentSliderTriangleThumbN.tiffTransparentSliderTriangleThumbP.tiffsplitView:resizeSubviewsWithOldSize:splitViewWillResizeSubviews:splitViewDidResizeSubviews:splitView:constrainSplitPosition:ofSubviewAt:splitView:canCollapseSubview:splitView:shouldHideDividerAtIndex:resizeAndAdjustSubviewsrestoreAutoresizesSubviews:animationEndedsetCollapsibleSubviewCollapsedHelper:setMinSizeForCollapsibleSubview:initWithStartingColor:endingColor:setFlipped:setColor:setColorIsEnabled:setMinValues:setMaxValues:setMinUnits:setMaxUnits:decodeIntForKey:setCollapsiblePopupSelection:setDividerCanCollapse:encodeWithCoder:colorcolorIsEnabledminValuesmaxValuesminUnitsmaxUnitscollapsiblePopupSelectiondividerCanCollapsemainScreenuserSpaceScaleFactordividerThicknessdrawSwatchInRect:drawDividerInRect:drawGradientDividerInRect:centerScanRect:isVerticaldrawDimpleInRect:convertRectToBase:convertRectFromBase:subviewscountsubviewIsCollapsible:isSubviewCollapsed:collapsibleSubviewsubviewIsCollapsed:collapsibleSubviewIndexinvalidateCursorRectsForView:setCollapsibleSubviewCollapsed:bwShiftKeyIsDownhasCollapsibleSubviewhasCollapsibleDividersetState:mutableCopynumberWithInt:removeObjectForKey:setAutoresizesSubviews:intValuesetToggleCollapseButton:cellsetHighlightsBy:setShowsStateBy:subviewIsResizable:autoresizesSubviewssetHidden:collapsibleSubviewCollapsedremoveMinSizeForCollapsibleSubviewbeginGroupingcurrentContextanimationDurationsetDuration:animatorsetFrameSize:endGroupingframemouseDown:isKindOfClass:collapsibleDividerIndexsetNeedsDisplay:subviewMaximumSize:subviewMinimumSize:clearPreferredProportionsAndSizescollapsibleSubviewIsCollapsedautoresizingMaskfloatValuearrayWithCapacity:dictionarynumberWithFloat:addObject:setResizableSubviewPreferredProportion:setNonresizableSubviewPreferredSize:setStateForLastPreferredCalculations:nonresizableSubviewPreferredSizeallKeysrecalculatePreferredProportionsAndSizesvalidatePreferredProportionsAndSizescorrectCollapsiblePreferredProportionOrSizevalidateAndCalculatePreferredProportionsAndSizesdictionaryWithCapacity:allValuesinitWithKey:ascending:arrayWithObject:sortUsingDescriptors:setFrame:setDividerStyle:blackColorBWSplitViewsetCheckboxIsEnabled:setSecondaryDelegate:secondaryDelegatecheckboxIsEnabledd20@0:8i16resizableSubviewsd40@0:8@16d24q32c40@0:8@16@24q32{CGRect={CGPoint=dd}{CGSize=dd}}32@0:8@16q24c32@0:8@16q24toggleCollapse:@"NSColor"@"NSArray"uncollapsedSizef@"NSButton"isAnimatingT@,VsecondaryDelegate,PtoggleCollapseButtonT@"NSButton",&,VtoggleCollapseButton,PstateForLastPreferredCalculationsT@"NSArray",&,VstateForLastPreferredCalculations,PT@"NSMutableDictionary",&,VnonresizableSubviewPreferredSize,PresizableSubviewPreferredProportionT@"NSMutableDictionary",&,VresizableSubviewPreferredProportion,PTc,VcollapsibleSubviewCollapsedTc,VdividerCanCollapseTi,VcollapsiblePopupSelectionT@"NSMutableDictionary",&,VmaxUnits,PT@"NSMutableDictionary",&,VminUnits,PT@"NSMutableDictionary",&,VmaxValues,PT@"NSMutableDictionary",&,VminValues,PTc,VcheckboxIsEnabledTc,VcolorIsEnabledT@"NSColor",C,Vcolor,PBWSVColorBWSVColorIsEnabledBWSVMinValuesBWSVMaxValuesBWSVMinUnitsBWSVMaxUnitsBWSVCollapsiblePopupSelectionBWSVDividerCanCollapseselfGradientSplitViewDimpleBitmap.tifGradientSplitViewDimpleVector.pdfsetSliderToMaximumsetSliderToMinimuminitWithCoder:decodeObjectForKey:setMinButton:setMaxButton:indicatorIndexencodeInt:forKey:minButtonmaxButtontrackHeightsetTrackHeight:minValuesetDoubleValue:actionsendAction:to:maxValuehitTest:convertPoint:fromView:setFrameOrigin:drawWithFrame:inView:boundsremoveFromSuperviewsetBordered:setImage:setAction:setEnabled:doubleValuedeltaYdeltaXsetFloatValue:setShowsFirstResponder:becomeFirstResponderresignFirstResponderBWTexturedSlider!bscrollWheel:v20@0:8c16setIndicatorIndex:v20@0:8i16@32@0:8{CGPoint=dd}16sliderCellRect{CGRect="origin"{CGPoint="x"d"y"d}"size"{CGSize="width"d"height"d}}T@"NSButton",&,VmaxButton,PT@"NSButton",&,VminButton,PTi,VindicatorIndexBWTSIndicatorIndexBWTSMinButtonBWTSMaxButtonTexturedSliderSpeakerQuiet.pngTexturedSliderSpeakerLoud.pngTexturedSliderPhotoSmall.tifTexturedSliderPhotoLarge.tifcompositeToPoint:operation:BWTexturedSliderCellv16@0:8_usesCustomTrackImagedrawKnob:v48@0:8{CGRect={CGPoint=dd}{CGSize=dd}}16drawBarInside:flipped:setNumberOfTickMarks:v24@0:8q16controlSizeTi,VtrackHeightBWTSTrackHeightTexturedSliderTrackLeft.tiffTexturedSliderTrackFill.tiffTexturedSliderTrackRight.tiffTexturedSliderThumbP.tiffTexturedSliderThumbN.tiffBWAddSmallBottomBarsplitView:shouldCollapseSubview:forDoubleClickOnDividerAtIndex:splitView:effectiveRect:forDrawnRect:ofDividerAtIndex:splitView:constrainMaxCoordinate:ofSubviewAt:splitView:constrainMinCoordinate:ofSubviewAt:splitView:additionalEffectiveRectOfDividerAtIndex:initWithColorsAndLocations:setIsResizable:setIsAtBottom:setHandleIsRightAligned:isResizablesplitViewdelegatesplitViewDelegatesetSplitViewDelegate:setDelegate:bwBringToFrontdrawInRect:angle:drawResizeHandleInRect:withColor:drawLastButtonInsetInRect:classNamesetIsAtLeftEdgeOfBar:setIsAtRightEdgeOfBar:isInLastSubviewlastObjectdividerIndexNearestToHandlerespondsToSelector:adjustSubviewsBWAnchoredButtonBarwasBorderedBar!{CGRect={CGPoint=dd}{CGSize=dd}}96@0:8@16{CGRect={CGPoint=dd}{CGSize=dd}}24{CGRect={CGPoint=dd}{CGSize=dd}}56q88c32@0:8@16@24v40@0:8@16{CGSize=dd}24q16@0:8viewDidMoveToSuperviewdrawRect:@48@0:8{CGRect={CGPoint=dd}{CGSize=dd}}16c@T@,VsplitViewDelegate,PhandleIsRightAlignedTc,VhandleIsRightAlignedTc,VisResizableisAtBottomTc,VisAtBottomselectedIndexTi,VselectedIndexBWABBIsResizableBWABBIsAtBottomBWABBHandleIsRightAlignedBWABBSelectedIndexBWAnchoredButtonBWAnchoredPopUpButton!0isAtRightEdgeOfBartopAndLeftInset{CGPoint="x"d"y"d}Tc,VisAtRightEdgeOfBarTc,VisAtLeftEdgeOfBarisAtLeftEdgeOfBarsetShadowColor:highlightRectForBounds:titleRectForBounds:namesetSize:showsStateByimageColorsetTemplate:BWAnchoredButtonCellbezierPathsetLineWidth:moveToPoint:lineToPoint:strokev72@0:8i16i20{CGRect={CGPoint=dd}{CGSize=dd}}24@56c64c68BWAdditionsbestRepresentationForDevice:pixelsWidepixelsHighinitWithSize:rotateByDegrees:drawInRect:bwRotateImage90DegreesClockwise:@20@0:8c16initunarchiveObjectWithData:setOldWindowTitle:decodeSizeForKey:contentViewsByIdentifierarchivedDataWithRootObject:selectedIdentifierinitialIBWindowSizeencodeSize:forKey:encodeBool:forKey:0v24@0:8@16v32@0:8{CGSize=dd}16{CGSize=dd}16@0:8@"NSMutableDictionary"{CGSize="width"d"height"d}isPreferencesToolbarT{CGSize="width"d"height"d},VinitialIBWindowSizeT@"NSString",C,VoldWindowTitle,PT@"NSString",C,VselectedIdentifier,PT@"NSMutableDictionary",C,VwindowSizesByIdentifier,PT@"NSMutableDictionary",C,VcontentViewsByIdentifier,PBWSTHContentViewsByIdentifierBWSTHWindowSizesByIdentifierBWSTHSelectedIdentifierBWSTHOldWindowTitleBWSTHInitialIBWindowSizeBWSTHIsPreferencesToolbarsetFrame:display:animate:styleMaskbwIsTexturedv36@0:8{CGSize=dd}16c32bwTurnOffLayersortSubviewsUsingFunction:context:durationsetWantsLayer:bwAnimatoraddTableColumn:dataCellsetDataCell:usesAlternatingRowBackgroundColorsdrawBackgroundInClipRect:rowsInRect:selectedRowIndexescontainsIndex:rectOfRow:setCompositingOperation:restoreGraphicsStateBWTransparentTableViewcellClass#16@0:8!uhighlightSelectionInClipRect:_highlightColorForCell:_alternatingRowBackgroundColorsbackgroundColorNSTextFieldCellattributedStringValueattributesAtIndex:effectiveRange:initWithString:attributes:setAttributedStringValue:drawingRectForBounds:cellSizeForBounds:selectWithFrame:inView:editor:delegate:start:length:editWithFrame:inView:editor:delegate:event:BWTransparentTableViewCellv80@0:8{CGRect={CGPoint=dd}{CGSize=dd}}16@48@56@64@72v88@0:8{CGRect={CGPoint=dd}{CGSize=dd}}16@48@56@64q72q80mIsEditingOrSelecting!0drawArrowInFrame:drawAtPoint:fromRect:operation:fraction:isEnabledtextColorimageisTemplateBWAnchoredPopUpButtonCell#drawImageWithFrame:inView:drawBorderAndBackgroundWithFrame:inView:setControlSize:v24@0:8Q16ButtonBarPullDownArrow.pdfcustomViewLightBorderColorcustomViewDarkTexturedBorderColorcustomViewDarkBorderColorbwIsOnLeopardcontainerCustomViewBackgroundColorchildlessCustomViewBackgroundColordrawTextInRect:stringWithFormat:boundingRectWithSize:options:drawAtPoint:%d x %d pt%d ptNSViewisOnItsOwnBWCustomViewBWUnanchoredButtonBWUnanchoredButtonCellBWUnanchoredButtonContainershouldCloseSheet:setMovable:orderOut:setAlphaValue:initWithWindow:beginSheet:modalForWindow:modalDelegate:didEndSelector:contextInfo:endSheet:performSelector:withObject:closeSheet:BWSCSheetBWSCParentWindowBWSheetControllersetParentWindow:parentWindowsetSheet:sheetmessageDelegateAndCloseSheet:openSheet:@"NSWindow"T@,&,N,Vdelegate,PT@"NSWindow",&,N,Vsheet,PT@"NSWindow",&,N,VparentWindow,PibTestersetDrawsBackground:BWTransparentScrollView_verticalScrollerClasssetBottomCornerRounded:BWAddMiniBottomBarBWAddSheetBottomBarBWTokenField!3stringValueinitTextCell:setRepresentedObject:attachmentsetAttachment:setTextColor:fontsetFont:setUpTokenAttachmentCell:forRepresentedObject:@32@0:8@16@24BWTokenFieldCellGcolorWithCalibratedRed:green:blue:alpha:filldrawInBezierPath:angle:bezierPathWithRoundedRect:xRadius:yRadius:tokenBackgroundColorgetRed:green:blue:alpha:interiorBackgroundStylearrowInHighlightedState:pullDownRectForBounds:BWTokenAttachmentCellpullDownImagedrawTokenWithFrame:inView:setArrowsPosition:drawKnobSlotknobProportiondrawKnobrectForPart:_drawingRectForPart:BWTransparentScrollerscrollerWidthForControlSize:d24@0:8Q16scrollerWidthd16@0:8initialize!Q0{CGRect={CGPoint=dd}{CGSize=dd}}24@0:8Q16TransparentScrollerKnobTop.tifTransparentScrollerKnobVerticalFill.tifTransparentScrollerKnobBottom.tifTransparentScrollerSlotTop.tifTransparentScrollerSlotVerticalFill.tifTransparentScrollerSlotBottom.tifTransparentScrollerKnobLeft.tifTransparentScrollerKnobHorizontalFill.tifTransparentScrollerKnobRight.tifTransparentScrollerSlotLeft.tifTransparentScrollerSlotHorizontalFill.tifTransparentScrollerSlotRight.tifBWTransparentTextFieldCellsetIdentifierString:bwRandomUUID_setItemIdentifier:BWToolbarItem#B@16@0:8@"NSString"identifierStringT@"NSString",C,VidentifierString,PBWTIIdentifierStringcurrentEventmodifierFlagsbwCapsLockKeyIsDownbwControlKeyIsDownbwOptionKeyIsDownbwCommandKeyIsDownopenURLInBrowser:setUrlString:urlStringsharedWorkspaceURLWithString:openURL:pointingHandCursoraddCursorRect:cursor:BWHyperlinkButtonresetCursorRectsT@"NSString",C,N,VurlString,PBWHBUrlStringblueColorBWHyperlinkButtonCellisBorderedsetFillStartingColor:setFillEndingColor:setFillColor:setTopBorderColor:setBottomBorderColor:decodeBoolForKey:setHasTopBorder:setHasBottomBorder:setHasGradient:setHasFillColor:decodeFloatForKey:setTopInsetAlpha:setBottomInsetAlpha:grayColorfillEndingColorfillColortopBorderColortopInsetAlphaencodeFloat:forKey:bottomInsetAlphareleasesetbwDrawPixelThickLineAtPosition:withInset:inRect:inView:horizontal:flip:colorWithAlphaComponent:BWGradientBox v20@0:8f16f16@0:8isFlippedhasFillColorTc,VhasFillColorhasBottomBorderTc,VhasBottomBorderhasTopBorderTc,VhasTopBorderTf,VbottomInsetAlphaTf,VtopInsetAlphabottomBorderColorT@"NSColor",&,N,VbottomBorderColor,PT@"NSColor",&,N,VtopBorderColor,PT@"NSColor",&,N,VfillColor,PT@"NSColor",&,N,VfillEndingColor,PfillStartingColorT@"NSColor",&,N,VfillStartingColor,PBWGBFillStartingColorBWGBFillEndingColorBWGBFillColorBWGBTopBorderColorBWGBBottomBorderColorBWGBHasTopBorderBWGBHasBottomBorderBWGBHasGradientBWGBHasFillColorBWGBTopInsetAlphaBWGBBottomInsetAlphasetHasShadow:setShadowIsBelow:shadowColorstartingColorsolidColorBWStyledTextFieldapplyGradientsetPreviousAttributes:setStartingColor:setEndingColor:setSolidColor:greenColorhasShadowcopyWithZone:shadowisEqualTo:setShadowOffset:setShadow:controlViewwindowascenderdescenderlockFocusunlockFocuscolorWithPatternImage:saveGraphicsStatesuperviewconvertRect:toView:setPatternPhase:changeShadowBWStyledTextFieldCell@24@0:8^{_NSZone=}16@"NSShadow"T@"NSColor",&,N,VsolidColor,PhasGradientTc,VhasGradientendingColorT@"NSColor",&,N,VendingColor,PT@"NSColor",&,N,VstartingColor,PpreviousAttributesT@"NSMutableDictionary",&,VpreviousAttributes,PT@"NSShadow",&,N,Vshadow,PTc,VhasShadowT@"NSColor",&,N,VshadowColor,PshadowIsBelowTc,VshadowIsBelowBWSTFCShadowIsBelowBWSTFCHasShadowBWSTFCHasGradientBWSTFCShadowColorBWSTFCPreviousAttributesBWSTFCStartingColorBWSTFCEndingColorBWSTFCSolidColorNSFontA@$@333333??&@.@??333333?@@@?@???)\(?_GY@?@>Gz?V@?I@9I9@2@"@8@`YY?`UU?`^^???eS.?A`"??7@p@&?ffffff? ? ???VV@?p= ף?\(\?{Gz??UUUUUU??0@(@???~~???{Gz?HzG?333333?6@D@@ @;;;;;;???xxxxxx??______???????\\\\\\?]]]]]]??????PPPPPP???????======??111111????????yyyyyy?????????S?1Zd????@88!Xa PPpP <$|t,--778:>>?AApBMMNOPP>QVRRnSS(TW&X.YZ[^^pa@bccergjjlo@rrss6u(<4|n"dd|XfDBxb\ HB$N  D!."'( *T++*-n..0(00011245r5h9x::<;;;6<JBtBHJxKKpL>O(P,bcdcffnikkpl.mmmno|oo p4p"qqrHr6sswx}~.nLN@`zƗ^bD6\ƪV|ĭ2XĮ2|&DB@zRx ,&  $L  $t~  $d $V  $<  $"  zRx ,  $Lb  $tH  $. $  $  $  zRx $* $DW ,l  $  $ $ $# ,<  ,l. D ,B  , : ,N ,,[ $\  $! $ $ ,  ,,g ,\ ,`  , ,N ,  ,L ,|u ,0 ,  , @ ,<  ,l~(  $(9 $( ,x)  ,L*  ,L*  $|+^ $+F zRx $+s $D&,* $l(, $,0 zRx $,* zRx $,` zRx ,,  ,L-  $|J0 $(0  $ 0* ,0  $$0k $L*1 zRx ,1b  ,L3  $|5 $x5  ,\5, ,X7 ,,7  ,\P8Z  ,z9J zRx ,|9  ,LR; ,|F  ,"F|  ,nG zRx ,,I  ,LK4  $|M $L $L  $L  $L  $DL  $lL $L $L $|L $ fL $4PL  $\HL $:L  $2L $$L  $L $$L  $LL $tK $K ,K ,Lg ,$Lg ,TMg ,@Mg ,xMw ,Mx  $N" $<N\ $d6NC ,RN  ,N $Jg7 $ZgG ,<zg ,l kN ,*m  ,s  ,t  ,, ,<  ,V  , @ ,<   ,l   , 6  , R  , Ƒ  ,,   $\ ZU $  $ a $ . $  ,$ 6 $T V $| >J $ `P $ Z , 9 ,$ Ĕ}  ,T  $ - $ ; ,   $ j $, @6 ,T N@  zRx ,F  ,L  $|N $6  $. $  $ ,D f $t@X $p[ ,  ,r  ,$P ,T   $ī ,|  ,h|  , H $<̭# ,dȭ  zRx ,N ,L  $| $ $r9 $< $  ,D|  ,tj  $ $ $z $X ,D8o  zRx $`s $D* $l $t0 zRx $d $D  ,lγ $| $d $N $6 $<  $d $ $ ,еi  ,  k ,<F  ,ls  ,Fi  ,~ ,ηs  ,,s  ,\V ,:q ,| , ,|  ,L ,|@t $K ,u ,  ,4 ,dr  ,  ,  zRx $L $D $l $v $^ $Hi , M zRx $  $Dt $lR0 ,Z  $ * ,   ,  ,LZ  $|* $ ,$ zRx , zRx ,  ,L zRx ,tm  $L# $t $# $ $# $ $<|# $dx $j $Z $J $2 ,, ,\zH  ,C zRx $ ,Dw  zRx $' $D= $lh $ zRx ,  $L ,t ,2  $ $- $$  $Lm zRx ,M  ,L  ,|  ,` zRx $( $D $lh $R $: $$i , fM zRx $l  $DP $l.0 ,6  $* ,   ,   ,L  ,| $`* $b ,  ,, zRx ,H  ,Lh  zRx $  $D, i ,ln M zRx ,t !  $LfJ ,t zRx , zRx $( ,D  $t@n $O , $  $ $D ,l  $b $X $N zRx $,h $Dl zRx $Fs $D* $l ,Z zRx $s $D* $l , zRx ,)  zRx ,  $LE ,tm  , v $&"8 ,6"  ,,"] zRx ,'  $L(* $t(* ,(  ,-2 ,2a  $,2 $T3 $|:4 ,5 zRx ,6T  $L$7Y zRx ,>7r $L7 $tr7K ,7  ,J8o  zRx ,r8C zRx $n83 $Dz83 $l83 $83 $83 zRx $8= ,D8r $t8  $8 $8K ,8  ,@9  ,L9o  zRx ,9  $L:  $t: $h: zRx ,.:Z  $LX= $tB= $,= $= $= $< $<< $d< $< $< $z< $d< $,L< $T6< $|< $< $; ,; ,$LG $&G $G $G $<F  $dF $F $F $F $F ,,Fs  $\F ,FV ,F~  ,0Gs  ,tGs  ,DG ,ttIU  ,K  ,L ,L  ,4N ,dN%  ,O  zRx $P> "4FXj| 0BTfx__s@`w} 4 @`$$5 Pp`` @`""` $@$  3 A O \ p!!  Tp!@`0Pi@ S ^d @`'!'!@`) )  H  Pp 0Pp0PpX`ض hPȽXP@@0HЄP (p(H` hP(@0 hPЉx (ppPH`@8P`X@PH08Ў @P #<Lao'CdP&HdXwD8)D[x7(@,]gv| )X8~d.+HXptp@%/AOVjVj$ :!2J+>LZgt 0CNct >Th{ T:\m#?b0$T%9d[y$Fiq3G^opcdr%BRho(8csq 2Tt;T 5RM  "n ;vj!.QkwyD [v(F]gNZh~0 49Q|5R_nwSm% 2        V         + < O a     b       R ,A6dv}2Fpd$0Tl#  8hH؆8؆؆h؆؆ȌxȌ؁(ȂhH8؆(xȇh8xȌhX((;Q,d((``(;Q,d((@T@h &taN#dcq,--f/037 77<778[pf9{::)^<>>w?AACpB2EMMMNoOPP@|>Q$Q< a &6H@@a`h`qa((hVR$RnS@QhS((FF`((l}l@S((((8Uxx$4W0WdWH&X+.Y.(T8dY(((( [xx $4^0^.^d`dpa+@btNcHZ((((rg$4j0jdjHjjlVedc8dm((((lol $4@r0Fr4RrJXr2r!rNss6u@o  J`((pNyMN{f{>{L{Z{g|$|4|fD|0NT|#Nf|x|$||F|| }&}TF}`}|}} ~~P +f*N2 pҁT9*bNlq?ħ%?p\UҫBd^\hHh(hp$y@0޻ƽld?fN "X NhH[N{p>pZ(db`@dNnr(N(NYfvq$<#4|@ hh ""5`((``8 "2JB2|N  dj$4r0x@n J`hD((  8hd$|@((';NXfU'hX(DNTcffNvfN0$yBd^hpxhhjqdsfbN\T2d$  @6 ```h dh((@f Nf&N6H@ ( `0`8 ((nxx . j HN$8dBMRdD!$4 0 )."b%'b`((p9pX *P.*H*l*D**(*g*+(+f2+NB+T++@(*- P@@gc` (8g3PqNn..b@0f0 (0b((p112!494Y4Q50((pTUpD78h9dr5 `T((@pf: N;f;N*;<;;@x: X ```h ((CH dHVJxKjKHtBJB pLd6<M<Rd>O$4<0; pk`^$(P((vvx((Hbc@,b pfMf8ddc((xxxni((`(( H nmnmnm .ml(plk@mk 33 dJc((|o0@o((h p$4p"q@o((''hr$Hr6s@q((;H;s((((xDD0} ~H.wdt((Lv XwnNR,$ @6n `((1TT18H@((h`zSƗ@ mb@ N.T Ng Nƙy NN^b((  @8  2D  @b 0  * ((` xx` v Nf*8d0H((t  t h(   ơb ءO    a      f2 NB fT Nd fvN+ f N \ ԣ L Ĥ < N$ƪ@6    b      ` ``  `       -  P b t       &,|2 Į fXN25ĭf|NVfRN((}((STiSX X N̲f޲RNv06Pj|N5f& fD, dBFH@dw@  ` R` `( 0 8 @ H vP 6@TUVX`hpx 6IvRNb 8؁(xȂhXH8؆(xȇhXH8؋(xȌhX0x ?!P`B~p(RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCppSBp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RC`%Apphp pp0pp(p@pppRCpp@p8p@pRJp` Cp8SE`Cp8SE`Cp8SApp`rASASASASASASASIXCp8SE\ASCp8SGp8SESCp8RHRESBSE`Cp8RHRESBSE`Cp8RHRESBSE`Cp8RHRESBSAp`ASERESBSApp`ASASASASASASASASASASASASASASASASAS0`CRESBSApp`9ASASASASASGVCRESBSApp`'ASASDRCp8SE\CREVBSApp`]ASASASASASGZCp8SApp`ASASASETCRESBSE`ATAp WAp0p8SApp`0ASASASASASASH\AWAp ZAp0REVBSE`Cp8SAp\ASEp8SApp`ASASASETCRESBSE`$BSBVCp8SAp(p8SApYASCSAVCRFSESCp8SJp@RApp`$ASASASBVCRESBSESCp8SE\Cp8SE\Cp8RFSCp8SGRESBSE`CREYBSAp`ASERESBSESCp8SApp`ASCRATBp`Bp(p8SApp`ASCRCp8SE\Cp8SApp`QASASASASASASASASASASASM`A`*Cp8SGp8SApp`QASASASASASASASASASK`ATBp`4@dyld_stub_binderQq@__objc_empty_cache"Y @__objc_empty_vtableq"Y @_objc_msgSendSuper2_fixupXx@_objc_msgSendSuper2_stret_fixupqLx@_objc_msgSend_fixupq> )      4@_objc_msgSend_stret_fixupqC @_OBJC_CLASS_$_NSArray@_OBJC_CLASS_$_NSDictionaryq}@_OBJC_CLASS_$_NSMutableArray@_OBJC_CLASS_$_NSMutableDictionaryq}x@_OBJC_CLASS_$_NSObjectq/@_OBJC_METACLASS_$_NSObjectq"HH H@___CFConstantStringClassReferenceq}@_NSZeroRectq0@_OBJC_CLASS_$_NSAffineTransform~@_OBJC_CLASS_$_NSArchiverq@_OBJC_CLASS_$_NSBundleq}@_OBJC_CLASS_$_NSMutableAttributedStringq@_OBJC_CLASS_$_NSNotificationCenterq}@_OBJC_CLASS_$_NSNumber@_OBJC_CLASS_$_NSSortDescriptorq@_OBJC_CLASS_$_NSString@_OBJC_CLASS_$_NSURLq@_OBJC_CLASS_$_NSUnarchiverq@_OBJC_CLASS_$_NSValueq}@_NSAppq8@_NSFontAttributeNameq@_NSForegroundColorAttributeName@_NSShadowAttributeName@_NSUnderlineStyleAttributeName@_NSWindowDidResizeNotificationq@_OBJC_CLASS_$_NSAnimationContext@_OBJC_CLASS_$_NSApplicationq}@_OBJC_CLASS_$_NSBezierPathq@_OBJC_CLASS_$_NSButtonq&D@_OBJC_CLASS_$_NSButtonCellq& @_OBJC_CLASS_$_NSColorB  ^@_OBJC_CLASS_$_NSCursorq@_OBJC_CLASS_$_NSCustomViewq2@_OBJC_CLASS_$_NSEventL@_OBJC_CLASS_$_NSFontq~@_OBJC_CLASS_$_NSGradientqx@_OBJC_CLASS_$_NSGraphicsContextq~@_OBJC_CLASS_$_NSImageq}xx^@_OBJC_CLASS_$_NSPopUpButtonq(@_OBJC_CLASS_$_NSPopUpButtonCellq)@_OBJC_CLASS_$_NSScreenM@_OBJC_CLASS_$_NSScrollViewq5@_OBJC_CLASS_$_NSScroller@_OBJC_CLASS_$_NSShadowEx@_OBJC_CLASS_$_NSSliderq*@_OBJC_CLASS_$_NSSliderCellq*@_OBJC_CLASS_$_NSSplitViewq+U@_OBJC_CLASS_$_NSTableViewq0@_OBJC_CLASS_$_NSTextFieldq%@_OBJC_CLASS_$_NSTextFieldCellq0 @_OBJC_CLASS_$_NSTokenAttachmentCellq9@_OBJC_CLASS_$_NSTokenFieldq7@_OBJC_CLASS_$_NSTokenFieldCellH@_OBJC_CLASS_$_NSToolbarq#@_OBJC_CLASS_$_NSToolbarItemq"@_OBJC_CLASS_$_NSViewq$Ak@_OBJC_CLASS_$_NSWindowqj@_OBJC_CLASS_$_NSWindowControllerq@_OBJC_CLASS_$_NSWorkspace@_OBJC_IVAR_$_NSTokenAttachmentCell._tacFlagsq@@_OBJC_METACLASS_$_NSButton%@_OBJC_METACLASS_$_NSButtonCellq& @_OBJC_METACLASS_$_NSCustomViewq2@_OBJC_METACLASS_$_NSPopUpButtonq(@_OBJC_METACLASS_$_NSPopUpButtonCellq)@_OBJC_METACLASS_$_NSScrollView@_OBJC_METACLASS_$_NSScroller@_OBJC_METACLASS_$_NSSliderq)@_OBJC_METACLASS_$_NSSliderCellq*@_OBJC_METACLASS_$_NSSplitViewq*@_OBJC_METACLASS_$_NSTableView@_OBJC_METACLASS_$_NSTextFieldq%@_OBJC_METACLASS_$_NSTextFieldCellq0 @_OBJC_METACLASS_$_NSTokenAttachmentCellq8@_OBJC_METACLASS_$_NSTokenFieldq7@_OBJC_METACLASS_$_NSTokenFieldCellH@_OBJC_METACLASS_$_NSToolbarq#@_OBJC_METACLASS_$_NSToolbarItemq"@_OBJC_METACLASS_$_NSViewq$qP@_CFMakeCollectableqX@_CFReleaseq`@_CFUUIDCreateqh@_CFUUIDCreateStringqp@_CGContextRestoreGStateqx@_CGContextSaveGStateq@_CGContextSetShouldSmoothFontsq@_Gestaltq@_NSClassFromStringq@_NSDrawThreePartImageq@_NSInsetRectq@_NSIntegralRectq@_NSIsEmptyRectq@_NSOffsetRectq@_NSPointInRectq@_NSRectFillq@_NSRectFillUsingOperationq@_ceilfq@_floorq@_fmaxfq@_fminfq@_modfq@_objc_assign_globalq@_objc_assign_ivarq@_objc_enumerationMutationq@_objc_getPropertyq@_objc_setPropertyq@_roundf_compareViewsHBWSelectableToolbarItemClickedNotificationNOBJC_T METACLASS_$_BWCLASS_$_BWIVAR_$_BW TSARemoveBottomBarInsetTextFieldCustomView UnanchoredButton HyperlinkButtonGradientBoxoransparentexturedSlider olbarken ShowItemColorsItemFontsItem TSARemoveBottomBarInsetTextFieldCustomView UnanchoredButton HyperlinkButtonGradientBoxoransparentexturedSlider olbarken ShowItemColorsItemFontsItem   electableToolbarplitView heetController tyledTextField Helper electableToolbarplitView heetController tyledTextField؃ Helper ddnchored RegularBottomBarS MiniBottomBar  ddnchored RegularBottomBarS MiniBottomBar  Є   ȅ ButtonCheckboxPopUpButtonST  CellButtonCheckboxPopUpButtonST  Cell   Cell Cell   Cell؈ Cell  lidercroll Љ Celllidercroll  Cell Ȋ    Cell  Cell   mallBottomBar heetBottomBar  mallBottomBar heetBottomBar  Button PopUpButton Bar  Button PopUpButton Bar ؍  Cell  Cell Ў   ȏ ableView extFieldCell Cell ableView extFieldCell Cell    Cell  Cell    ؒ  C  C ell ontainer Г ell ontainer   Ȕ   View er View er     Field AttachmentCell CellField AttachmentCellؗ Cell  И   ș      Cell Cell   ؜  Cell CellН  STAnchoredCustomView.isOnItsOwnUnanchoredButton.topAndLeftInsetHyperlinkButton.urlStringGradientBox.electableToolbarplitView.heetController.tyledTextFieldCell..Helper.helperienabledByIdentifierselectedIndex temnIBsPreferencesToolbarIdentifierssByIdentifier      ransparentexturedSlideroolbarItem.identifierStringSTableViewCell.mIsEditingOrSelectingliderCell.isPressedcroller.isVertical cdividerCanCollapsesmresizableSubviewPreferredProportionnonresizableSubviewPreferredSizeuncollapsedSizetoggleCollapseButtonisAnimatingolheckboxIsEnabledorlapsible IsEnabledȢ Т آ SubviewCollapsedPopupSelection econdaryDelegatetateForLastPreferredCalculations inaxValuesUnits ValuesUnits          .Cell.trackHeightindicatorIndexsliderCellRectm   inButtonaxButton  isPressedtrackHeight  ButtonPopUpButton.Bar..ishandleIsRightAlignedsResizableAtBottom   electedIndexplitViewDelegate  isAttopAndLeftInsetLeftEdgeOfBarRightEdgeOfBar   contentViewsByIdentifierwindowSizesByIdentifierselectedIdentifieroldWindowTitlei    nitialIBWindowSizesPreferencesToolbar   isAttopAndLeftInsetLeftEdgeOfBarRightEdgeOfBar     sheetparentWindowdelegate      filltopbottomhasStartingColorEndingColorColorЉ ؉  BorderColorInsetAlpha BorderColorInsetAlpha   TopBorderBottomBorderGradientFillColor    shasendingColor previousAttributes hadowtartingColor olidColor IsBelowColor  ShadowGradient      Ș И PX`hpx (@ ` @` @` @` @` @` @` @`  @ `       @ `       @ `       @ `       @ `      @` @` @`08 X   ( Hpx   8`h   (PX x  @H h  08 X   ( Hpx   8`h   (PX x    @H h  08 X   ( Hpx   8`h   (PX x  (8HXhx  ( 8 H X h x         !!(!8!H!X!h!x!!!!!!!!!""("8"H"X"h"x"""""""""##(#8#H#X#h#x#########$$($8$H$X$h$x$$$$$$$$$%%(%8%H%X%h%x%%%%%%%%%&&(&8&H&X&h&x&&&&&&&&&''('8'H'X'h'x'''''''''((((8(H(X(h(x((((((((())()8)H)X)h)x)))))))))**(*8*H*X*h*x*********++(+8+H+X+h+x+++++++++,,(,8,H,X,h,x,,,,,,,,,--(-8-H-X-h-x---------..(.8.H.X.h.x.........//(/8/H/X/h/x/////////00(080H0X0h0x00000000011(181H1X1h1x11111111122(282H2X2h2x22222222233(383H3X3h3x33333333344(484H4X4h4x44444444455(585H5X5h5x55555555566(686H6X6h6x66666666677(787H7X7h7x77777777788(888H8X8h8x88888888899(989H9X9h9x999999999::(:8:H:X:h:x:::::::::;;(;8;H;X;h;x;;;;;;;;;<<(<8<H<X<h<x<<<<<<<<<==(=8=H=X=`=h=p=x=================>>>> >(>0>8>@>H>P>X>`>h>p>x>> > ? @? `? ? ? ? 0@ P@ `@ @ @ @ 8A A A B (B 0B B XC `C hC pC xC C C C C C C C C C C C C C C C C D D D D  D (D 0D 8D @D HD PD pDDDDDDEEEE E(E0E8E@EHEPEXE`EhEpExEEEEEEEF0F8F@FHFPFXF`FhFpFxFFFFFFFFFFFFF0G8G@GPG`GpGxGGGGGGGGGGGGGGGGGHHHH H(H0H8H@HHHPHXH`HhHpHxHHHHHHHHHHHHHHHHHIIII I(I0I8I@IHIPIXI`IhIpIxIIIIIIIIIIIIIIIIIJJJJ J(J0J8J@JHJPJXJ`JhJpJxJJJJJJJJJJJJJJJJJKKK(K0K8KHKPKXKhKpKxKKKKKKKKKK(L0L8L@LHLPLXL`LLLLLMMMM M(M0M8M@MHMPMXMhMpMxMMMMM(NhNpNxNNNNNO OhOpOOOOOOOPPP P(P0P8P@PHPPPXP`PhPpPxPPPPPPPPQQXQ`QQQQQQQQRRRR R(R0R8R@RHRPRXR`RhRpRxRRRRRRRRRSS`ShSSSSSSSTTTT T(T0T8T@THTPTXT`ThTpTxTTTTTTTTTTU UhUpUUUUUUUUVVV V(V0V8V@VHVPVXV`VhVpVxVVVVVVVVVVVVVVVVWWW@WHWxWWWWWWWWWWWWXXXX X(X0X8X@XHXPXXX`XhXpXxXXXXXXXXXXXXXXXXXYYYY Y(Y0Y8Y@YHYPYXY`YhYpYxYYYYYYYYYYYYYYYYYZZZZ Z(Z0Z8Z@ZHZPZXZ`ZhZpZxZZZZZZZZZZZZZZZZZ[[[[ [([0[8[@[H[P[X[`[h[p[x[[[[[[[[[[[[[[[[[\\\\ \(\0\8\@\H\P\X\`\h\p\x\\\\\\\\\\\\\\\\\]]]] ](]0]8]@]H]P]X]`]h]p]x]]]]]]]]]]]]]]]]]^^^^ ^(^0^8^@^H^P^X^`^h^p^x^^^^^^^^^^^^^^^^^___ _(_0_@_H_P_`_h_p_____________``` `(`0`@`H`P```h`p`````````````aaa a(a0aaaaaaabbbb b(b0b8b@bHbPbXb`bhbpbxbbbbbbbbbbbcc c8c@cHcXchcxcccccccccccccccccdddd d(d0d8d@dHdPdXd`dhdpdxdddddddddddddddddeeee e(e0e8eHePeXehepexeeeeeeeeeef f(f0f8f@f`fhfffffffffgggg g(g0g8g@gHgPgXg`ghgpgxggggggggggggggggghhhh h(h0h@hHhPh`hhhphhhhiii@iHiPiXi`ihipixiiiiiiiiijjjj0j8j@jPj`jpjxjjjjjjjjjjjjjjjjjkkkk k(k0k8k@kHkPkXk`khkpkxkkkkkkkkkkkkkkkkkllll l(l0l8l@lHlPlXl`lhlplxlllllllllllllllllmmmm m(m0m8m@mHmPm`mhmpmmmmmmmmmmmmm0n8n@nHnPnXn`nhnpnxnnnnnnoo o(o0o8o@oHoPoXo`ohopoxooooooooooooooopppHpPpXp`ppppppppp q(q0q8q@qHqPqXq`qhqpqxqqqqqqqqqqqqqqqqqrrr r(r0r@rhrprxrrrrrrr s(s0s@sPs`shspsxssssssssssssssssstttt t(t0t8t@tHtPtXt`thtptxttttttttttttttttuuu(u0u8uHuPuXuhupuxuuuuuuuuvvvv v(v0v8vHvPvXv`vhvpvxvvvvvvvvvvvvw@wHwxwwwwwwwwwwxxxx x(x0x8x@xHxPxXx`xhxpxxxxxxxxy y(y0y8y@yHyPyXy`yhypyxyyyyyzzz(z8zHzPzXz`zhzpzxzzzzzzzzzzzzzzzz{{{ {({8{@{H{x{{{{{{{{{|| |P|X|`|h|p|x|||||||||||||||||}}}} }(}0}8}@}H}P}X}`}h}}}}}}}}}}}0~8~@~P~~~~~~ (08@PX`(08hpx؀@ȁЁ؁ (08@HPX`hpxȂЂ؂(08PX`hpxЃ؃8@Hh (08@` (08X؆HPXЇ؇8@HPX`hpx (08@HPXpxȉЉ؉ (08@HP`hp؊@HPpЋ (08@HPX`pxȌЌ (08@HPX`hpxȍ(8HPX`hpxȎЎ؎ @Hh (08@`А (08@HPX`hpxȑБؑ (08@HPX`hpxȒВؒ (08@HPX`pxГؓ 08@PX`px08@HPX`hpxȕЕؕ (08@HPX`hpxȖЖؖ (0P (0@P`hpxȘИؘ (08@HPX`hpxșЙؙ (08@HPX`hpxȚКؚ 08@PX`pxЛ؛`hpxȜМ؜(@ H P X ` h p x          ȝ Н ؝          ( 0 8 @ H P X ` h p x      ȞО؞(ydGydayfnYK.y$y$N.7z$$N.Zz$$N.|z$$N.z$$N.z$$N.z$$ N { ;{ d(yda{dz{fnYK.{$|$N.M|$$N.o|$$N.|$$N.|$$N.|$$N.|$$ N !} J} d(ydo}d}fnYK.}$$*N*.$%~$$L~$XNX.|~$|$N.t~$t$ N .~$$N.~$$N.$$$N$.A$$ N .,u$,$DND.-$-$N.-$-$:N:./$/$NNN.03$03$\N\.7B$7$N.7{$7$"N".7ˀ$7$N.7$7$N.77$7$N.8_$8$hNh.f9$f9$N.:$:$N.:$:$N.^<)$^<$N.>[$>$N.>z$>$N.?$?$vNv.Â$A$N.A$A$N.pB$pB$N.2EW$2E$N.M{$M$N.M$M$:N:.M˃$M$N.N$N$N.O$O$N.PPI$PP$N.>Qq$>Q$^N^.Q$Q$FNFDŽ  ; c  Dž  " Q &&d(yddfnYK.Q<$Qd$tNt.VR$VR$*N*.R$R$N.nS"$nS$0N0H p d(yddfnYK.S$S$*N*; _ d(yddfnYK.S$S+$`N`\  d(yddfnYK.(T5$(Tl$N.8U$8U$N.Wʋ$W$N.W$W$ N .W$W$*N*.&XE$&X$N..Yp$.Y$lNl.Y$Y$N݌  -&;&J&W&e& r&(&0&8d(yddfnYK.Z5$Zb$bNb.[$[$N.^Ď$^$N.^$^$ N .^$^$,N,.`S$`$N.pa$pa$N.@b$@b$ZNZ.c$c$JNJ I q&@&H&P&X&`&hŐ&pd(ydӐdfnYK.ct$c$N.e$e$N.rg $rg$PNP.jK$j$N.j{$j$ N .j$j$*N*.jՒ$j$N.l$l$N.m9$m$;N;t Γ&xܓ&&&&&&,&<&H&d(ydUdofnYK.o$o$N.oN$o$N.@rt$@r$N.Fr$Fr$ N .Rrƕ$Rr$N.Xr$Xr$:N:.r3$r$<N<.rf$r$N.s$s$ N .sÖ$s$|N|.6u$6u$N D j &&&ȗ&ݗ&&&d(yddfnYK.N>.$$<N<.ޠ$$VNV.@ $@$N.޻M$޻$N.$$N.ƽ$ƽ$ N .d$d$RNR.$$N.$$N.F$$VNV.u$$N.$$bNb.$$.N..$$N."$"$6N6.X5$X$VNV.S$$JNJ.x$$PNP.H$H$ZNZ.$$:N:.$$~N~.Z$Z$N.6$$.N..(R$($<N<.ds$d$N.b$b$N.`$`$6N6.ۤ$$@N@  3 R z  ѥ  1 T w    2 m  ɧ  &)&3&@&S&f& z&(d(yddfnYK.$8$N.i$$N.>$>$N.N$N$ N .nͩ$n$N.$$ N . $$N.+$$fNf.(G$($XNX.p$$\N\.$$N.v$v$rNr.ڪ$$N.$$N.$$N.<<$<$|N|.c$$|N|.4$4$HNH.|$|$$N$.Ϋ$$N  5 _     &0&8+&@>&Hd(ydPdgfnYK.n$n$N.=$$ N ."`$"$N.2$2$N.B$B$:N:.|$|$<N<.$$ N .D$$N.f$$N.d$d$N.jï$j$N.r$r$N.x$x$N.9$$oNob ذ &P&X &`0&hA&pd(ydQdgfnYK.$$tNt.d:$d$*N*.X$$N.|y$|$0N0 ò d(yddfnYK.t$$N.Xγ$X$N.f$f$N.D$D$N.T;$T$N.f]$f$N.v$v$N.$$N.״$$N.$$N.0$$N.Y$$jNj.B$B$lNl.$$N.9$$tNt.~$$jNj.x$x$~N~.$$tNt.j4$j$tNt.y$$N.÷$$rNr.d$d$N. $$N.1$$N.bR$b$N.$$tNt.\$\$LNL.ڸ$$vNv. $$N. E$ $N. f$ $rNr.$$N.$$Nع M y  ޺ &x!&+&9&O&b&t&&&&&»&d(ydϻdfnYK.X${$N.$$N.ּ$$N.&$&$N.6'$6$N.HN$H$jNj.h$$MNM ɽ  * d(ydXdofnYK.$$ N .  $ 5$N.j$$0N0.B$B$N.$Ϳ$$$*N*.N$N$ N .n$n$N.:$$N. n$ $*N*. $ $N.D!$D!$N  5&C&V&f&~&&&&&& &(&0&8!&@,&H7&PB&Xd(ydMdcfnYK.."$."<$Nd(ydpdfnYK.%$%8$N.'l$'$Nd(yddfnYK.(7$(c$nNn. *$ *$$N$..*$.*$N.H* $H*$$N$.l*F$l*$N.*{$*$$N$.*$*$N.*$*$$N$.*$*$N.+;$+$N.+p$+$N.2+$2+$N.B+$B+$N.T+ $T+$N.+.$+$HNH.*-\$*-$CNC~  Q    d(yd8dOfnYK.n.$n.$N..$$.$wNwd(ydUdjfnYK.0$0$(N(.(0#$(0$>N>.f0I$f0$hNh.0k$0$Nd(yddfnYK.0&$0P$N.1$1$N.1$1$N.2$2$N.4$4$N.4:$4$.N..4t$4$N.5$5$mNm &`*&h7&pd(ydGddfnYK.r5$r5 $NNN.7[$7$N.8$8$N.h9$h9$N, Y d(yddfnYK.x:S$x:{$N.:$:$N.;$;$N.; $;$N.*;;$*;$N.<;g$<;$jNj.;$;$MNM + a d(yddfnYK.;/$;$ N .<X$<$N.<$<$0N0.6<$6<$N.JB:$JB$*N*.tBa$tB$ N .C$C$N.H$H$N.J$J$N.xK$xK$*N*.KG$K$N.pLx$pL$N.>O$>O$N  .&x<&O&_&w&&&&&&&& &&)&4&?&J&d(ydUddfnYK.(P$(P$N.^$^$hNh= \ w d(yddfnYK.,b)$,bN$N.b$b$jNj.c$c$MNM  d(yd4dMfnYK.dc$dc$"N".f5$f$JNJ.fg$f$N &&&& &(&&01&8<&@G&HR&Pd(yd`d~fnYK.ni$ni+$Ng d(yddfnYK.kJ$kl$N.k$k$N.pl$pl$nNn.l$l$PNP..m$.m$N.m8$m$N.mV$m$N.mq$m$N.m$m$N.n$n$N.n$n$N.n$n$N B b   d(yddfnYK.or$o$hNh.|o$|o$N 0 d(ydVdkfnYK.o$o$tNt. p;$ p$*N*.4pX$4p$N."qx$"q$N d(yddfnYK.qp$q$tNt.r$r$*N*.Hr$Hr$N.6s $6s$N- S d(ydudfnYK.s$sA$)N)r d(yddfnYK.tG$ty$N.w$w$FNF.x$x$nNn.}$}$vNv.~4$~$8N8..[$.$N.$$]N] &X&`*&h6&pJ&x]&k&&&d(yddfnYK.nT$n|$N.L$L$*N*.v$v$*N*.$$N.3$$2N2.Y$$bNb.N$N$N.,$,$N. $ $N.$$N B f &&&&&&&&&&&0&9&D&X&d(ydbdfnYK.@$@-$TNT.h$$YNY &d(yddfnYK.v$$rNr.`$`$N.z$z$LNL.Ɨ$Ɨ$N.%$$oNoG g d(yddfnYK.@$f$CNCd(yddfnYK.^*$^S$4N4.$$4N4.ƙ$ƙ$4N4.$$4N4..$.$3N3d(yd3dGfnYK.b$b$>N>.$$rNr.6$$ N .2Y$2$N.Dx$D$LNL.$$N.$$N.$$oNo , L d(ydudfnYK.$1$N.g$$ N .*$*$N.0$0$N d(yd1dAfnYK.6$6$ZNZ.$$N.%$$N.F$$N.ơa$ơ$N.ء$ء$N.$$N.$$N.$$N.  $ $N.2.$2$N.BP$B$N.Tn$T$N.d$d$N.v$v$N.$$N.$$N.$$N.2$$N.\K$\$xNx.ԣr$ԣ$xNx.L$L$xNx.Ĥ$Ĥ$xNx.<$<$xNx.$$ N .$$N.ƪ7$ƪ$"N"Y y    < i     8 d(yd`dtfnYK.$ $&N&.<$$HNH.V_$V$&N&.|$|$HNH.ĭ$ĭ$$N$.$$JNJ.2$2$&N&.X$X$HNH.5$$$N$.ĮX$Į$JNJ.$$$N$.2$2$JNJ.|$|$$N$.$$JNJ  - d(ydMdefnYK.$$N.>$$N.̲e$̲$N.޲$޲$N.$$N.$$N.$$N.0$0$ N .PH$P$N.jt$j$N.|$|$N.$$N.$$N. $$tNt.&2$&$N.D]$D$VNV.$$~N~.$$tNt.$$tNt.$$N.9$$VNV.B`$B$N.$$N.$$N.@$@$N.$$&N&.$$NG o      O      d(yd= dY fnYK. $ $>N>d-@a;[}/V$}|t>r,--/03?7x77747\8f9::&^<X>w>?AApBT2ExMMMNOFPPn>QQQVR R/ nSU Sq S (T 8U W WC Wl &X .Y Y Z1 [Y ^ ^ ^ `# paN @b c c e! rgL j| j j jl:muoo@rFrRrGXrrrss96ukN4nRt(!vAh<4|5Zn"2B* |Z    d!j1!rY!x}!!!d! "|/"U"X{"f"D"T"f #v.#^####$Br$$%:%xv%%j&J&i&d&&&b '3'\a''' ' (9(_((((&(6$)H>)])) ))B *$.*NV*ny** * *D!*+."+%+'+(, *Y,.*,H*,l*,*1-*a-*-*-+-+#.2+Y.B+.T+.+.*-/n.&/.W/(0}/f0/0/0/101802p04040415:1r5v17182h9G2x:o2:2;2;2*;%3<;D3;h3;3<3<36<94JB`4tB4C4H4J5xKF5Kw5pL5>O5(P5^6,b86bT6cu6dc6f6f7ni-7kO7ku7pl7l7.m7m8m"8mD8mh8n8n8n8o8|o+9oP9 pm94p9"q9q9r9Hr:6s9:s|:t:w:x;}3;~Z;.;;n;L<v<<`<<<N<,< =G=@u===`=z=Ɨ>A>g>^>>ƙ>?.A_AzAơAءAAA%B GB2iBBBTBdBvB C-CKCdC\CԣCLCĤC<D5DPDƪrDDDVD|DĭEDE2eEXEEĮEE2F|:F^FFF̲F޲FG@G`G0GPGjG|H-HQHzH&HDHHIJIIIBIIJ@>JeJJJJJJJKK"K0K =K(JK0XK8eK@tKHKPKXK`KhKpKxKKKL LL%L5LALNL[LhL}LLLLLLLLM M(&M07M8HM@[MHmMPzMXM`MhMpMxMMMM NN,NQ@IQHTQPbQXyQ`QhQpQxQQQRR1RBRQR_RkRtRRRRRRRRRRR @q%S 8FS (jS S S (S ؆S xT 6T ^T XyT XT T T ȂT xU ؁:U ȇbU U U U U U 8"V xFV ؋aV (V hV 8V V  W h/W SW {W XW W W ȌX 9X H_X X hX X X Y HFY(vY0Y8Y Z7ZdZZ ZXZ`1[hd[p[[[\2\_\\ \\]+]T]0}]]]^6^g^^^ _D____/` W```P`a`;a@ZaHaXaaaxb:bp]bbbhb:chcc8 c c dP RdH |d( d d@  e0 ;eheeeef;fifff f0gp`g g g `g `g h Bh Pih h h 0h 0h  i Hi ki Pi i i pj p#j Gj Ўoj j j Pj k #k @Ck mk `k k @k l :l 0el l l l Є m 6m _m @m m m Љn 5n0CnVnanonnnnnn nn o o =oJoZoiowoo o o o o p p-p Np jppp pp p p q *q Eq`q vq q q q qqrArdr{rr r r r s s 0s Gs bss ss s s t (t Ct bt zt tttt t u (u Bu ou u u uu v 'v Fv cv ~v v v v v w Aw `w w w w ww x!x(x/x6x=xCxWxixxxxxxxyyx?c @c Ac @d (Ad >e >e Ae Be PCe e Af >g @g @Ag @h PBh >i >i ?i X?i ?i ?i (@i H@i h@i Ai Bi  j j 0j j j @@j pk k k k (?l H?l ?l ?l ?l @l @l @l PAl `Al Al Al Bl 8Bl XBl Bl Bl Cl Cl  Cl 8rl Bm `n >o ?p Bp p ?q 8?q ?q @q pAq Aq Aq Bq  @r @r @r XAr Ar Br pBr Cr HCr P?s HAs hBs 8Cs >t >t  ?t h?t ?t ?t 8@t X@t p@t @t At HBt Bt @Ct rt >u @u xAv Bv >w ?w 0?w ?w ?w @w Aw hAw Aw Aw `Bw Bw Bw (Cw >x >y ?y Cy z z `{ { | | ?} x@} @} @B} ~  p? @ A A xB B 0C   P @ @  @ A A B B ،     p      0  @  p B A > 0    P @  ` > 0A w  A v  B B      H  X  8  `   P   @   0     p   `   P    @   0     p x   `   P   @   0   8        (  x    H   X     h H  X h  (  h 8 P p      0 P p      0 P p      0 P p      0 P p      0 P p      0 P p      0 P p      0 P p      0 P p      0 P p      0 P p      0 P p      0 P p      0 P p      0 P p       H p     8 `     ( P x     @ h     0 X       H p     8 `     ( P x     @ h     0 X       H p     8 `     ( P x     @ h     ( P x     @ h     0 X       H p     8 `     ( P x     @ h     0 X       H p     8 `     ( P x     @ h     0 X       H p         # # 0& P& ' 0( ( ( P) `) @* *  + , `/ p/ `0 0 P1 `1 1 @3 4 @5 5 p6 6 8 < @& ' ( ( 3 @6 8 P9   0 @ P ` p          0 @ P ` p       ! !  ! 0! @! P! `! p! ! ! ! ! ! ! ! " "  " 0" @" P" `" p" " " " " " " " " #  # 0# @# P# `# p# # # # # # # # $ $  $ 0$ @$ P$ `$ p$ $ $ $ $ $ $ $ $ % %  % 0% @% P% `% p% % % % % % % % % & &  & `& p& & & & & & & & & '  ' 0' @' P' `' p' ' ' ' ' ' ' (  ( @( `( p( ( ( ( ( ( ) )  ) 0) @) p) ) ) ) ) ) ) ) ) * *  * 0* P* p* * * * * * + + 0+ @+ P+ `+ p+ + + + + + + + + , ,  , 0, @, P, `, p, , , , , , , - -  - 0- @- P- `- p- - - - - - - - . .  . 0. @. P. `. p. . . . . . . . . / /  / 0/ @/ P/ / / / / / / / / 0 0  0 00 @0 P0 p0 0 0 0 0 0 0 1 1  1 01 @1 p1 1 1 1 1 1 1 1 2 2  2 02 @2 P2 `2 p2 2 2 2 2 2 2 2 2 3  3 03 `3 p3 3 3 3 3 3 3 3 3 4 4  4 04 @4 P4 `4 p4 4 4 4 4 4 4 4 5 5  5 05 P5 `5 p5 5 5 5 5 5 5 6 6  6 06 P6 6 6 6 6 6 6 6 7 7  7 @7 P7 `7 p7 7 7 7 7 7 7 7 7 8 8  8 08 @8 P8 `8 p8 8 8 8 8 8 8 9 9  9 09 `9 p9 9 9 9 9 9 9 9 9 : :  : 0: @: P: `: p: : : : : : : : : ; ;  ; 0; @; P; `; p; ; ; ; ; ; ; ; ; < <  < 0< @< P< `< p< < < < < < < < = =  = @= P= ! ' P( `* * * , - 0 P3 5 `6 07 @9 0= K L M N O P Q R T U X Y Z [ \ ] ^ @@a V W _ b S ` K L M N O P Q R T U X Y Z [ \ ] ^ __mh_dylib_headerdyld_stub_binding_helper__dyld_func_lookup-[BWToolbarShowColorsItem image]-[BWToolbarShowColorsItem toolTip]-[BWToolbarShowColorsItem action]-[BWToolbarShowColorsItem target]-[BWToolbarShowColorsItem paletteLabel]-[BWToolbarShowColorsItem label]-[BWToolbarShowColorsItem itemIdentifier]-[BWToolbarShowFontsItem image]-[BWToolbarShowFontsItem toolTip]-[BWToolbarShowFontsItem action]-[BWToolbarShowFontsItem target]-[BWToolbarShowFontsItem paletteLabel]-[BWToolbarShowFontsItem label]-[BWToolbarShowFontsItem itemIdentifier]-[BWSelectableToolbar documentToolbar]-[BWSelectableToolbar editableToolbar]-[BWSelectableToolbar initWithCoder:]-[BWSelectableToolbar setHelper:]-[BWSelectableToolbar helper]-[BWSelectableToolbar isPreferencesToolbar]-[BWSelectableToolbar setEnabledByIdentifier:]-[BWSelectableToolbar switchToItemAtIndex:animate:]-[BWSelectableToolbar setSelectedIndex:]-[BWSelectableToolbar selectedIndex]-[BWSelectableToolbar labels]-[BWSelectableToolbar setIsPreferencesToolbar:]-[BWSelectableToolbar selectableItemIdentifiers]-[BWSelectableToolbar toolbarSelectableItemIdentifiers:]-[BWSelectableToolbar toolbar:itemForItemIdentifier:willBeInsertedIntoToolbar:]-[BWSelectableToolbar toolbarAllowedItemIdentifiers:]-[BWSelectableToolbar toolbarDefaultItemIdentifiers:]-[BWSelectableToolbar windowDidResize:]-[BWSelectableToolbar enabledByIdentifier]-[BWSelectableToolbar validateToolbarItem:]-[BWSelectableToolbar setEnabled:forIdentifier:]-[BWSelectableToolbar setSelectedItemIdentifierWithoutAnimation:]-[BWSelectableToolbar setSelectedItemIdentifier:]-[BWSelectableToolbar dealloc]-[BWSelectableToolbar identifierAtIndex:]-[BWSelectableToolbar setItemSelectors]-[BWSelectableToolbar toggleActiveView:]-[BWSelectableToolbar selectItemAtIndex:]-[BWSelectableToolbar toolbarIndexFromSelectableIndex:]-[BWSelectableToolbar initialSetup]-[BWSelectableToolbar selectInitialItem]-[BWSelectableToolbar selectFirstItem]-[BWSelectableToolbar awakeFromNib]-[BWSelectableToolbar initWithIdentifier:]-[BWSelectableToolbar _defaultItemIdentifiers]-[BWSelectableToolbar encodeWithCoder:]-[BWSelectableToolbar setEditableToolbar:]-[BWSelectableToolbar setDocumentToolbar:]-[BWAddRegularBottomBar initWithCoder:]-[BWAddRegularBottomBar bounds]-[BWAddRegularBottomBar drawRect:]-[BWAddRegularBottomBar awakeFromNib]-[BWRemoveBottomBar bounds]-[BWInsetTextField initWithCoder:]-[BWTransparentButtonCell drawImage:withFrame:inView:]+[BWTransparentButtonCell initialize]-[BWTransparentButtonCell setControlSize:]-[BWTransparentButtonCell controlSize]-[BWTransparentButtonCell interiorColor]-[BWTransparentButtonCell _textAttributes]-[BWTransparentButtonCell drawTitle:withFrame:inView:]-[BWTransparentButtonCell drawBezelWithFrame:inView:]-[BWTransparentCheckboxCell _textAttributes]+[BWTransparentCheckboxCell initialize]-[BWTransparentCheckboxCell setControlSize:]-[BWTransparentCheckboxCell controlSize]-[BWTransparentCheckboxCell drawImage:withFrame:inView:]-[BWTransparentCheckboxCell drawInteriorWithFrame:inView:]-[BWTransparentCheckboxCell interiorColor]-[BWTransparentCheckboxCell drawTitle:withFrame:inView:]-[BWTransparentCheckboxCell isInTableView]-[BWTransparentPopUpButtonCell drawImageWithFrame:inView:]-[BWTransparentPopUpButtonCell imageRectForBounds:]+[BWTransparentPopUpButtonCell initialize]-[BWTransparentPopUpButtonCell setControlSize:]-[BWTransparentPopUpButtonCell controlSize]-[BWTransparentPopUpButtonCell interiorColor]-[BWTransparentPopUpButtonCell _textAttributes]-[BWTransparentPopUpButtonCell titleRectForBounds:]-[BWTransparentPopUpButtonCell drawBezelWithFrame:inView:]-[BWTransparentSliderCell initWithCoder:]+[BWTransparentSliderCell initialize]-[BWTransparentSliderCell setControlSize:]-[BWTransparentSliderCell controlSize]-[BWTransparentSliderCell setTickMarkPosition:]-[BWTransparentSliderCell stopTracking:at:inView:mouseIsUp:]-[BWTransparentSliderCell startTrackingAt:inView:]-[BWTransparentSliderCell knobRectFlipped:]-[BWTransparentSliderCell _usesCustomTrackImage]-[BWTransparentSliderCell drawKnob:]-[BWTransparentSliderCell drawBarInside:flipped:]-[BWSplitView initWithCoder:]+[BWSplitView initialize]-[BWSplitView colorIsEnabled]-[BWSplitView setCheckboxIsEnabled:]-[BWSplitView setMinValues:]-[BWSplitView setMaxValues:]-[BWSplitView setMinUnits:]-[BWSplitView setMaxUnits:]-[BWSplitView setCollapsiblePopupSelection:]-[BWSplitView collapsiblePopupSelection]-[BWSplitView setDividerCanCollapse:]-[BWSplitView dividerCanCollapse]-[BWSplitView collapsibleSubviewCollapsed]-[BWSplitView setResizableSubviewPreferredProportion:]-[BWSplitView resizableSubviewPreferredProportion]-[BWSplitView setNonresizableSubviewPreferredSize:]-[BWSplitView nonresizableSubviewPreferredSize]-[BWSplitView setStateForLastPreferredCalculations:]-[BWSplitView stateForLastPreferredCalculations]-[BWSplitView setToggleCollapseButton:]-[BWSplitView toggleCollapseButton]-[BWSplitView setSecondaryDelegate:]-[BWSplitView secondaryDelegate]-[BWSplitView dealloc]-[BWSplitView maxUnits]-[BWSplitView minUnits]-[BWSplitView maxValues]-[BWSplitView minValues]-[BWSplitView color]-[BWSplitView setColor:]-[BWSplitView setColorIsEnabled:]-[BWSplitView checkboxIsEnabled]-[BWSplitView setDividerStyle:]-[BWSplitView splitView:resizeSubviewsWithOldSize:]-[BWSplitView resizeAndAdjustSubviews]-[BWSplitView clearPreferredProportionsAndSizes]-[BWSplitView validateAndCalculatePreferredProportionsAndSizes]-[BWSplitView correctCollapsiblePreferredProportionOrSize]-[BWSplitView validatePreferredProportionsAndSizes]-[BWSplitView recalculatePreferredProportionsAndSizes]-[BWSplitView subviewMaximumSize:]-[BWSplitView subviewMinimumSize:]-[BWSplitView subviewIsResizable:]-[BWSplitView resizableSubviews]-[BWSplitView splitViewWillResizeSubviews:]-[BWSplitView splitViewDidResizeSubviews:]-[BWSplitView splitView:effectiveRect:forDrawnRect:ofDividerAtIndex:]-[BWSplitView splitView:constrainSplitPosition:ofSubviewAt:]-[BWSplitView splitView:constrainMinCoordinate:ofSubviewAt:]-[BWSplitView splitView:constrainMaxCoordinate:ofSubviewAt:]-[BWSplitView splitView:shouldCollapseSubview:forDoubleClickOnDividerAtIndex:]-[BWSplitView splitView:canCollapseSubview:]-[BWSplitView splitView:additionalEffectiveRectOfDividerAtIndex:]-[BWSplitView splitView:shouldHideDividerAtIndex:]-[BWSplitView mouseDown:]-[BWSplitView toggleCollapse:]-[BWSplitView restoreAutoresizesSubviews:]-[BWSplitView removeMinSizeForCollapsibleSubview]-[BWSplitView setMinSizeForCollapsibleSubview:]-[BWSplitView setCollapsibleSubviewCollapsed:]-[BWSplitView collapsibleDividerIndex]-[BWSplitView hasCollapsibleDivider]-[BWSplitView animationDuration]-[BWSplitView animationEnded]-[BWSplitView setCollapsibleSubviewCollapsedHelper:]-[BWSplitView adjustSubviews]-[BWSplitView hasCollapsibleSubview]-[BWSplitView collapsibleSubview]-[BWSplitView collapsibleSubviewIndex]-[BWSplitView collapsibleSubviewIsCollapsed]-[BWSplitView subviewIsCollapsed:]-[BWSplitView subviewIsCollapsible:]-[BWSplitView setDelegate:]-[BWSplitView drawDimpleInRect:]-[BWSplitView drawGradientDividerInRect:]-[BWSplitView drawDividerInRect:]-[BWSplitView awakeFromNib]-[BWSplitView encodeWithCoder:]-[BWTexturedSlider initWithCoder:]+[BWTexturedSlider initialize]-[BWTexturedSlider indicatorIndex]-[BWTexturedSlider setMinButton:]-[BWTexturedSlider minButton]-[BWTexturedSlider setMaxButton:]-[BWTexturedSlider maxButton]-[BWTexturedSlider dealloc]-[BWTexturedSlider resignFirstResponder]-[BWTexturedSlider becomeFirstResponder]-[BWTexturedSlider scrollWheel:]-[BWTexturedSlider setEnabled:]-[BWTexturedSlider setIndicatorIndex:]-[BWTexturedSlider drawRect:]-[BWTexturedSlider hitTest:]-[BWTexturedSlider setSliderToMaximum]-[BWTexturedSlider setSliderToMinimum]-[BWTexturedSlider setTrackHeight:]-[BWTexturedSlider trackHeight]-[BWTexturedSlider encodeWithCoder:]-[BWTexturedSliderCell initWithCoder:]+[BWTexturedSliderCell initialize]-[BWTexturedSliderCell setTrackHeight:]-[BWTexturedSliderCell trackHeight]-[BWTexturedSliderCell stopTracking:at:inView:mouseIsUp:]-[BWTexturedSliderCell startTrackingAt:inView:]-[BWTexturedSliderCell _usesCustomTrackImage]-[BWTexturedSliderCell drawKnob:]-[BWTexturedSliderCell drawBarInside:flipped:]-[BWTexturedSliderCell setNumberOfTickMarks:]-[BWTexturedSliderCell numberOfTickMarks]-[BWTexturedSliderCell setControlSize:]-[BWTexturedSliderCell controlSize]-[BWTexturedSliderCell encodeWithCoder:]-[BWAddSmallBottomBar initWithCoder:]-[BWAddSmallBottomBar bounds]-[BWAddSmallBottomBar drawRect:]-[BWAddSmallBottomBar awakeFromNib]-[BWAnchoredButtonBar initWithFrame:]+[BWAnchoredButtonBar wasBorderedBar]+[BWAnchoredButtonBar initialize]-[BWAnchoredButtonBar selectedIndex]-[BWAnchoredButtonBar isAtBottom]-[BWAnchoredButtonBar setIsResizable:]-[BWAnchoredButtonBar isResizable]-[BWAnchoredButtonBar setHandleIsRightAligned:]-[BWAnchoredButtonBar handleIsRightAligned]-[BWAnchoredButtonBar setSplitViewDelegate:]-[BWAnchoredButtonBar splitViewDelegate]-[BWAnchoredButtonBar splitView:shouldHideDividerAtIndex:]-[BWAnchoredButtonBar splitView:shouldCollapseSubview:forDoubleClickOnDividerAtIndex:]-[BWAnchoredButtonBar splitView:effectiveRect:forDrawnRect:ofDividerAtIndex:]-[BWAnchoredButtonBar splitView:constrainSplitPosition:ofSubviewAt:]-[BWAnchoredButtonBar splitView:canCollapseSubview:]-[BWAnchoredButtonBar splitView:resizeSubviewsWithOldSize:]-[BWAnchoredButtonBar splitView:constrainMaxCoordinate:ofSubviewAt:]-[BWAnchoredButtonBar splitView:constrainMinCoordinate:ofSubviewAt:]-[BWAnchoredButtonBar splitView:additionalEffectiveRectOfDividerAtIndex:]-[BWAnchoredButtonBar dealloc]-[BWAnchoredButtonBar setSelectedIndex:]-[BWAnchoredButtonBar setIsAtBottom:]-[BWAnchoredButtonBar splitView]-[BWAnchoredButtonBar dividerIndexNearestToHandle]-[BWAnchoredButtonBar isInLastSubview]-[BWAnchoredButtonBar viewDidMoveToSuperview]-[BWAnchoredButtonBar drawLastButtonInsetInRect:]-[BWAnchoredButtonBar drawResizeHandleInRect:withColor:]-[BWAnchoredButtonBar drawRect:]-[BWAnchoredButtonBar awakeFromNib]-[BWAnchoredButtonBar encodeWithCoder:]-[BWAnchoredButtonBar initWithCoder:]-[BWAnchoredButton initWithCoder:]-[BWAnchoredButton setIsAtLeftEdgeOfBar:]-[BWAnchoredButton isAtLeftEdgeOfBar]-[BWAnchoredButton setIsAtRightEdgeOfBar:]-[BWAnchoredButton isAtRightEdgeOfBar]-[BWAnchoredButton frame]-[BWAnchoredButton mouseDown:]-[BWAnchoredButtonCell controlSize]-[BWAnchoredButtonCell setControlSize:]-[BWAnchoredButtonCell highlightRectForBounds:]-[BWAnchoredButtonCell drawBezelWithFrame:inView:]-[BWAnchoredButtonCell textColor]-[BWAnchoredButtonCell _textAttributes]+[BWAnchoredButtonCell initialize]-[BWAnchoredButtonCell drawImage:withFrame:inView:]-[BWAnchoredButtonCell imageColor]-[BWAnchoredButtonCell titleRectForBounds:]-[BWAnchoredButtonCell drawWithFrame:inView:]-[NSColor(BWAdditions) bwDrawPixelThickLineAtPosition:withInset:inRect:inView:horizontal:flip:]-[NSImage(BWAdditions) bwRotateImage90DegreesClockwise:]-[NSImage(BWAdditions) bwTintedImageWithColor:]-[BWSelectableToolbarHelper initWithCoder:]-[BWSelectableToolbarHelper setContentViewsByIdentifier:]-[BWSelectableToolbarHelper contentViewsByIdentifier]-[BWSelectableToolbarHelper setWindowSizesByIdentifier:]-[BWSelectableToolbarHelper windowSizesByIdentifier]-[BWSelectableToolbarHelper setSelectedIdentifier:]-[BWSelectableToolbarHelper selectedIdentifier]-[BWSelectableToolbarHelper setOldWindowTitle:]-[BWSelectableToolbarHelper oldWindowTitle]-[BWSelectableToolbarHelper setInitialIBWindowSize:]-[BWSelectableToolbarHelper initialIBWindowSize]-[BWSelectableToolbarHelper setIsPreferencesToolbar:]-[BWSelectableToolbarHelper isPreferencesToolbar]-[BWSelectableToolbarHelper dealloc]-[BWSelectableToolbarHelper encodeWithCoder:]-[BWSelectableToolbarHelper init]-[NSWindow(BWAdditions) bwIsTextured]-[NSWindow(BWAdditions) bwResizeToSize:animate:]-[NSView(BWAdditions) bwBringToFront]-[NSView(BWAdditions) bwAnimator]-[NSView(BWAdditions) bwTurnOffLayer]-[BWTransparentTableView addTableColumn:]+[BWTransparentTableView cellClass]+[BWTransparentTableView initialize]-[BWTransparentTableView highlightSelectionInClipRect:]-[BWTransparentTableView _highlightColorForCell:]-[BWTransparentTableView _alternatingRowBackgroundColors]-[BWTransparentTableView backgroundColor]-[BWTransparentTableView drawBackgroundInClipRect:]-[BWTransparentTableViewCell drawInteriorWithFrame:inView:]-[BWTransparentTableViewCell editWithFrame:inView:editor:delegate:event:]-[BWTransparentTableViewCell selectWithFrame:inView:editor:delegate:start:length:]-[BWTransparentTableViewCell drawingRectForBounds:]-[BWAnchoredPopUpButton initWithCoder:]-[BWAnchoredPopUpButton setIsAtLeftEdgeOfBar:]-[BWAnchoredPopUpButton isAtLeftEdgeOfBar]-[BWAnchoredPopUpButton setIsAtRightEdgeOfBar:]-[BWAnchoredPopUpButton isAtRightEdgeOfBar]-[BWAnchoredPopUpButton frame]-[BWAnchoredPopUpButton mouseDown:]-[BWAnchoredPopUpButtonCell controlSize]-[BWAnchoredPopUpButtonCell setControlSize:]-[BWAnchoredPopUpButtonCell highlightRectForBounds:]-[BWAnchoredPopUpButtonCell drawBorderAndBackgroundWithFrame:inView:]-[BWAnchoredPopUpButtonCell textColor]-[BWAnchoredPopUpButtonCell _textAttributes]+[BWAnchoredPopUpButtonCell initialize]-[BWAnchoredPopUpButtonCell drawImageWithFrame:inView:]-[BWAnchoredPopUpButtonCell imageRectForBounds:]-[BWAnchoredPopUpButtonCell imageColor]-[BWAnchoredPopUpButtonCell titleRectForBounds:]-[BWAnchoredPopUpButtonCell drawArrowInFrame:]-[BWAnchoredPopUpButtonCell drawWithFrame:inView:]-[BWCustomView drawRect:]-[BWCustomView drawTextInRect:]-[BWUnanchoredButton initWithCoder:]-[BWUnanchoredButton frame]-[BWUnanchoredButton mouseDown:]-[BWUnanchoredButtonCell drawBezelWithFrame:inView:]-[BWUnanchoredButtonCell highlightRectForBounds:]+[BWUnanchoredButtonCell initialize]-[BWUnanchoredButtonContainer awakeFromNib]-[BWSheetController awakeFromNib]-[BWSheetController encodeWithCoder:]-[BWSheetController openSheet:]-[BWSheetController closeSheet:]-[BWSheetController messageDelegateAndCloseSheet:]-[BWSheetController delegate]-[BWSheetController sheet]-[BWSheetController parentWindow]-[BWSheetController initWithCoder:]-[BWSheetController setParentWindow:]-[BWSheetController setSheet:]-[BWSheetController setDelegate:]-[BWTransparentScrollView initWithCoder:]+[BWTransparentScrollView _verticalScrollerClass]-[BWAddMiniBottomBar initWithCoder:]-[BWAddMiniBottomBar bounds]-[BWAddMiniBottomBar drawRect:]-[BWAddMiniBottomBar awakeFromNib]-[BWAddSheetBottomBar initWithCoder:]-[BWAddSheetBottomBar bounds]-[BWAddSheetBottomBar drawRect:]-[BWAddSheetBottomBar awakeFromNib]-[BWTokenFieldCell setUpTokenAttachmentCell:forRepresentedObject:]-[BWTokenAttachmentCell arrowInHighlightedState:]-[BWTokenAttachmentCell interiorBackgroundStyle]+[BWTokenAttachmentCell initialize]-[BWTokenAttachmentCell pullDownRectForBounds:]-[BWTokenAttachmentCell pullDownImage]-[BWTokenAttachmentCell _textAttributes]-[BWTokenAttachmentCell drawTokenWithFrame:inView:]-[BWTransparentScroller initWithFrame:]+[BWTransparentScroller scrollerWidthForControlSize:]+[BWTransparentScroller scrollerWidth]+[BWTransparentScroller initialize]-[BWTransparentScroller rectForPart:]-[BWTransparentScroller _drawingRectForPart:]-[BWTransparentScroller drawKnob]-[BWTransparentScroller drawKnobSlot]-[BWTransparentScroller drawRect:]-[BWTransparentScroller initWithCoder:]-[BWTransparentTextFieldCell _textAttributes]+[BWTransparentTextFieldCell initialize]-[BWToolbarItem initWithCoder:]-[BWToolbarItem identifierString]-[BWToolbarItem dealloc]-[BWToolbarItem setIdentifierString:]-[BWToolbarItem encodeWithCoder:]+[NSString(BWAdditions) bwRandomUUID]+[NSEvent(BWAdditions) bwShiftKeyIsDown]+[NSEvent(BWAdditions) bwCommandKeyIsDown]+[NSEvent(BWAdditions) bwOptionKeyIsDown]+[NSEvent(BWAdditions) bwControlKeyIsDown]+[NSEvent(BWAdditions) bwCapsLockKeyIsDown]-[BWHyperlinkButton awakeFromNib]-[BWHyperlinkButton initWithCoder:]-[BWHyperlinkButton setUrlString:]-[BWHyperlinkButton urlString]-[BWHyperlinkButton dealloc]-[BWHyperlinkButton resetCursorRects]-[BWHyperlinkButton openURLInBrowser:]-[BWHyperlinkButton encodeWithCoder:]-[BWHyperlinkButtonCell _textAttributes]-[BWHyperlinkButtonCell isBordered]-[BWHyperlinkButtonCell setBordered:]-[BWHyperlinkButtonCell drawBezelWithFrame:inView:]-[BWGradientBox initWithCoder:]-[BWGradientBox fillStartingColor]-[BWGradientBox fillEndingColor]-[BWGradientBox fillColor]-[BWGradientBox topBorderColor]-[BWGradientBox bottomBorderColor]-[BWGradientBox setTopInsetAlpha:]-[BWGradientBox topInsetAlpha]-[BWGradientBox setBottomInsetAlpha:]-[BWGradientBox bottomInsetAlpha]-[BWGradientBox setHasTopBorder:]-[BWGradientBox hasTopBorder]-[BWGradientBox setHasBottomBorder:]-[BWGradientBox hasBottomBorder]-[BWGradientBox setHasGradient:]-[BWGradientBox hasGradient]-[BWGradientBox setHasFillColor:]-[BWGradientBox hasFillColor]-[BWGradientBox dealloc]-[BWGradientBox setBottomBorderColor:]-[BWGradientBox setTopBorderColor:]-[BWGradientBox setFillEndingColor:]-[BWGradientBox setFillStartingColor:]-[BWGradientBox setFillColor:]-[BWGradientBox isFlipped]-[BWGradientBox drawRect:]-[BWGradientBox encodeWithCoder:]-[BWStyledTextField hasShadow]-[BWStyledTextField setHasShadow:]-[BWStyledTextField shadowIsBelow]-[BWStyledTextField setShadowIsBelow:]-[BWStyledTextField shadowColor]-[BWStyledTextField setShadowColor:]-[BWStyledTextField hasGradient]-[BWStyledTextField setHasGradient:]-[BWStyledTextField startingColor]-[BWStyledTextField setStartingColor:]-[BWStyledTextField endingColor]-[BWStyledTextField setEndingColor:]-[BWStyledTextField solidColor]-[BWStyledTextField setSolidColor:]-[BWStyledTextFieldCell initWithCoder:]-[BWStyledTextFieldCell shadowIsBelow]-[BWStyledTextFieldCell shadowColor]-[BWStyledTextFieldCell setHasShadow:]-[BWStyledTextFieldCell hasShadow]-[BWStyledTextFieldCell setShadow:]-[BWStyledTextFieldCell shadow]-[BWStyledTextFieldCell setPreviousAttributes:]-[BWStyledTextFieldCell previousAttributes]-[BWStyledTextFieldCell startingColor]-[BWStyledTextFieldCell endingColor]-[BWStyledTextFieldCell hasGradient]-[BWStyledTextFieldCell solidColor]-[BWStyledTextFieldCell setShadowColor:]-[BWStyledTextFieldCell setShadowIsBelow:]-[BWStyledTextFieldCell setHasGradient:]-[BWStyledTextFieldCell setSolidColor:]-[BWStyledTextFieldCell setEndingColor:]-[BWStyledTextFieldCell setStartingColor:]-[BWStyledTextFieldCell drawInteriorWithFrame:inView:]-[BWStyledTextFieldCell applyGradient]-[BWStyledTextFieldCell awakeFromNib]-[BWStyledTextFieldCell changeShadow]-[BWStyledTextFieldCell _textAttributes]-[BWStyledTextFieldCell dealloc]-[BWStyledTextFieldCell copyWithZone:]-[BWStyledTextFieldCell encodeWithCoder:]+[NSApplication(BWAdditions) bwIsOnLeopard] stub helpers_scaleFactor_documentToolbar_editableToolbar_enabledColor_disabledColor_buttonFillN_buttonRightP_buttonFillP_buttonLeftP_buttonRightN_buttonLeftN_contentShadow_enabledColor_disabledColor_checkboxOffN_checkboxOnP_checkboxOnN_checkboxOffP_enabledColor_disabledColor_popUpFillN_pullDownRightP_popUpFillP_popUpLeftP_popUpRightP_pullDownRightN_popUpLeftN_popUpRightN_thumbPImage_thumbNImage_triangleThumbPImage_triangleThumbNImage_trackFillImage_trackRightImage_trackLeftImage_gradient_borderColor_dimpleImageBitmap_dimpleImageVector_gradientStartColor_gradientEndColor_smallPhotoImage_largePhotoImage_quietSpeakerImage_loudSpeakerImage_thumbPImage_thumbNImage_trackFillImage_trackRightImage_trackLeftImage_wasBorderedBar_gradient_topLineColor_borderedTopLineColor_resizeHandleColor_resizeInsetColor_bottomLineColor_sideInsetColor_topColor_middleTopColor_middleBottomColor_bottomColor_fillGradient_bottomBorderColor_sideInsetColor_borderedTopBorderColor_borderedSideBorderColor_topBorderColor_sideBorderColor_enabledTextColor_disabledTextColor_contentShadow_enabledImageColor_disabledImageColor_pressedColor_fillStop1_fillStop2_fillStop3_fillStop4_rowColor_altRowColor_highlightColor_fillGradient_bottomBorderColor_sideInsetColor_borderedTopBorderColor_borderedSideBorderColor_topBorderColor_sideBorderColor_enabledTextColor_disabledTextColor_contentShadow_enabledImageColor_disabledImageColor_pressedColor_pullDownArrow_fillStop1_fillStop2_fillStop3_fillStop4_fillGradient_topInsetColor_topBorderColor_borderColor_bottomInsetColor_fillStop1_fillStop2_fillStop3_fillStop4_pressedColor_highlightedArrowColor_arrowGradient_textShadow_blueStrokeGradient_blueInsetGradient_blueGradient_highlightedBlueStrokeGradient_highlightedBlueInsetGradient_highlightedBlueGradient_slotVerticalFill_backgroundColor_minKnobHeight_minKnobWidth_slotBottom_slotTop_slotRight_slotHorizontalFill_slotLeft_knobBottom_knobVerticalFill_knobTop_knobRight_knobHorizontalFill_knobLeft_textShadow_BWSelectableToolbarItemClickedNotification_OBJC_CLASS_$_BWAddMiniBottomBar_OBJC_CLASS_$_BWAddRegularBottomBar_OBJC_CLASS_$_BWAddSheetBottomBar_OBJC_CLASS_$_BWAddSmallBottomBar_OBJC_CLASS_$_BWAnchoredButton_OBJC_CLASS_$_BWAnchoredButtonBar_OBJC_CLASS_$_BWAnchoredButtonCell_OBJC_CLASS_$_BWAnchoredPopUpButton_OBJC_CLASS_$_BWAnchoredPopUpButtonCell_OBJC_CLASS_$_BWCustomView_OBJC_CLASS_$_BWGradientBox_OBJC_CLASS_$_BWHyperlinkButton_OBJC_CLASS_$_BWHyperlinkButtonCell_OBJC_CLASS_$_BWInsetTextField_OBJC_CLASS_$_BWRemoveBottomBar_OBJC_CLASS_$_BWSelectableToolbar_OBJC_CLASS_$_BWSelectableToolbarHelper_OBJC_CLASS_$_BWSheetController_OBJC_CLASS_$_BWSplitView_OBJC_CLASS_$_BWStyledTextField_OBJC_CLASS_$_BWStyledTextFieldCell_OBJC_CLASS_$_BWTexturedSlider_OBJC_CLASS_$_BWTexturedSliderCell_OBJC_CLASS_$_BWTokenAttachmentCell_OBJC_CLASS_$_BWTokenField_OBJC_CLASS_$_BWTokenFieldCell_OBJC_CLASS_$_BWToolbarItem_OBJC_CLASS_$_BWToolbarShowColorsItem_OBJC_CLASS_$_BWToolbarShowFontsItem_OBJC_CLASS_$_BWTransparentButton_OBJC_CLASS_$_BWTransparentButtonCell_OBJC_CLASS_$_BWTransparentCheckbox_OBJC_CLASS_$_BWTransparentCheckboxCell_OBJC_CLASS_$_BWTransparentPopUpButton_OBJC_CLASS_$_BWTransparentPopUpButtonCell_OBJC_CLASS_$_BWTransparentScrollView_OBJC_CLASS_$_BWTransparentScroller_OBJC_CLASS_$_BWTransparentSlider_OBJC_CLASS_$_BWTransparentSliderCell_OBJC_CLASS_$_BWTransparentTableView_OBJC_CLASS_$_BWTransparentTableViewCell_OBJC_CLASS_$_BWTransparentTextFieldCell_OBJC_CLASS_$_BWUnanchoredButton_OBJC_CLASS_$_BWUnanchoredButtonCell_OBJC_CLASS_$_BWUnanchoredButtonContainer_OBJC_IVAR_$_BWAnchoredButton.isAtLeftEdgeOfBar_OBJC_IVAR_$_BWAnchoredButton.isAtRightEdgeOfBar_OBJC_IVAR_$_BWAnchoredButton.topAndLeftInset_OBJC_IVAR_$_BWAnchoredButtonBar.handleIsRightAligned_OBJC_IVAR_$_BWAnchoredButtonBar.isAtBottom_OBJC_IVAR_$_BWAnchoredButtonBar.isResizable_OBJC_IVAR_$_BWAnchoredButtonBar.selectedIndex_OBJC_IVAR_$_BWAnchoredButtonBar.splitViewDelegate_OBJC_IVAR_$_BWAnchoredPopUpButton.isAtLeftEdgeOfBar_OBJC_IVAR_$_BWAnchoredPopUpButton.isAtRightEdgeOfBar_OBJC_IVAR_$_BWAnchoredPopUpButton.topAndLeftInset_OBJC_IVAR_$_BWCustomView.isOnItsOwn_OBJC_IVAR_$_BWGradientBox.bottomBorderColor_OBJC_IVAR_$_BWGradientBox.bottomInsetAlpha_OBJC_IVAR_$_BWGradientBox.fillColor_OBJC_IVAR_$_BWGradientBox.fillEndingColor_OBJC_IVAR_$_BWGradientBox.fillStartingColor_OBJC_IVAR_$_BWGradientBox.hasBottomBorder_OBJC_IVAR_$_BWGradientBox.hasFillColor_OBJC_IVAR_$_BWGradientBox.hasGradient_OBJC_IVAR_$_BWGradientBox.hasTopBorder_OBJC_IVAR_$_BWGradientBox.topBorderColor_OBJC_IVAR_$_BWGradientBox.topInsetAlpha_OBJC_IVAR_$_BWHyperlinkButton.urlString_OBJC_IVAR_$_BWSelectableToolbar.enabledByIdentifier_OBJC_IVAR_$_BWSelectableToolbar.helper_OBJC_IVAR_$_BWSelectableToolbar.inIB_OBJC_IVAR_$_BWSelectableToolbar.isPreferencesToolbar_OBJC_IVAR_$_BWSelectableToolbar.itemIdentifiers_OBJC_IVAR_$_BWSelectableToolbar.itemsByIdentifier_OBJC_IVAR_$_BWSelectableToolbar.selectedIndex_OBJC_IVAR_$_BWSelectableToolbarHelper.contentViewsByIdentifier_OBJC_IVAR_$_BWSelectableToolbarHelper.initialIBWindowSize_OBJC_IVAR_$_BWSelectableToolbarHelper.isPreferencesToolbar_OBJC_IVAR_$_BWSelectableToolbarHelper.oldWindowTitle_OBJC_IVAR_$_BWSelectableToolbarHelper.selectedIdentifier_OBJC_IVAR_$_BWSelectableToolbarHelper.windowSizesByIdentifier_OBJC_IVAR_$_BWSheetController.delegate_OBJC_IVAR_$_BWSheetController.parentWindow_OBJC_IVAR_$_BWSheetController.sheet_OBJC_IVAR_$_BWSplitView.checkboxIsEnabled_OBJC_IVAR_$_BWSplitView.collapsiblePopupSelection_OBJC_IVAR_$_BWSplitView.collapsibleSubviewCollapsed_OBJC_IVAR_$_BWSplitView.color_OBJC_IVAR_$_BWSplitView.colorIsEnabled_OBJC_IVAR_$_BWSplitView.dividerCanCollapse_OBJC_IVAR_$_BWSplitView.isAnimating_OBJC_IVAR_$_BWSplitView.maxUnits_OBJC_IVAR_$_BWSplitView.maxValues_OBJC_IVAR_$_BWSplitView.minUnits_OBJC_IVAR_$_BWSplitView.minValues_OBJC_IVAR_$_BWSplitView.nonresizableSubviewPreferredSize_OBJC_IVAR_$_BWSplitView.resizableSubviewPreferredProportion_OBJC_IVAR_$_BWSplitView.secondaryDelegate_OBJC_IVAR_$_BWSplitView.stateForLastPreferredCalculations_OBJC_IVAR_$_BWSplitView.toggleCollapseButton_OBJC_IVAR_$_BWSplitView.uncollapsedSize_OBJC_IVAR_$_BWStyledTextFieldCell.endingColor_OBJC_IVAR_$_BWStyledTextFieldCell.hasGradient_OBJC_IVAR_$_BWStyledTextFieldCell.hasShadow_OBJC_IVAR_$_BWStyledTextFieldCell.previousAttributes_OBJC_IVAR_$_BWStyledTextFieldCell.shadow_OBJC_IVAR_$_BWStyledTextFieldCell.shadowColor_OBJC_IVAR_$_BWStyledTextFieldCell.shadowIsBelow_OBJC_IVAR_$_BWStyledTextFieldCell.solidColor_OBJC_IVAR_$_BWStyledTextFieldCell.startingColor_OBJC_IVAR_$_BWTexturedSlider.indicatorIndex_OBJC_IVAR_$_BWTexturedSlider.maxButton_OBJC_IVAR_$_BWTexturedSlider.minButton_OBJC_IVAR_$_BWTexturedSlider.sliderCellRect_OBJC_IVAR_$_BWTexturedSlider.trackHeight_OBJC_IVAR_$_BWTexturedSliderCell.isPressed_OBJC_IVAR_$_BWTexturedSliderCell.trackHeight_OBJC_IVAR_$_BWToolbarItem.identifierString_OBJC_IVAR_$_BWTransparentScroller.isVertical_OBJC_IVAR_$_BWTransparentSliderCell.isPressed_OBJC_IVAR_$_BWTransparentTableViewCell.mIsEditingOrSelecting_OBJC_IVAR_$_BWUnanchoredButton.topAndLeftInset_OBJC_METACLASS_$_BWAddMiniBottomBar_OBJC_METACLASS_$_BWAddRegularBottomBar_OBJC_METACLASS_$_BWAddSheetBottomBar_OBJC_METACLASS_$_BWAddSmallBottomBar_OBJC_METACLASS_$_BWAnchoredButton_OBJC_METACLASS_$_BWAnchoredButtonBar_OBJC_METACLASS_$_BWAnchoredButtonCell_OBJC_METACLASS_$_BWAnchoredPopUpButton_OBJC_METACLASS_$_BWAnchoredPopUpButtonCell_OBJC_METACLASS_$_BWCustomView_OBJC_METACLASS_$_BWGradientBox_OBJC_METACLASS_$_BWHyperlinkButton_OBJC_METACLASS_$_BWHyperlinkButtonCell_OBJC_METACLASS_$_BWInsetTextField_OBJC_METACLASS_$_BWRemoveBottomBar_OBJC_METACLASS_$_BWSelectableToolbar_OBJC_METACLASS_$_BWSelectableToolbarHelper_OBJC_METACLASS_$_BWSheetController_OBJC_METACLASS_$_BWSplitView_OBJC_METACLASS_$_BWStyledTextField_OBJC_METACLASS_$_BWStyledTextFieldCell_OBJC_METACLASS_$_BWTexturedSlider_OBJC_METACLASS_$_BWTexturedSliderCell_OBJC_METACLASS_$_BWTokenAttachmentCell_OBJC_METACLASS_$_BWTokenField_OBJC_METACLASS_$_BWTokenFieldCell_OBJC_METACLASS_$_BWToolbarItem_OBJC_METACLASS_$_BWToolbarShowColorsItem_OBJC_METACLASS_$_BWToolbarShowFontsItem_OBJC_METACLASS_$_BWTransparentButton_OBJC_METACLASS_$_BWTransparentButtonCell_OBJC_METACLASS_$_BWTransparentCheckbox_OBJC_METACLASS_$_BWTransparentCheckboxCell_OBJC_METACLASS_$_BWTransparentPopUpButton_OBJC_METACLASS_$_BWTransparentPopUpButtonCell_OBJC_METACLASS_$_BWTransparentScrollView_OBJC_METACLASS_$_BWTransparentScroller_OBJC_METACLASS_$_BWTransparentSlider_OBJC_METACLASS_$_BWTransparentSliderCell_OBJC_METACLASS_$_BWTransparentTableView_OBJC_METACLASS_$_BWTransparentTableViewCell_OBJC_METACLASS_$_BWTransparentTextFieldCell_OBJC_METACLASS_$_BWUnanchoredButton_OBJC_METACLASS_$_BWUnanchoredButtonCell_OBJC_METACLASS_$_BWUnanchoredButtonContainer_compareViews_CFMakeCollectable_CFRelease_CFUUIDCreate_CFUUIDCreateString_CGContextRestoreGState_CGContextSaveGState_CGContextSetShouldSmoothFonts_Gestalt_NSApp_NSClassFromString_NSDrawThreePartImage_NSFontAttributeName_NSForegroundColorAttributeName_NSInsetRect_NSIntegralRect_NSIsEmptyRect_NSOffsetRect_NSPointInRect_NSRectFill_NSRectFillUsingOperation_NSShadowAttributeName_NSUnderlineStyleAttributeName_NSWindowDidResizeNotification_NSZeroRect_OBJC_CLASS_$_NSAffineTransform_OBJC_CLASS_$_NSAnimationContext_OBJC_CLASS_$_NSApplication_OBJC_CLASS_$_NSArchiver_OBJC_CLASS_$_NSArray_OBJC_CLASS_$_NSBezierPath_OBJC_CLASS_$_NSBundle_OBJC_CLASS_$_NSButton_OBJC_CLASS_$_NSButtonCell_OBJC_CLASS_$_NSColor_OBJC_CLASS_$_NSCursor_OBJC_CLASS_$_NSCustomView_OBJC_CLASS_$_NSDictionary_OBJC_CLASS_$_NSEvent_OBJC_CLASS_$_NSFont_OBJC_CLASS_$_NSGradient_OBJC_CLASS_$_NSGraphicsContext_OBJC_CLASS_$_NSImage_OBJC_CLASS_$_NSMutableArray_OBJC_CLASS_$_NSMutableAttributedString_OBJC_CLASS_$_NSMutableDictionary_OBJC_CLASS_$_NSNotificationCenter_OBJC_CLASS_$_NSNumber_OBJC_CLASS_$_NSObject_OBJC_CLASS_$_NSPopUpButton_OBJC_CLASS_$_NSPopUpButtonCell_OBJC_CLASS_$_NSScreen_OBJC_CLASS_$_NSScrollView_OBJC_CLASS_$_NSScroller_OBJC_CLASS_$_NSShadow_OBJC_CLASS_$_NSSlider_OBJC_CLASS_$_NSSliderCell_OBJC_CLASS_$_NSSortDescriptor_OBJC_CLASS_$_NSSplitView_OBJC_CLASS_$_NSString_OBJC_CLASS_$_NSTableView_OBJC_CLASS_$_NSTextField_OBJC_CLASS_$_NSTextFieldCell_OBJC_CLASS_$_NSTokenAttachmentCell_OBJC_CLASS_$_NSTokenField_OBJC_CLASS_$_NSTokenFieldCell_OBJC_CLASS_$_NSToolbar_OBJC_CLASS_$_NSToolbarItem_OBJC_CLASS_$_NSURL_OBJC_CLASS_$_NSUnarchiver_OBJC_CLASS_$_NSValue_OBJC_CLASS_$_NSView_OBJC_CLASS_$_NSWindow_OBJC_CLASS_$_NSWindowController_OBJC_CLASS_$_NSWorkspace_OBJC_IVAR_$_NSTokenAttachmentCell._tacFlags_OBJC_METACLASS_$_NSButton_OBJC_METACLASS_$_NSButtonCell_OBJC_METACLASS_$_NSCustomView_OBJC_METACLASS_$_NSObject_OBJC_METACLASS_$_NSPopUpButton_OBJC_METACLASS_$_NSPopUpButtonCell_OBJC_METACLASS_$_NSScrollView_OBJC_METACLASS_$_NSScroller_OBJC_METACLASS_$_NSSlider_OBJC_METACLASS_$_NSSliderCell_OBJC_METACLASS_$_NSSplitView_OBJC_METACLASS_$_NSTableView_OBJC_METACLASS_$_NSTextField_OBJC_METACLASS_$_NSTextFieldCell_OBJC_METACLASS_$_NSTokenAttachmentCell_OBJC_METACLASS_$_NSTokenField_OBJC_METACLASS_$_NSTokenFieldCell_OBJC_METACLASS_$_NSToolbar_OBJC_METACLASS_$_NSToolbarItem_OBJC_METACLASS_$_NSView___CFConstantStringClassReference__objc_empty_cache__objc_empty_vtable_ceilf_floor_fmaxf_fminf_modf_objc_assign_global_objc_assign_ivar_objc_enumerationMutation_objc_getProperty_objc_msgSendSuper2_fixup_objc_msgSendSuper2_stret_fixup_objc_msgSend_fixup_objc_msgSend_stret_fixup_objc_setProperty_roundfdyld_stub_binder/Users/brandon/Temp/bwtoolkit/BWToolbarShowColorsItem.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWToolbarShowColorsItem.o-[BWToolbarShowColorsItem image]/Users/brandon/Temp/bwtoolkit/BWToolbarShowColorsItem.m-[BWToolbarShowColorsItem toolTip]-[BWToolbarShowColorsItem action]-[BWToolbarShowColorsItem target]-[BWToolbarShowColorsItem paletteLabel]-[BWToolbarShowColorsItem label]-[BWToolbarShowColorsItem itemIdentifier]_OBJC_METACLASS_$_BWToolbarShowColorsItem_OBJC_CLASS_$_BWToolbarShowColorsItemBWToolbarShowFontsItem.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWToolbarShowFontsItem.o-[BWToolbarShowFontsItem image]/Users/brandon/Temp/bwtoolkit/BWToolbarShowFontsItem.m-[BWToolbarShowFontsItem toolTip]-[BWToolbarShowFontsItem action]-[BWToolbarShowFontsItem target]-[BWToolbarShowFontsItem paletteLabel]-[BWToolbarShowFontsItem label]-[BWToolbarShowFontsItem itemIdentifier]_OBJC_METACLASS_$_BWToolbarShowFontsItem_OBJC_CLASS_$_BWToolbarShowFontsItemBWSelectableToolbar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWSelectableToolbar.o-[BWSelectableToolbar documentToolbar]-[BWSelectableToolbar editableToolbar]/Users/brandon/Temp/bwtoolkit/BWSelectableToolbar.m-[BWSelectableToolbar initWithCoder:]-[BWSelectableToolbar setHelper:]-[BWSelectableToolbar helper]-[BWSelectableToolbar isPreferencesToolbar]-[BWSelectableToolbar setEnabledByIdentifier:]-[BWSelectableToolbar switchToItemAtIndex:animate:]-[BWSelectableToolbar setSelectedIndex:]-[BWSelectableToolbar selectedIndex]-[BWSelectableToolbar labels]-[BWSelectableToolbar setIsPreferencesToolbar:]-[BWSelectableToolbar selectableItemIdentifiers]-[BWSelectableToolbar toolbarSelectableItemIdentifiers:]-[BWSelectableToolbar toolbar:itemForItemIdentifier:willBeInsertedIntoToolbar:]-[BWSelectableToolbar toolbarAllowedItemIdentifiers:]-[BWSelectableToolbar toolbarDefaultItemIdentifiers:]-[BWSelectableToolbar windowDidResize:]-[BWSelectableToolbar enabledByIdentifier]-[BWSelectableToolbar validateToolbarItem:]-[BWSelectableToolbar setEnabled:forIdentifier:]-[BWSelectableToolbar setSelectedItemIdentifierWithoutAnimation:]-[BWSelectableToolbar setSelectedItemIdentifier:]-[BWSelectableToolbar dealloc]-[BWSelectableToolbar identifierAtIndex:]-[BWSelectableToolbar setItemSelectors]-[BWSelectableToolbar toggleActiveView:]-[BWSelectableToolbar selectItemAtIndex:]-[BWSelectableToolbar toolbarIndexFromSelectableIndex:]-[BWSelectableToolbar initialSetup]-[BWSelectableToolbar selectInitialItem]-[BWSelectableToolbar selectFirstItem]-[BWSelectableToolbar awakeFromNib]-[BWSelectableToolbar initWithIdentifier:]-[BWSelectableToolbar _defaultItemIdentifiers]-[BWSelectableToolbar encodeWithCoder:]-[BWSelectableToolbar setEditableToolbar:]-[BWSelectableToolbar setDocumentToolbar:]_BWSelectableToolbarItemClickedNotification_OBJC_METACLASS_$_BWSelectableToolbar_OBJC_CLASS_$_BWSelectableToolbar_OBJC_IVAR_$_BWSelectableToolbar.helper_OBJC_IVAR_$_BWSelectableToolbar.itemIdentifiers_OBJC_IVAR_$_BWSelectableToolbar.itemsByIdentifier_OBJC_IVAR_$_BWSelectableToolbar.enabledByIdentifier_OBJC_IVAR_$_BWSelectableToolbar.inIB_OBJC_IVAR_$_BWSelectableToolbar.selectedIndex_OBJC_IVAR_$_BWSelectableToolbar.isPreferencesToolbar_documentToolbar_editableToolbarBWAddRegularBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWAddRegularBottomBar.o-[BWAddRegularBottomBar initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWAddRegularBottomBar.m-[BWAddRegularBottomBar bounds]/System/Library/Frameworks/Foundation.framework/Headers/NSGeometry.h-[BWAddRegularBottomBar drawRect:]-[BWAddRegularBottomBar awakeFromNib]_OBJC_METACLASS_$_BWAddRegularBottomBar_OBJC_CLASS_$_BWAddRegularBottomBarBWRemoveBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWRemoveBottomBar.o-[BWRemoveBottomBar bounds]_OBJC_METACLASS_$_BWRemoveBottomBar_OBJC_CLASS_$_BWRemoveBottomBarBWInsetTextField.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWInsetTextField.o-[BWInsetTextField initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWInsetTextField.m_OBJC_METACLASS_$_BWInsetTextField_OBJC_CLASS_$_BWInsetTextFieldBWTransparentButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWTransparentButtonCell.o-[BWTransparentButtonCell drawImage:withFrame:inView:]/Users/brandon/Temp/bwtoolkit/BWTransparentButtonCell.m+[BWTransparentButtonCell initialize]-[BWTransparentButtonCell setControlSize:]-[BWTransparentButtonCell controlSize]-[BWTransparentButtonCell interiorColor]-[BWTransparentButtonCell _textAttributes]-[BWTransparentButtonCell drawTitle:withFrame:inView:]-[BWTransparentButtonCell drawBezelWithFrame:inView:]_OBJC_METACLASS_$_BWTransparentButtonCell_OBJC_CLASS_$_BWTransparentButtonCell_enabledColor_disabledColor_buttonFillN_buttonRightP_buttonFillP_buttonLeftP_buttonRightN_buttonLeftNBWTransparentCheckboxCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWTransparentCheckboxCell.o-[BWTransparentCheckboxCell _textAttributes]/Users/brandon/Temp/bwtoolkit/BWTransparentCheckboxCell.m+[BWTransparentCheckboxCell initialize]-[BWTransparentCheckboxCell setControlSize:]-[BWTransparentCheckboxCell controlSize]-[BWTransparentCheckboxCell drawImage:withFrame:inView:]-[BWTransparentCheckboxCell drawInteriorWithFrame:inView:]-[BWTransparentCheckboxCell interiorColor]-[BWTransparentCheckboxCell drawTitle:withFrame:inView:]-[BWTransparentCheckboxCell isInTableView]_OBJC_METACLASS_$_BWTransparentCheckboxCell_OBJC_CLASS_$_BWTransparentCheckboxCell_contentShadow_enabledColor_disabledColor_checkboxOffN_checkboxOnP_checkboxOnN_checkboxOffPBWTransparentPopUpButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWTransparentPopUpButtonCell.o-[BWTransparentPopUpButtonCell drawImageWithFrame:inView:]/Users/brandon/Temp/bwtoolkit/BWTransparentPopUpButtonCell.m-[BWTransparentPopUpButtonCell imageRectForBounds:]+[BWTransparentPopUpButtonCell initialize]-[BWTransparentPopUpButtonCell setControlSize:]-[BWTransparentPopUpButtonCell controlSize]-[BWTransparentPopUpButtonCell interiorColor]-[BWTransparentPopUpButtonCell _textAttributes]-[BWTransparentPopUpButtonCell titleRectForBounds:]-[BWTransparentPopUpButtonCell drawBezelWithFrame:inView:]_OBJC_METACLASS_$_BWTransparentPopUpButtonCell_OBJC_CLASS_$_BWTransparentPopUpButtonCell_enabledColor_disabledColor_popUpFillN_pullDownRightP_popUpFillP_popUpLeftP_popUpRightP_pullDownRightN_popUpLeftN_popUpRightNBWTransparentSliderCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWTransparentSliderCell.o-[BWTransparentSliderCell initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWTransparentSliderCell.m+[BWTransparentSliderCell initialize]-[BWTransparentSliderCell setControlSize:]-[BWTransparentSliderCell controlSize]-[BWTransparentSliderCell setTickMarkPosition:]-[BWTransparentSliderCell stopTracking:at:inView:mouseIsUp:]-[BWTransparentSliderCell startTrackingAt:inView:]-[BWTransparentSliderCell knobRectFlipped:]-[BWTransparentSliderCell _usesCustomTrackImage]-[BWTransparentSliderCell drawKnob:]-[BWTransparentSliderCell drawBarInside:flipped:]_OBJC_METACLASS_$_BWTransparentSliderCell_OBJC_CLASS_$_BWTransparentSliderCell_OBJC_IVAR_$_BWTransparentSliderCell.isPressed_thumbPImage_thumbNImage_triangleThumbPImage_triangleThumbNImage_trackFillImage_trackRightImage_trackLeftImageBWSplitView.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWSplitView.o-[BWSplitView initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWSplitView.m+[BWSplitView initialize]-[BWSplitView colorIsEnabled]-[BWSplitView setCheckboxIsEnabled:]-[BWSplitView setMinValues:]-[BWSplitView setMaxValues:]-[BWSplitView setMinUnits:]-[BWSplitView setMaxUnits:]-[BWSplitView setCollapsiblePopupSelection:]-[BWSplitView collapsiblePopupSelection]-[BWSplitView setDividerCanCollapse:]-[BWSplitView dividerCanCollapse]-[BWSplitView collapsibleSubviewCollapsed]-[BWSplitView setResizableSubviewPreferredProportion:]-[BWSplitView resizableSubviewPreferredProportion]-[BWSplitView setNonresizableSubviewPreferredSize:]-[BWSplitView nonresizableSubviewPreferredSize]-[BWSplitView setStateForLastPreferredCalculations:]-[BWSplitView stateForLastPreferredCalculations]-[BWSplitView setToggleCollapseButton:]-[BWSplitView toggleCollapseButton]-[BWSplitView setSecondaryDelegate:]-[BWSplitView secondaryDelegate]-[BWSplitView dealloc]-[BWSplitView maxUnits]-[BWSplitView minUnits]-[BWSplitView maxValues]-[BWSplitView minValues]-[BWSplitView color]-[BWSplitView setColor:]-[BWSplitView setColorIsEnabled:]-[BWSplitView checkboxIsEnabled]-[BWSplitView setDividerStyle:]-[BWSplitView splitView:resizeSubviewsWithOldSize:]-[BWSplitView resizeAndAdjustSubviews]-[BWSplitView clearPreferredProportionsAndSizes]-[BWSplitView validateAndCalculatePreferredProportionsAndSizes]-[BWSplitView correctCollapsiblePreferredProportionOrSize]-[BWSplitView validatePreferredProportionsAndSizes]-[BWSplitView recalculatePreferredProportionsAndSizes]-[BWSplitView subviewMaximumSize:]-[BWSplitView subviewMinimumSize:]-[BWSplitView subviewIsResizable:]-[BWSplitView resizableSubviews]-[BWSplitView splitViewWillResizeSubviews:]-[BWSplitView splitViewDidResizeSubviews:]-[BWSplitView splitView:effectiveRect:forDrawnRect:ofDividerAtIndex:]-[BWSplitView splitView:constrainSplitPosition:ofSubviewAt:]-[BWSplitView splitView:constrainMinCoordinate:ofSubviewAt:]-[BWSplitView splitView:constrainMaxCoordinate:ofSubviewAt:]-[BWSplitView splitView:shouldCollapseSubview:forDoubleClickOnDividerAtIndex:]-[BWSplitView splitView:canCollapseSubview:]-[BWSplitView splitView:additionalEffectiveRectOfDividerAtIndex:]-[BWSplitView splitView:shouldHideDividerAtIndex:]-[BWSplitView mouseDown:]-[BWSplitView toggleCollapse:]-[BWSplitView restoreAutoresizesSubviews:]-[BWSplitView removeMinSizeForCollapsibleSubview]-[BWSplitView setMinSizeForCollapsibleSubview:]-[BWSplitView setCollapsibleSubviewCollapsed:]-[BWSplitView collapsibleDividerIndex]-[BWSplitView hasCollapsibleDivider]-[BWSplitView animationDuration]-[BWSplitView animationEnded]-[BWSplitView setCollapsibleSubviewCollapsedHelper:]-[BWSplitView adjustSubviews]-[BWSplitView hasCollapsibleSubview]-[BWSplitView collapsibleSubview]-[BWSplitView collapsibleSubviewIndex]-[BWSplitView collapsibleSubviewIsCollapsed]-[BWSplitView subviewIsCollapsed:]-[BWSplitView subviewIsCollapsible:]-[BWSplitView setDelegate:]-[BWSplitView drawDimpleInRect:]-[BWSplitView drawGradientDividerInRect:]-[BWSplitView drawDividerInRect:]-[BWSplitView awakeFromNib]-[BWSplitView encodeWithCoder:]_OBJC_METACLASS_$_BWSplitView_OBJC_CLASS_$_BWSplitView_OBJC_IVAR_$_BWSplitView.color_OBJC_IVAR_$_BWSplitView.colorIsEnabled_OBJC_IVAR_$_BWSplitView.checkboxIsEnabled_OBJC_IVAR_$_BWSplitView.dividerCanCollapse_OBJC_IVAR_$_BWSplitView.collapsibleSubviewCollapsed_OBJC_IVAR_$_BWSplitView.secondaryDelegate_OBJC_IVAR_$_BWSplitView.minValues_OBJC_IVAR_$_BWSplitView.maxValues_OBJC_IVAR_$_BWSplitView.minUnits_OBJC_IVAR_$_BWSplitView.maxUnits_OBJC_IVAR_$_BWSplitView.resizableSubviewPreferredProportion_OBJC_IVAR_$_BWSplitView.nonresizableSubviewPreferredSize_OBJC_IVAR_$_BWSplitView.stateForLastPreferredCalculations_OBJC_IVAR_$_BWSplitView.collapsiblePopupSelection_OBJC_IVAR_$_BWSplitView.uncollapsedSize_OBJC_IVAR_$_BWSplitView.toggleCollapseButton_OBJC_IVAR_$_BWSplitView.isAnimating_scaleFactor_gradient_borderColor_dimpleImageBitmap_dimpleImageVector_gradientStartColor_gradientEndColorBWTexturedSlider.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWTexturedSlider.o-[BWTexturedSlider initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWTexturedSlider.m+[BWTexturedSlider initialize]-[BWTexturedSlider indicatorIndex]-[BWTexturedSlider setMinButton:]-[BWTexturedSlider minButton]-[BWTexturedSlider setMaxButton:]-[BWTexturedSlider maxButton]-[BWTexturedSlider dealloc]-[BWTexturedSlider resignFirstResponder]-[BWTexturedSlider becomeFirstResponder]-[BWTexturedSlider scrollWheel:]-[BWTexturedSlider setEnabled:]-[BWTexturedSlider setIndicatorIndex:]-[BWTexturedSlider drawRect:]-[BWTexturedSlider hitTest:]-[BWTexturedSlider setSliderToMaximum]-[BWTexturedSlider setSliderToMinimum]-[BWTexturedSlider setTrackHeight:]-[BWTexturedSlider trackHeight]-[BWTexturedSlider encodeWithCoder:]_OBJC_METACLASS_$_BWTexturedSlider_OBJC_CLASS_$_BWTexturedSlider_OBJC_IVAR_$_BWTexturedSlider.trackHeight_OBJC_IVAR_$_BWTexturedSlider.indicatorIndex_OBJC_IVAR_$_BWTexturedSlider.sliderCellRect_OBJC_IVAR_$_BWTexturedSlider.minButton_OBJC_IVAR_$_BWTexturedSlider.maxButton_smallPhotoImage_largePhotoImage_quietSpeakerImage_loudSpeakerImageBWTexturedSliderCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWTexturedSliderCell.o-[BWTexturedSliderCell initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWTexturedSliderCell.m+[BWTexturedSliderCell initialize]-[BWTexturedSliderCell setTrackHeight:]-[BWTexturedSliderCell trackHeight]-[BWTexturedSliderCell stopTracking:at:inView:mouseIsUp:]-[BWTexturedSliderCell startTrackingAt:inView:]-[BWTexturedSliderCell _usesCustomTrackImage]-[BWTexturedSliderCell drawKnob:]-[BWTexturedSliderCell drawBarInside:flipped:]-[BWTexturedSliderCell setNumberOfTickMarks:]-[BWTexturedSliderCell numberOfTickMarks]-[BWTexturedSliderCell setControlSize:]-[BWTexturedSliderCell controlSize]-[BWTexturedSliderCell encodeWithCoder:]_OBJC_METACLASS_$_BWTexturedSliderCell_OBJC_CLASS_$_BWTexturedSliderCell_OBJC_IVAR_$_BWTexturedSliderCell.isPressed_OBJC_IVAR_$_BWTexturedSliderCell.trackHeight_thumbPImage_thumbNImage_trackFillImage_trackRightImage_trackLeftImageBWAddSmallBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWAddSmallBottomBar.o-[BWAddSmallBottomBar initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWAddSmallBottomBar.m-[BWAddSmallBottomBar bounds]-[BWAddSmallBottomBar drawRect:]-[BWAddSmallBottomBar awakeFromNib]_OBJC_METACLASS_$_BWAddSmallBottomBar_OBJC_CLASS_$_BWAddSmallBottomBarBWAnchoredButtonBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWAnchoredButtonBar.o-[BWAnchoredButtonBar initWithFrame:]/Users/brandon/Temp/bwtoolkit/BWAnchoredButtonBar.m+[BWAnchoredButtonBar wasBorderedBar]+[BWAnchoredButtonBar initialize]-[BWAnchoredButtonBar selectedIndex]-[BWAnchoredButtonBar isAtBottom]-[BWAnchoredButtonBar setIsResizable:]-[BWAnchoredButtonBar isResizable]-[BWAnchoredButtonBar setHandleIsRightAligned:]-[BWAnchoredButtonBar handleIsRightAligned]-[BWAnchoredButtonBar setSplitViewDelegate:]-[BWAnchoredButtonBar splitViewDelegate]-[BWAnchoredButtonBar splitView:shouldHideDividerAtIndex:]-[BWAnchoredButtonBar splitView:shouldCollapseSubview:forDoubleClickOnDividerAtIndex:]-[BWAnchoredButtonBar splitView:effectiveRect:forDrawnRect:ofDividerAtIndex:]-[BWAnchoredButtonBar splitView:constrainSplitPosition:ofSubviewAt:]-[BWAnchoredButtonBar splitView:canCollapseSubview:]-[BWAnchoredButtonBar splitView:resizeSubviewsWithOldSize:]-[BWAnchoredButtonBar splitView:constrainMaxCoordinate:ofSubviewAt:]-[BWAnchoredButtonBar splitView:constrainMinCoordinate:ofSubviewAt:]-[BWAnchoredButtonBar splitView:additionalEffectiveRectOfDividerAtIndex:]-[BWAnchoredButtonBar dealloc]-[BWAnchoredButtonBar setSelectedIndex:]-[BWAnchoredButtonBar setIsAtBottom:]-[BWAnchoredButtonBar splitView]-[BWAnchoredButtonBar dividerIndexNearestToHandle]-[BWAnchoredButtonBar isInLastSubview]-[BWAnchoredButtonBar viewDidMoveToSuperview]-[BWAnchoredButtonBar drawLastButtonInsetInRect:]-[BWAnchoredButtonBar drawResizeHandleInRect:withColor:]-[BWAnchoredButtonBar drawRect:]-[BWAnchoredButtonBar awakeFromNib]-[BWAnchoredButtonBar encodeWithCoder:]-[BWAnchoredButtonBar initWithCoder:]_OBJC_METACLASS_$_BWAnchoredButtonBar_OBJC_CLASS_$_BWAnchoredButtonBar_OBJC_IVAR_$_BWAnchoredButtonBar.isResizable_OBJC_IVAR_$_BWAnchoredButtonBar.isAtBottom_OBJC_IVAR_$_BWAnchoredButtonBar.handleIsRightAligned_OBJC_IVAR_$_BWAnchoredButtonBar.selectedIndex_OBJC_IVAR_$_BWAnchoredButtonBar.splitViewDelegate_wasBorderedBar_gradient_topLineColor_borderedTopLineColor_resizeHandleColor_resizeInsetColor_bottomLineColor_sideInsetColor_topColor_middleTopColor_middleBottomColor_bottomColorBWAnchoredButton.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWAnchoredButton.o-[BWAnchoredButton initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWAnchoredButton.m-[BWAnchoredButton setIsAtLeftEdgeOfBar:]-[BWAnchoredButton isAtLeftEdgeOfBar]-[BWAnchoredButton setIsAtRightEdgeOfBar:]-[BWAnchoredButton isAtRightEdgeOfBar]-[BWAnchoredButton frame]-[BWAnchoredButton mouseDown:]_OBJC_METACLASS_$_BWAnchoredButton_OBJC_CLASS_$_BWAnchoredButton_OBJC_IVAR_$_BWAnchoredButton.isAtLeftEdgeOfBar_OBJC_IVAR_$_BWAnchoredButton.isAtRightEdgeOfBar_OBJC_IVAR_$_BWAnchoredButton.topAndLeftInsetBWAnchoredButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWAnchoredButtonCell.o-[BWAnchoredButtonCell controlSize]-[BWAnchoredButtonCell setControlSize:]/Users/brandon/Temp/bwtoolkit/BWAnchoredButtonCell.m-[BWAnchoredButtonCell highlightRectForBounds:]-[BWAnchoredButtonCell drawBezelWithFrame:inView:]-[BWAnchoredButtonCell textColor]-[BWAnchoredButtonCell _textAttributes]+[BWAnchoredButtonCell initialize]-[BWAnchoredButtonCell drawImage:withFrame:inView:]-[BWAnchoredButtonCell imageColor]-[BWAnchoredButtonCell titleRectForBounds:]-[BWAnchoredButtonCell drawWithFrame:inView:]_OBJC_METACLASS_$_BWAnchoredButtonCell_OBJC_CLASS_$_BWAnchoredButtonCell_fillGradient_bottomBorderColor_sideInsetColor_borderedTopBorderColor_borderedSideBorderColor_topBorderColor_sideBorderColor_enabledTextColor_disabledTextColor_contentShadow_enabledImageColor_disabledImageColor_pressedColor_fillStop1_fillStop2_fillStop3_fillStop4NSColor+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/NSColor+BWAdditions.o-[NSColor(BWAdditions) bwDrawPixelThickLineAtPosition:withInset:inRect:inView:horizontal:flip:]/Users/brandon/Temp/bwtoolkit/NSColor+BWAdditions.mNSImage+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/NSImage+BWAdditions.o-[NSImage(BWAdditions) bwRotateImage90DegreesClockwise:]/Users/brandon/Temp/bwtoolkit/NSImage+BWAdditions.m-[NSImage(BWAdditions) bwTintedImageWithColor:]BWSelectableToolbarHelper.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWSelectableToolbarHelper.o-[BWSelectableToolbarHelper initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWSelectableToolbarHelper.m-[BWSelectableToolbarHelper setContentViewsByIdentifier:]-[BWSelectableToolbarHelper contentViewsByIdentifier]-[BWSelectableToolbarHelper setWindowSizesByIdentifier:]-[BWSelectableToolbarHelper windowSizesByIdentifier]-[BWSelectableToolbarHelper setSelectedIdentifier:]-[BWSelectableToolbarHelper selectedIdentifier]-[BWSelectableToolbarHelper setOldWindowTitle:]-[BWSelectableToolbarHelper oldWindowTitle]-[BWSelectableToolbarHelper setInitialIBWindowSize:]-[BWSelectableToolbarHelper initialIBWindowSize]-[BWSelectableToolbarHelper setIsPreferencesToolbar:]-[BWSelectableToolbarHelper isPreferencesToolbar]-[BWSelectableToolbarHelper dealloc]-[BWSelectableToolbarHelper encodeWithCoder:]-[BWSelectableToolbarHelper init]_OBJC_METACLASS_$_BWSelectableToolbarHelper_OBJC_CLASS_$_BWSelectableToolbarHelper_OBJC_IVAR_$_BWSelectableToolbarHelper.contentViewsByIdentifier_OBJC_IVAR_$_BWSelectableToolbarHelper.windowSizesByIdentifier_OBJC_IVAR_$_BWSelectableToolbarHelper.selectedIdentifier_OBJC_IVAR_$_BWSelectableToolbarHelper.oldWindowTitle_OBJC_IVAR_$_BWSelectableToolbarHelper.initialIBWindowSize_OBJC_IVAR_$_BWSelectableToolbarHelper.isPreferencesToolbarNSWindow+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/NSWindow+BWAdditions.o-[NSWindow(BWAdditions) bwIsTextured]/Users/brandon/Temp/bwtoolkit/NSWindow+BWAdditions.m-[NSWindow(BWAdditions) bwResizeToSize:animate:]NSView+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/NSView+BWAdditions.o_compareViews/Users/brandon/Temp/bwtoolkit/NSView+BWAdditions.m-[NSView(BWAdditions) bwBringToFront]-[NSView(BWAdditions) bwAnimator]-[NSView(BWAdditions) bwTurnOffLayer]BWTransparentTableView.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWTransparentTableView.o-[BWTransparentTableView addTableColumn:]/Users/brandon/Temp/bwtoolkit/BWTransparentTableView.m+[BWTransparentTableView cellClass]+[BWTransparentTableView initialize]-[BWTransparentTableView highlightSelectionInClipRect:]-[BWTransparentTableView _highlightColorForCell:]-[BWTransparentTableView _alternatingRowBackgroundColors]-[BWTransparentTableView backgroundColor]-[BWTransparentTableView drawBackgroundInClipRect:]_OBJC_METACLASS_$_BWTransparentTableView_OBJC_CLASS_$_BWTransparentTableView_rowColor_altRowColor_highlightColorBWTransparentTableViewCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWTransparentTableViewCell.o-[BWTransparentTableViewCell drawInteriorWithFrame:inView:]/Users/brandon/Temp/bwtoolkit/BWTransparentTableViewCell.m-[BWTransparentTableViewCell editWithFrame:inView:editor:delegate:event:]-[BWTransparentTableViewCell selectWithFrame:inView:editor:delegate:start:length:]-[BWTransparentTableViewCell drawingRectForBounds:]_OBJC_METACLASS_$_BWTransparentTableViewCell_OBJC_CLASS_$_BWTransparentTableViewCell_OBJC_IVAR_$_BWTransparentTableViewCell.mIsEditingOrSelectingBWAnchoredPopUpButton.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWAnchoredPopUpButton.o-[BWAnchoredPopUpButton initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWAnchoredPopUpButton.m-[BWAnchoredPopUpButton setIsAtLeftEdgeOfBar:]-[BWAnchoredPopUpButton isAtLeftEdgeOfBar]-[BWAnchoredPopUpButton setIsAtRightEdgeOfBar:]-[BWAnchoredPopUpButton isAtRightEdgeOfBar]-[BWAnchoredPopUpButton frame]-[BWAnchoredPopUpButton mouseDown:]_OBJC_METACLASS_$_BWAnchoredPopUpButton_OBJC_CLASS_$_BWAnchoredPopUpButton_OBJC_IVAR_$_BWAnchoredPopUpButton.isAtLeftEdgeOfBar_OBJC_IVAR_$_BWAnchoredPopUpButton.isAtRightEdgeOfBar_OBJC_IVAR_$_BWAnchoredPopUpButton.topAndLeftInsetBWAnchoredPopUpButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWAnchoredPopUpButtonCell.o-[BWAnchoredPopUpButtonCell controlSize]-[BWAnchoredPopUpButtonCell setControlSize:]/Users/brandon/Temp/bwtoolkit/BWAnchoredPopUpButtonCell.m-[BWAnchoredPopUpButtonCell highlightRectForBounds:]-[BWAnchoredPopUpButtonCell drawBorderAndBackgroundWithFrame:inView:]-[BWAnchoredPopUpButtonCell textColor]-[BWAnchoredPopUpButtonCell _textAttributes]+[BWAnchoredPopUpButtonCell initialize]-[BWAnchoredPopUpButtonCell drawImageWithFrame:inView:]-[BWAnchoredPopUpButtonCell imageRectForBounds:]-[BWAnchoredPopUpButtonCell imageColor]-[BWAnchoredPopUpButtonCell titleRectForBounds:]-[BWAnchoredPopUpButtonCell drawArrowInFrame:]-[BWAnchoredPopUpButtonCell drawWithFrame:inView:]_OBJC_METACLASS_$_BWAnchoredPopUpButtonCell_OBJC_CLASS_$_BWAnchoredPopUpButtonCell_fillGradient_bottomBorderColor_sideInsetColor_borderedTopBorderColor_borderedSideBorderColor_topBorderColor_sideBorderColor_enabledTextColor_disabledTextColor_contentShadow_enabledImageColor_disabledImageColor_pressedColor_pullDownArrow_fillStop1_fillStop2_fillStop3_fillStop4BWCustomView.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWCustomView.o-[BWCustomView drawRect:]/Users/brandon/Temp/bwtoolkit/BWCustomView.m-[BWCustomView drawTextInRect:]_OBJC_METACLASS_$_BWCustomView_OBJC_CLASS_$_BWCustomView_OBJC_IVAR_$_BWCustomView.isOnItsOwnBWUnanchoredButton.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWUnanchoredButton.o-[BWUnanchoredButton initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWUnanchoredButton.m-[BWUnanchoredButton frame]-[BWUnanchoredButton mouseDown:]_OBJC_METACLASS_$_BWUnanchoredButton_OBJC_CLASS_$_BWUnanchoredButton_OBJC_IVAR_$_BWUnanchoredButton.topAndLeftInsetBWUnanchoredButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWUnanchoredButtonCell.o-[BWUnanchoredButtonCell drawBezelWithFrame:inView:]/Users/brandon/Temp/bwtoolkit/BWUnanchoredButtonCell.m-[BWUnanchoredButtonCell highlightRectForBounds:]+[BWUnanchoredButtonCell initialize]_OBJC_METACLASS_$_BWUnanchoredButtonCell_OBJC_CLASS_$_BWUnanchoredButtonCell_fillGradient_topInsetColor_topBorderColor_borderColor_bottomInsetColor_fillStop1_fillStop2_fillStop3_fillStop4_pressedColorBWUnanchoredButtonContainer.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWUnanchoredButtonContainer.o-[BWUnanchoredButtonContainer awakeFromNib]/Users/brandon/Temp/bwtoolkit/BWUnanchoredButtonContainer.m_OBJC_METACLASS_$_BWUnanchoredButtonContainer_OBJC_CLASS_$_BWUnanchoredButtonContainerBWSheetController.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWSheetController.o-[BWSheetController awakeFromNib]/Users/brandon/Temp/bwtoolkit/BWSheetController.m-[BWSheetController encodeWithCoder:]-[BWSheetController openSheet:]-[BWSheetController closeSheet:]-[BWSheetController messageDelegateAndCloseSheet:]-[BWSheetController delegate]-[BWSheetController sheet]-[BWSheetController parentWindow]-[BWSheetController initWithCoder:]-[BWSheetController setParentWindow:]-[BWSheetController setSheet:]-[BWSheetController setDelegate:]_OBJC_METACLASS_$_BWSheetController_OBJC_CLASS_$_BWSheetController_OBJC_IVAR_$_BWSheetController.sheet_OBJC_IVAR_$_BWSheetController.parentWindow_OBJC_IVAR_$_BWSheetController.delegateBWTransparentScrollView.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWTransparentScrollView.o-[BWTransparentScrollView initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWTransparentScrollView.m+[BWTransparentScrollView _verticalScrollerClass]_OBJC_METACLASS_$_BWTransparentScrollView_OBJC_CLASS_$_BWTransparentScrollViewBWAddMiniBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWAddMiniBottomBar.o-[BWAddMiniBottomBar initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWAddMiniBottomBar.m-[BWAddMiniBottomBar bounds]-[BWAddMiniBottomBar drawRect:]-[BWAddMiniBottomBar awakeFromNib]_OBJC_METACLASS_$_BWAddMiniBottomBar_OBJC_CLASS_$_BWAddMiniBottomBarBWAddSheetBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWAddSheetBottomBar.o-[BWAddSheetBottomBar initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWAddSheetBottomBar.m-[BWAddSheetBottomBar bounds]-[BWAddSheetBottomBar drawRect:]-[BWAddSheetBottomBar awakeFromNib]_OBJC_METACLASS_$_BWAddSheetBottomBar_OBJC_CLASS_$_BWAddSheetBottomBarBWTokenFieldCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWTokenFieldCell.o-[BWTokenFieldCell setUpTokenAttachmentCell:forRepresentedObject:]/Users/brandon/Temp/bwtoolkit/BWTokenFieldCell.m_OBJC_METACLASS_$_BWTokenFieldCell_OBJC_CLASS_$_BWTokenFieldCellBWTokenAttachmentCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWTokenAttachmentCell.o-[BWTokenAttachmentCell arrowInHighlightedState:]/Users/brandon/Temp/bwtoolkit/BWTokenAttachmentCell.m-[BWTokenAttachmentCell interiorBackgroundStyle]+[BWTokenAttachmentCell initialize]-[BWTokenAttachmentCell pullDownRectForBounds:]-[BWTokenAttachmentCell pullDownImage]-[BWTokenAttachmentCell _textAttributes]-[BWTokenAttachmentCell drawTokenWithFrame:inView:]_OBJC_METACLASS_$_BWTokenAttachmentCell_OBJC_CLASS_$_BWTokenAttachmentCell_highlightedArrowColor_arrowGradient_textShadow_blueStrokeGradient_blueInsetGradient_blueGradient_highlightedBlueStrokeGradient_highlightedBlueInsetGradient_highlightedBlueGradientBWTransparentScroller.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWTransparentScroller.o-[BWTransparentScroller initWithFrame:]/Users/brandon/Temp/bwtoolkit/BWTransparentScroller.m+[BWTransparentScroller scrollerWidthForControlSize:]+[BWTransparentScroller scrollerWidth]+[BWTransparentScroller initialize]-[BWTransparentScroller rectForPart:]-[BWTransparentScroller _drawingRectForPart:]-[BWTransparentScroller drawKnob]-[BWTransparentScroller drawKnobSlot]-[BWTransparentScroller drawRect:]-[BWTransparentScroller initWithCoder:]_OBJC_METACLASS_$_BWTransparentScroller_OBJC_CLASS_$_BWTransparentScroller_OBJC_IVAR_$_BWTransparentScroller.isVertical_slotVerticalFill_backgroundColor_minKnobHeight_minKnobWidth_slotBottom_slotTop_slotRight_slotHorizontalFill_slotLeft_knobBottom_knobVerticalFill_knobTop_knobRight_knobHorizontalFill_knobLeftBWTransparentTextFieldCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWTransparentTextFieldCell.o-[BWTransparentTextFieldCell _textAttributes]/Users/brandon/Temp/bwtoolkit/BWTransparentTextFieldCell.m+[BWTransparentTextFieldCell initialize]_OBJC_METACLASS_$_BWTransparentTextFieldCell_OBJC_CLASS_$_BWTransparentTextFieldCell_textShadowBWToolbarItem.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWToolbarItem.o-[BWToolbarItem initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWToolbarItem.m-[BWToolbarItem identifierString]-[BWToolbarItem dealloc]-[BWToolbarItem setIdentifierString:]-[BWToolbarItem encodeWithCoder:]_OBJC_METACLASS_$_BWToolbarItem_OBJC_CLASS_$_BWToolbarItem_OBJC_IVAR_$_BWToolbarItem.identifierStringNSString+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/NSString+BWAdditions.o+[NSString(BWAdditions) bwRandomUUID]/Users/brandon/Temp/bwtoolkit/NSString+BWAdditions.mNSEvent+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/NSEvent+BWAdditions.o+[NSEvent(BWAdditions) bwShiftKeyIsDown]/Users/brandon/Temp/bwtoolkit/NSEvent+BWAdditions.m+[NSEvent(BWAdditions) bwCommandKeyIsDown]+[NSEvent(BWAdditions) bwOptionKeyIsDown]+[NSEvent(BWAdditions) bwControlKeyIsDown]+[NSEvent(BWAdditions) bwCapsLockKeyIsDown]BWHyperlinkButton.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWHyperlinkButton.o-[BWHyperlinkButton awakeFromNib]/Users/brandon/Temp/bwtoolkit/BWHyperlinkButton.m-[BWHyperlinkButton initWithCoder:]-[BWHyperlinkButton setUrlString:]-[BWHyperlinkButton urlString]-[BWHyperlinkButton dealloc]-[BWHyperlinkButton resetCursorRects]-[BWHyperlinkButton openURLInBrowser:]-[BWHyperlinkButton encodeWithCoder:]_OBJC_METACLASS_$_BWHyperlinkButton_OBJC_CLASS_$_BWHyperlinkButton_OBJC_IVAR_$_BWHyperlinkButton.urlStringBWHyperlinkButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWHyperlinkButtonCell.o-[BWHyperlinkButtonCell _textAttributes]/Users/brandon/Temp/bwtoolkit/BWHyperlinkButtonCell.m-[BWHyperlinkButtonCell isBordered]-[BWHyperlinkButtonCell setBordered:]-[BWHyperlinkButtonCell drawBezelWithFrame:inView:]_OBJC_METACLASS_$_BWHyperlinkButtonCell_OBJC_CLASS_$_BWHyperlinkButtonCellBWGradientBox.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWGradientBox.o-[BWGradientBox initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWGradientBox.m-[BWGradientBox fillStartingColor]-[BWGradientBox fillEndingColor]-[BWGradientBox fillColor]-[BWGradientBox topBorderColor]-[BWGradientBox bottomBorderColor]-[BWGradientBox setTopInsetAlpha:]-[BWGradientBox topInsetAlpha]-[BWGradientBox setBottomInsetAlpha:]-[BWGradientBox bottomInsetAlpha]-[BWGradientBox setHasTopBorder:]-[BWGradientBox hasTopBorder]-[BWGradientBox setHasBottomBorder:]-[BWGradientBox hasBottomBorder]-[BWGradientBox setHasGradient:]-[BWGradientBox hasGradient]-[BWGradientBox setHasFillColor:]-[BWGradientBox hasFillColor]-[BWGradientBox dealloc]-[BWGradientBox setBottomBorderColor:]-[BWGradientBox setTopBorderColor:]-[BWGradientBox setFillEndingColor:]-[BWGradientBox setFillStartingColor:]-[BWGradientBox setFillColor:]-[BWGradientBox isFlipped]-[BWGradientBox drawRect:]-[BWGradientBox encodeWithCoder:]_OBJC_METACLASS_$_BWGradientBox_OBJC_CLASS_$_BWGradientBox_OBJC_IVAR_$_BWGradientBox.fillStartingColor_OBJC_IVAR_$_BWGradientBox.fillEndingColor_OBJC_IVAR_$_BWGradientBox.fillColor_OBJC_IVAR_$_BWGradientBox.topBorderColor_OBJC_IVAR_$_BWGradientBox.bottomBorderColor_OBJC_IVAR_$_BWGradientBox.topInsetAlpha_OBJC_IVAR_$_BWGradientBox.bottomInsetAlpha_OBJC_IVAR_$_BWGradientBox.hasTopBorder_OBJC_IVAR_$_BWGradientBox.hasBottomBorder_OBJC_IVAR_$_BWGradientBox.hasGradient_OBJC_IVAR_$_BWGradientBox.hasFillColorBWStyledTextField.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWStyledTextField.o-[BWStyledTextField hasShadow]/Users/brandon/Temp/bwtoolkit/BWStyledTextField.m-[BWStyledTextField setHasShadow:]-[BWStyledTextField shadowIsBelow]-[BWStyledTextField setShadowIsBelow:]-[BWStyledTextField shadowColor]-[BWStyledTextField setShadowColor:]-[BWStyledTextField hasGradient]-[BWStyledTextField setHasGradient:]-[BWStyledTextField startingColor]-[BWStyledTextField setStartingColor:]-[BWStyledTextField endingColor]-[BWStyledTextField setEndingColor:]-[BWStyledTextField solidColor]-[BWStyledTextField setSolidColor:]_OBJC_METACLASS_$_BWStyledTextField_OBJC_CLASS_$_BWStyledTextFieldBWStyledTextFieldCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWStyledTextFieldCell.o-[BWStyledTextFieldCell initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWStyledTextFieldCell.m-[BWStyledTextFieldCell shadowIsBelow]-[BWStyledTextFieldCell shadowColor]-[BWStyledTextFieldCell setHasShadow:]-[BWStyledTextFieldCell hasShadow]-[BWStyledTextFieldCell setShadow:]-[BWStyledTextFieldCell shadow]-[BWStyledTextFieldCell setPreviousAttributes:]-[BWStyledTextFieldCell previousAttributes]-[BWStyledTextFieldCell startingColor]-[BWStyledTextFieldCell endingColor]-[BWStyledTextFieldCell hasGradient]-[BWStyledTextFieldCell solidColor]-[BWStyledTextFieldCell setShadowColor:]-[BWStyledTextFieldCell setShadowIsBelow:]-[BWStyledTextFieldCell setHasGradient:]-[BWStyledTextFieldCell setSolidColor:]-[BWStyledTextFieldCell setEndingColor:]-[BWStyledTextFieldCell setStartingColor:]-[BWStyledTextFieldCell drawInteriorWithFrame:inView:]-[BWStyledTextFieldCell applyGradient]-[BWStyledTextFieldCell awakeFromNib]-[BWStyledTextFieldCell changeShadow]-[BWStyledTextFieldCell _textAttributes]-[BWStyledTextFieldCell dealloc]-[BWStyledTextFieldCell copyWithZone:]-[BWStyledTextFieldCell encodeWithCoder:]_OBJC_METACLASS_$_BWStyledTextFieldCell_OBJC_CLASS_$_BWStyledTextFieldCell_OBJC_IVAR_$_BWStyledTextFieldCell.shadowIsBelow_OBJC_IVAR_$_BWStyledTextFieldCell.hasShadow_OBJC_IVAR_$_BWStyledTextFieldCell.hasGradient_OBJC_IVAR_$_BWStyledTextFieldCell.shadowColor_OBJC_IVAR_$_BWStyledTextFieldCell.startingColor_OBJC_IVAR_$_BWStyledTextFieldCell.endingColor_OBJC_IVAR_$_BWStyledTextFieldCell.solidColor_OBJC_IVAR_$_BWStyledTextFieldCell.shadow_OBJC_IVAR_$_BWStyledTextFieldCell.previousAttributesNSApplication+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/NSApplication+BWAdditions.o+[NSApplication(BWAdditions) bwIsOnLeopard]/Users/brandon/Temp/bwtoolkit/NSApplication+BWAdditions.mT __TEXT@@__text__TEXT__symbol_stub__TEXT__stub_helper__TEXTZ4Z__cstring__TEXTAT__const__TEXT>>__unwind_info__TEXT?H?__DATA@@__dyld__DATA@@__la_symbol_ptr__DATA@@!__nl_symbol_ptr__DATA@$@B__const__DATA@ @__cfstring__DATA@@__data__DATAHH__bss__DATAH4__OBJCP@P@__message_refs__OBJCPP__cls_refs__OBJCWW__class__OBJChXphX__meta_class__OBJC`p`__inst_meth__OBJCHi8Hi__symbols__OBJC~@~__module_info__OBJC@__instance_vars__OBJC__property__OBJC`__class_ext__OBJCPP__cls_meth__OBJCp__category__OBJC\\__cat_inst_meth__OBJC  __cat_cls_meth__OBJCl__image_info__OBJC  8__LINKEDIT p@loader_path/../Frameworks/BWToolkitFramework.framework/Versions/A/BWToolkitFramework}";⿯͓ɂ"0\\\D ̎ P  6: [6TxK~  T/System/Library/Frameworks/Cocoa.framework/Versions/A/Cocoa 4/usr/lib/libgcc_s.1.dylib 4}/usr/lib/libSystem.B.dylib 4/usr/lib/libobjc.A.dylib d,/System/Library/Frameworks/CoreServices.framework/Versions/A/CoreServices h &/System/Library/Frameworks/CoreFoundation.framework/Versions/A/CoreFoundation p&/System/Library/Frameworks/ApplicationServices.framework/Versions/A/ApplicationServices `,/System/Library/Frameworks/Foundation.framework/Versions/C/Foundation X-/System/Library/Frameworks/AppKit.framework/Versions/C/AppKitPQX0L$ (L$YXfX'UX(]ÐUX(]ÐUX(]ÐUX7]ÐUX~(]ÐUSWV ^"?&?7L$$7D$L$<$qNj*?7L$$WË7v(L$D$<$97D$L$$#~7L$$ ^_[]ÐUX>6D$ $]ÐUX']ÐUX']ÐUX']ÐUX6]ÐUX']ÐUSWV ^=>b6L$$W^6D$L$<$ANj=Z6L$$'ËV6'L$D$<$ R6D$L$$N6L$$ ^_[]ÐUXU=5D$ $]ÐUE@D]ÐUE@D]ÐUE@X]UV^.6L$$eV5L$$S^]ÐUWV^66L$D$}<$u ^_]Ë-6L$$5L$$UWV ^96=6L$D$}<$GPG@5L$$tF5D$<$5L$$D$h5D$<$D$N55L$D$<$D$D$D$  ^_]ÐUWV^4D$}<$D$4D$L$<$D$ ^_]USWV^}G@4L$$u@4D$<$D$}4D$L$<$D$ _^_[]Ë_DG@4L$$?4D$L$$)몐USWV^3D$E$MQD4D$|$$MAT:3T$$Nj:38$\$ ]\$T$$3D$ED$ H$\$L$<$vEHT 4L$T$$D$ R^_[]USWV ^3D$}<$&2L$$2L$$s 1 ^_[]Ë]3D$<$2L$$2\$L$$2L$$USWV^2D$E$~42L$$ll1L$$ZNj<91]\$T$ $8D2UT$ D$L$<$2|$D$E$^_[]USWV ^L2P2L$D$}<$uCE1L$$Ë2D$<$@1\$L$$u  ^_[]Ë2D$<$f@1\$L$$P<1L$$>UXMIH}0UT$D$ $ ]UXA0D$E$]USWV ^}G@0L$$T0!T$L$$uM0D$<$ËG@0L$$n0D$L$$XGTGT ^_[]GTUWV^E}GT+0D$L$<$'0D$L$<$D$ ^_]UV^j'J0L$$N0D$E$j'L$$^]UWV^//L$D$E$ot?}'/L$$P/D$<$>'L$$^_]ÐUSWV^EE苆6E싆r/}|$D$E$n/fL$D$<$j/D$L$$n/vL$D$<$f/D$L$$|b/L$D$<$`CXn/L$D$<$A^/D$L$$+؃^_[]ÐUED$ E D$E$D$D$D$@]UE D$E$D$ D$@]ÐUED$ E D$E$D$D$D$L]USWV^}G@Y-L$$J=-D$<$2 -]\$L$$=-D$<$q-L$$,L$$D$4M,L$$Ë=-D$<$q-L$$-L$$9-L$D$$,L$L$L$ L$D$$2A,L$$ Pt6Q-|$D$<$,D$ D$L$<$=-D$E$q-L$$-L$$,L$$},L$${A,L$$iDžDžDžDžDžDžDžDžE-T$ T$L$$D$ E1;t $ExPt)y,T$ \$D$E$ju,\$D$$HG9uE-L$ L$D$$D$ 2EH@A-T$ $ -L$$A,L$$Nj-\$ D$L$<$EH@-|$T$ ${=-D$E$fq-L$$T9-L$D$ $PEH@,T$ $ -L$$A,L$$ٿNj 4,L$ D$T$ $裿-\$ D$L$<$艿EH@,|$T$ $mq,}|$L$E$QljE@@A-L$$1,|$L$$.=-D$E$q-L$$EH@m,T$ $ξi,ut$T$ D$L$ $覾ExPlEH@A-T$ ${ -L$$iA,L$$WNj=-L$E$@q-L$$.-L$$-\$ D$L$<$EH@-|$T$ $EH@,T$ $Ƚ -L$$趽A,L$$褽 4=-L$E$能q-L$$q9-L$D$ $m,L$ D$L$<$$-\$ D$L$ $E@@,L$T$EH@,T$ $Ǽ,|$L$$諼e,L$$虼=-L$E$xq-L$$fi,UT$T$ T$L$$8E@@A-L$$ ,|$L$$ ,L$$},L$$A,L$$Ի,L$$輻Dž0Dž4Dž8Dž<Dž@DžDDžHDžLE-PL$ 0L$D$$D$!U8 EȉDž8;t $Ǻ44ExPtKQ-]\$D$$蜺-L$$芺y,D$ t$L$$p=-D$E$Uq-L$$C-L$$1u,t$L$$@;E-PL$ 0L$D$$D$̹ExPtOƋF@A-L$$螹,\$L$$肹a,D$L$4$l=-D$E$Qq-L$$?],L$$-E@@u-L$$GEEEEEEEE=-D$E$贸%-L$$蜸E-UT$ UT$L$$D$nM EȉDžE;t&%-D$$$E!-L$$,t$L$$ȷ=-D$}<$襷q-L$$蓷Ë,D$$y,D$L$$cPtHQ-T$D$$ENj,D$$+,D$L$<$@;E-ML$ ML$D$$D$ȶeČ^_[]UWV^6&L$$艶EEEEEEEEEvD$E$9E^L$$$E~ML$ ML$D$E$D$TM MEȉMEEM;t^D$E$賵$蟵EMu]ZD$<$(&2T$L$$ u+D$<$VD$L$E$ݴE@E;E~ML$ ML$D$E$D$袴EĐ^_]ÐUSWVXEuN@}|$D$ $WFXpu~@]ct$D$4$+L$$D$L$<$EEEEEEEEOD$4$蹳x7L$$衳pWUT$ UT$L$$D$sM tEEȉ|EEt;t#E7D$x$$EuE}3L$$ËOD$E$ڲL$$ȲD$L$$貲EEEEFu;|TWML$ ML$D$p$D$fuc}|$D$<$BËD$E$+D$L$$c|$D$<$L$$D$Ĝ^_[]Ëuc}|$D$<$辱ËG@L$$觱D$L$$葱c|$D$<${L$$D$awEUWV^ $L$$'\L$$L$$0D$E$HDž8Dž<Dž@DžDDžHDžLDžPDžTD$E${(L$$c XL$ 8L$D$ $D$)~@ $Eȉ,Dž4@$;t D$($ѯ$软<4<D$<$訯 T$L$$茯D$<$r T$L$$Vu`D$<$@ T$L$$$u.D$<$D$L$0$4@4;,XL$ 8L$D$ $D$襮EEEEEEEED$E$K$UT$ UT$L$$D$rM (Eȉ,Dž4E(;tD$E$έ$躭E4<D$<$設 T$L$$茭D$<$r T$L$$Vu`D$<$@ T$L$$$u.D$<$D$L$0$4@4;,ML$ ML$D$$$D$諬0^_]ÐUSWV,^XD$}<$nL$$\TL$D$E$[$EML$ D$L$$E܋G@tL$$E؋G@tL$$tw}G@L$$ƫ$L$$贫\L$$被Ë4U؉T$ U܉T$D$$耫G@\$L$$g,^_[]ÐUWV^}Lu,L$$/|$$D$L GLL$$)L$$^_]ÐUSWVXEEEEEEEEEMIDMUT$ UT$D$ $D$nM M0ۅEȉM1EM;tE@D$)EM_}|$L$$ffDF;uuEML$ ML$D$E$D$Щlt@uFD}]\$L$$袩D$L$4$D$ 脩Č^_[]ÐUSWVXEEEEEEEEEMIDMCUT$ UT$D$ $D$M M0ۅEȉM1EM;tE@D$赨EM}|$L$$蜨ffDF;uuECML$ ML$D$E$D$\lt@uFD}S]\$L$$.[D$L$4$D$ Č^_[]ÐUWV ^L$$ާNjD$E$ǧL$$赧S WD$L$ ED$T$<$茧EHD_T$ $tEHH_T$ $\EHL_T$ $DEH@_T$ $,EEESD$E$ ^_]ÐUSWV^EEEEEEEED$E$衦EUT$ UT$L$$D$vM MEȉM1EM;tD$E$8$$E[UT$D$$SWL$D$$G;}uML$ ML$D$E$D$ĥVČ^_[]USWV^\D$}<$芥Ë(D$$vrkE D$L$$XXL$$FÉ}苆<E싆\$D$E$%G@\$L$$^_[]UWV^ L$$դ L$$ä L$$豤EEEEEEEEE D$E$aE L$$LE ML$ ML$D$E$D$>M MEȉMEEM;t D$E$ۣ$ǣEM< D$<$踣r T$L$$蜣u} D$<$膣r T$L$$juK D$<$Tr ~T$L$$8u |$D$E$E@E;E ML$ ML$D$E$D$v D$E$âu 1Đ^_]Ën UT$D$E$藢Nj D$E$耢 L$$n |$L$$XUSWVX Ex@xP - L$D$}<$) D$L$<$Dž0Dž4Dž8Dž<Dž@DžDDžHDžL! PT$ 0T$L$$D$h8 Eȉ18;t $4< %$虠% D$L$<$tML$<$D$@ F;u ! PL$ 0L$D$$D$葠7 5$ % D$L$E$\A] }|$D$<$;G@ L$$& L$$u|p@  L$$M L$$ L$D$$ݟ L$ D$D$4$蔟  L$$v D$}<$[M L$$I   D$L$t$ |$T$$EEEEEEEE  D$E$! UT$ UT$L$$D$蒞M EȉDžE;t#  D$E$=$)E4ExD T$4$  D$T$<$ExH D$4$ݝ D$ t$L$<$Ý;F؋! ML$ ML$D$$D${ }|$D$<$T D$<$BG@5 L$$-t1@@ L$$ L$$X = D$}<$D$՜ D$L$<$远 5$?% D$L$E$蒜EH@  T$ $l L$$Z L$$HNjEH@5 T$ $.Ë L$E$M L$$ L$$ \$ D$L$<$ٛEH@ |$T$ $轛EH@ T$ $襛 L$$蓛 L$$聛NjEH@5 T$ $g L$E$FM L$$4 L$D$ $0 (,L$ D$L$$ \$ D$L$<$ǚE@@ |$L$$諚^_[]Ëu~DF@ 5 L$$1 D$L$<$i D$L$4$SUWV ^EE EaML$D$E$ %L$$]L$$|$$D$D軙 %L$$赙]L$$裙|$$D$H}GTGPY|$D$<$nQUL$D$<$D$D$D$ : ^_]ÐUSWV,^EE苆 E싆ND$E$E䋆JT$T$ T$L$$D$輘NjJT$T$T$ T$L$$D$rËF|$D$E$WDE,^_[]ÐUSWV^}}苆E싆|UT$D$E$xD$<$t\$ D$L$E$חpL$<$ŗtT$ D$L$E$袗OXl\$ L$T$M ${hD$<$itt$ D$T$M $F^_[]UE@@@@@ ]UWV ^EEEgML$D$E$tTkoL$D$<$轖t4L$D$<$D$D$D$ 腖 ^_]UWV ^L$D$}<$OtsD$<$9L$$D$1]fM.u6z4L$D$<$D$D$D$ ؕD$<$ƕL$$贕t^D$<$螕T$L$$肕t,D$<$lL$$D$R ^_]ÐUV^D$E$(L$$D$ D$B^]UE@@@@@ ]UWV ^EEE)ML$D$E$觔t,YD$<$艔UL$$D$o ^_]U]U]ÐUV^D$E$4Dȋ^]ÐUWV0^L$$UD$E$ܓEtdx |$ x|$x|$$t$T$L$D$(D$$?D$ D$0^_]Ëx |$ x|$x|$$t$T$L$D$(D$$?D$ D$讒USWV,^EXED$}<$ܒT$L$$]t"D$<$D$ AD$ A藒D$<$腒t-D$E$lD$L$<$VNjEE苆E싆K L$KL$KL$ L$ M$L$|$D$E$,^_[]USWV^pL$$ՑD$L$<$近NjxL$$襑ËL$D$<$臑D$L$$qL$$GxL$$GËL$D$<$)D$L$$L$$xL$$Ë$L$D$<$ːD$L$$赐L$$苐xL$$苐Ë4L$D$<$mD$L$$WL$$-xL$$-ËDL$D$<$D$L$$L$$ϏxL$$ϏËTL$D$<$豏D$L$$蛏L$$qL$$q`L$$_L$$5L$$D$ ?D$?%`L$$L$$^_[]ÐUSWV^L$$юL$$迎L$$譎NjEE苎vM싎L$M $荎D$L$<$qJ~T$ $D$0AI\$ D$L$<$/ND$E$\$ D$L$<$^_[]U8XEXEM MoMM$L$M L$ML$ML$M(L$ ML$ D$ED$E$臍8]U]U]ÐUWV^7D$E$=Nj?L$$#3D$L$<$ ^_]ÐUSWV^D$}<$ތËL$$ČD$L$$讌t7D$<$蘌uAt$<${^_[]ËD$<$aDȋыt$<$D$ ?D$F?*USWV^L$$6L$$L$$݋NjEE苎M싎L$M $轋D$L$<$衋~L$E$脋\$ D$L$<$jL$E$UzufL$$D$0A)\$ D$L$<$D$ T$L$<$^_[]ËL$$D$0AÊ\$ D$t$USWV^\L$$聊D$L$<$kNj$L$$QËL$D$<$3|D$L$$\L$$$L$$Ë L$D$<$Չ|D$L$$迉hL$$蕉$L$$蕉Ë0L$D$<$w|D$L$$adL$$7$L$$7Ë@L$D$<$|D$L$$`L$$و\L$$D$шhL$$D$豈dL$$D$葈`L$$D$qThL$$Y L$$GPL$$TdL$$D$ ?D$?  L$$TL$$ч`L$$чL$$过XL$$蕇XL$$D$ D$腇^_[]ÐUSWVL^E E(XMM**L$$>fnE\EZYZMXX&ZMM$}D$}<$߆.L$<$m]†MX6M.EEEt}>D$<$tg.:N L$NL$NL$6t$ED$$ED$ ED$D$<$D$ .D$<$u>D$<$.D$<$҅u>D$<$輅.D$<$袅tx>D$<$茅ub6:r t$rt$rt$T$ED$$ED$ ED$L$$D$ &L^_[]Ë2*UWV0^D$}<$E MtX}Uq t$qt$qt$ L$D$T$E$葄0^_]USWVL^bD$E $`}t^E E苆bE싶G D$GD$GD$?|$}(|$ }|$ t$ut$u4$H^_[]>VL$$RL$$уÉ$I$D$?E EbE䋆O L$OL$OL$L$M(L$ ML$ D$ED$EЉ$o$ԂEЋEE@E@E@ L$U]U]ÐUV^D$E$Dȋ^]ÐUSWV,^L$$賂UD$}<$蛂ËD$<$臂ۍMt}tey |$ y|$y|$ $t$T$D$D$(D$$?D$ D$蹁,^_[]Ë뙄t끋y |$ y|$y|$ $t$T$D$D$(D$$?D$ D$(jUSWVL^D$E$dlj}܋D$<$D$=2D$<$+zT$L$$t$.D$$D$ AD$ A*D$E܉$Ҁt1&D$E$蹀"D$L$E܉$蠀E܋JL$$腀Ǎ]C D$ D$<$D$[D$<$D$ D$?9D$<$'K L$KL$KL$ L$ D$ED$E$Q T$$QT$ QT$ L$ML$ML$ML$ ML$D$E܉$D$,?D$(~D$<$yD$<$gL^_[]ÐUSWV<^} }苆E싆\M L$ML$ML$ML$ D$ED$E؉$EX E܋PD$<$~]PD$<$~PD$<$~PD$<$~PD$<$r~PD$<$W~tPD$<$@~uEX$EEECECEC <^_[]EXEEX E말USWV^>L$$}D$L$<$}NjFL$$s}ËrL$D$<$U}D$L$$?}L$$}FL$$}ËL$D$<$|D$L$$|L$$|FL$$|ËL$D$<$|D$L$$|L$$Y|FL$$Y|ËL$D$<$;|D$L$$%|L$${FL$${ËL$D$<${D$L$${L$${FL$${ËL$D$<${D$L$$i{L$$?{FL$$?{ËL$D$<$!{D$L$$ {L$$zFL$$zËL$D$<$zD$L$$zL$$zvL$$z.L$$qzL$$GzvL$$D$ ?D$?7z.L$$%zL$$y^_[]ÐUSWV^L$$yL$$yL$$yNjEE苎HM싎L$M $yD$L$<$y\T$ $D$0A[y\$ D$L$<$Ay`D$E$$y\$ D$L$<$ y^_[]USWV<^} }苆>E싆M L$ML$ML$ML$ D$ED$E؉$xEXEEXEEXED$<$_x]D$<$BxD$<$'xD$<$ xD$<$wD$<$wu+D$<$wuSEXE?D$<$wtD$<$}wuEXEEECECEC <^_[]U]U]ÐU]U]ÐU(XMAhMM;ML$ED$ ED$D$E$v(]ÐUSWV ^L$$vNjD$E$~v9*L$$XvD$L$<$BvNj2L$$(vËL$D$<$ vD$L$$uL$$u2L$$uËL$D$<$uD$L$$uL$$lu2L$$luËL$D$<$NuD$L$$8uL$$u2L$$uËL$D$<$tD$L$$tL$$t2L$$tËL$D$<$tD$L$$|tL$$Rt2L$$RtË.L$D$<$4tD$L$$tL$$s2L$$sË>L$D$<$sD$L$$sL$$s ^_[]U(XMAhMGMM$L$M L$ED$ED$ED$ ED$D$E$=s(]USWV<^} }苆E싆X]\$ D$ED$E؉$rhD$<$rE1EE@E@E@ <^_[]EXEML$ML$ M܉L$M؉L$D$$D$r8럐USWV<^~D$}<$$rGh}ut.2>:EOMD$$qfnM\Y $q}O M(XWU苆D$$qfnM\Y $q~D$E$]m]U\UXU2qEXEXE~XEEXE苆rED$ ED$D$$D$p<^_[]Í6USWV\^EEEEEEEE܋bL$$epUfnM.v2\YEE $Xp]EXEEEXEEXEЋD$E$o~ nM\MXEE؋6D$E$o]܉\$ ]؉\$]ԉ\$]Љ$] \$(fD$$|$T$L$D$ D$nL$E$.oD$E$o1|$ D$]\$E$nZnL$$nL$$nED$ ED$ED$E$XnD$$Gn9x\^_[]ÐUSWV^EE苆E싆ML$D$}<$BnËD$$D$ nCh]苆E싆D$<$D$m؃^_[]UEƀ]ÐUE@\]ÐUE@[]UE@Z]UEMAZ]UE@|]ÐUEMA|]UEMAY]UE@X]USWV^EE苆DE싆}|$D$E$BmL$D$<$mlD$L$$mL$D$<$lhD$L$$l(L$D$<$ldD$L$$l8L$D$<$}l`D$L$$glHL$D$<$Kl\D$L$$5lXL$D$<$lXD$L$$lThL$D$<$kPD$L$$kxL$D$<$kLD$L$$k]苆DE싆HD$}<$kD$L$$ek]苆DE싆\$D$<$Ik؃^_[]ÐUSWV^L$$D$ ?D$%?kL$$j>L$$jL$$D$ ?D$}?jL$$jJL$$yjL$$D$ ?D$^?ijL$$WjNL$$-jL$$-j2JN|$ T$L$$j:L$$iL$$iD$L$<$iNjL$$iË ZL$D$<$iD$L$$siBL$$IiL$$IiË jL$D$<$+iD$L$$iFL$$hBL$$D$hFL$$D$h^_[]ÐUED$ E D$E$D$D$D$`h]UED$ E D$E$D$D$D$deh]UED$ E D$E$D$D$D$h)h]UED$ E D$E$D$D$D$lg]UED$ E D$E$D$D$D$pg]UE D$E$D$ D$p`g]ÐUED$ E D$E$D$D$D$tGg]UE D$E$D$ D$tf]ÐUED$ E D$E$D$D$D$xf]UE D$E$D$ D$xf]ÐUED$ E D$E$D$D$D$sf]UE D$E$D$ D$"f]ÐUED$E$D$\e]ÐUWV^}GTWL$$eG`WL$$eGdWL$$eGhWL$$eGlWL$$eGpWL$$meGtWL$$XeWL$$@eGxWL$$+e}EKD$E$e^_]ÐUWV^}lu,AL$$d|$$D$ldGlaL$$dL$$d^_]ÐUWV^}hu,L$$ad|$$D$h;dGhL$$8d[L$$&d^_]ÐUWV^}du,]L$$c|$$D$dcGd}L$$cL$$c^_]ÐUWV^}`u,7L$$}c|$$D$`WcG` L$$TcwL$$Bc^_]ÐUWV^}Tu>}L$$ cL$$b|$$D$TbGTL$$bL$$b^_]ÐUSWV ^}GT]9t8L$$bD$$vb|$$D$TPbD$<$D$Hb ^_[]UXMUJXD$$D$b]UWV ^D$}<$at  ^_]É}E􋆯D$E$a]Ef.UWV ^}}oEML$D$E$maD$<$Ua ^_]USWV^}_\,,L$$!a0D$L$$ at<t$<$`^_[]ËG\T$L$$`u;}tD$E$`EM\D$L$ ML$USWV<^D$}<$_` D$<$G`L$$5`D$L$$`8D$<$`ED$D$$_DžDžDžDž DžDžDžDžE@t4L$$`_$Q L$ L$D$$$D$&_ 0f<E1ۋ0;t D$4$^$^!L$$^ٝC9<XA)ED$E$A uoD$}<$@ߩL$$@Ë߫D$<$@ߩL$$@9EEEEEEEEoD$$r@t3UT$ UT$L$$D$D@+M x|EEx;t EoD$E$?$?EM4}oD$]$?Ct$L$$?Et$D$$?E߫D$$?שut$L$$y?L$$g?8EuUE@E;|+3ML$ ML$D$t$D$?|0Ĝ^_[]ÐUSWVl^D$]$>sL$$>D$L$<$>L$$>L$$k>Dž0Dž4Dž8Dž<Dž@DžDDžHDžLD$$>ǧPL$ 0L$D$$D$=8 fEȉ18;tD$E$p=$\=4#\$D$E$F=tXD$E$-=iD$\$$!=XG;HǧPL$ 0L$D$$D$<EEEEEEEED$E$T<ǧUT$ UT$L$$D$&<M EȉDžE;tD$E$;$;E<D$E$;ק|$L$$;#|$L$E$y;ËL$E$b;ۋL$|$ $N; f.^;T$|$ $:NjD$D$ $:|$ D$L$ $:C|$ $D$p:D$L$ $T:L$|$ $I:,;|$L$$9NjD$L$$9|$ D$L$$9CL$$D$9D$L$$x9@;fǧML$ ML$D$$D$19T$D$}<$ 9T$D$<$8T$D$<$8l^_[]fD$\$$8L$|$ $8?fWL$|$ $S8USWVL^Exdd]\$L$$7hD$L$<$7VEExld]\$L$$7hD$L$<$7,L$$x7NjD$E$s7]̃EEģD$}<$H7},D$<$!7L$$7L$<$m]HfnV\ZYEE6D$D$E$6E\EZZM^$YZ$6L^_[]DEEEE܋t$u4$[6ʼnD$ED$EЉ$I6EzUSWVL^Ex`f]\$L$$5jD$L$<$5REExhf]\$L$$5jD$L$<$5$L$$z5Nj D$E$u5]̃EEơD$}<$J5}.D$<$#5L$$5L$<$m]HfnV\ZYEE4u|D$D$E$4E\EZZM^&YZ$4L^_[]fEEEE t$u4$e4ɉD$ED$EЉ$S4E끐USWV ^D$}<$ 4]tҞD$$3u6D$<$3uҞD$$3$ 1 ^_[]ÐUSWV^EEEEEEEED$E$I3EsUT$ UT$L$$D$3M MEE1ۋEM;tD$E$2$2EϞD$L$E$2EC9usML$ ML$D$E$D$z2kEČ^_[]EUWV^}G\T$L$$*2tEO\D$T$ $ 2^_]ÐUSWV\^}[ttD$<$1ËpD$<$1ۋĚ0L$D$E$1fM.v\D$<$D$x1}[uaD$<$^1ËpD$<$J1ۋĚL$D$E$A1 ZMf.D$<$0tD$<$0МD$<$D$0G\TT$L$$0tG\ut$L$$0\^_[]ÉL$D$M $0fML$D$MЉ $g0 ZM!\D$<$D$UWV@^} G\sӚT$L$$/Eu2M@A@A@ A @^_]M(W\Ӛy |$,y|$(y|$$ L$ H L$HL$HL$D$E8D$0ED$ t$T$E$l/<뒐USWV^D$}<$*/L$D$<$/uXG\T$L$$.t5_\,,L$$.0D$L$$.tEEE^_[]ËEMW\D$ED$ L$t$$.ȐUSWV^E@\'T$L$$8.th|s_ \$_\$_\$?|$}|$ L$$D$(D$$UWV0^pD$}<$][f.EEvXt;OTt4px |$x|$x|$ D$t$ $0^_]É}w}􋶏px |$x|$x|$ D$t$E$E뻋pP T$PT$PT$ D$L$<$UV^soL$$oL$$ٞd^]ÐUSWV^}}苆vEG\hlD$L$E$}苎vM싎mUT$L$M $noD$<$Vl\_L$ D$\$E$3oL$<$!ll_T$ ЉT$L$E$oL$<$l|_T$ D$L$E$oL$<$l_T$ D$L$E$oL$<$l_T$ D$L$E$\oL$<$Jl_T$ D$L$E$'oL$<$|o_T$ D$L$E$xoL$<$l_T$ ЉT$L$E$}苆vE싆oD$E$hlD$L$<$}苎vM싎hl|$L$E$d^_[]UE@`]ÐUSWV^EE苆HtE싆j}|$D$E$(m]L$D$<$C`j]L$D$<$mD$L$$j]L$D$<$mD$L$$؃^_[]ÐUSWV ^o^pVhL$$KRhD$L$<$5NjoNhL$$ËJh\L$D$<$FhD$L$$aL$$oNhL$$ËJh\L$D$<$FhD$L$$aL$$_oNhL$$_ËJh ]L$D$<$AFhD$L$$+aL$$oNhL$$ËJh]L$D$<$FhD$L$$aL$$ ^_[]ÐUED$ E D$E$D$D$D$t]UE D$E$D$ D$tH]ÐUED$ E D$E$D$D$D$x/]UE D$E$D$ D$x]ÐUWV^}Gt9gL$$Gx9gL$$}pE-fD$E$^_]ÐUWV ^fD$}<$WiL$$D$=}ypEyiD$E$" ^_]UWV ^fD$}<$iL$$D$}pEiD$E$ ^_]USWV^hD$}<$}iD$<$}hD$<$k۽|iD$<$S5hD$<$m]m]ۭ|]]E\EZEE\EZ|]ieD$|$E$EEhD$$۽phD$$iD$<$ۭp]]]|M^UYXE\E^YZXEZhD$D$<$!hD$<$ËhD$<$h\$ D$L$<$Ĝ^_[]ÉD$|$EЉ$EEUSWV^}}苆mE싆f]\$D$E${Gtf\$L$$\Gxf\$L$$C^_[]ÐUSWV^}GtefL$$GxefL$$`uyE@wnbD$|$EЉ$EX]QEEXaQEЋdM܉L$M؉L$MԉL$ MЉL$D$<$|E@`ww}uqbD$}|$E$dEXeQEEXiQEdML$ML$ML$ ML$D$<$} }!j bL$$NjQ[cL$$ӋQ[cL$$DžpDžtx|Ib|L$xL$tL$ pL$D$<$=}|$$D$tGtafL$$D$ Gt]fQ[T$L$$Gtb|$L$$GtbYfT$L$$GtcL$$ieL$$D$!j bL$$klU[cL$$MhU[cL$$/ËifD$|$E$,EXEXaQEE]hEIbML$ML$ML$ ML$D$l$|$$D$xGxafL$$D$Gx]fU[T$L$$cGxb|$L$$JGxbUfT$L$$+GxcL$$ieL$$D$Gt5bD$L$<$Gx5bD$t$!j bL$$NjY[cL$$ӋY[cL$$EEE]IbML$ML$ML$ ML$D$<$?}|$$D$tGtafL$$D$ Gt]fY[T$L$$Gtb|$L$$GtbYfT$L$$GtcL$$ieL$$D$!j bL$$ml][cL$$Oh][cL$$1ËifD$|$E$.EXEXaQEE]ȋhE̋IbM̉L$MȉL$MĉL$ ML$D$l$|$$D$xGxafL$$D$Gx]f][T$L$$eGxb|$L$$LGxbUfT$L$$-GxcL$$ieL$$D$Gt5bD$L$<$Gx5bD$L$<$EMH`Ĭ^_[]USWVL^^D$}|$E$EGdEGhEGlEGp&_D$<$P&_D$<$5Gt^L$$D$ @D$A_x^D$|$E$EXE\I^D$D$$D$ @GlXIGlIXGdGd6\D$<$^WpT$WlT$WhT$ WdT$|$L$$NL^_[]ËGt^L$$D$ @@D$@!_x^D$|$EЉ$EXE\IXvI^D$D$$D$ @@ USWV\XE6]D$E$Qu]ED$ ED$D$}<$D$cEӋGtYL$D$E$ZẺD$EȉD$EĉD$ ED$\$E$t]Ct\^_[]fnEfnMM@x񋉊YL$D$EЉ$E܉D$E؉D$EԉD$ EЉD$ED$M $NtE@x뀋EEEcM싀 ]ED$ ED$D$E$S>EEEcM䋀 ]ED$ ED$D$E$USWV^L[D$}<$\[\$D$<$T[D$<$ËX[D$<$P[\$ D$L$<$^_[]USWV^ZD$}<$rZ\$D$<$JZD$<$8ËZD$<$$Z\$ D$L$<$ ^_[]UWV^WD$}<$aZUT$L$$XD$<$D$^_]ÐUV^$WD$E$ZL$$p^]USWV^}}苆h`E싆VUT$D$E$6YD$<$YI\$ D$L$E$YL$<$VIT$ D$L$E$YL$<$VIT$ D$L$E$^_[]ÐU1]ÐU]ÐU1]ÐU]ÐU]UE@l]ÐUEMAl]U(XMAhMy_MmVML$ED$ ED$D$E$(]ÐUSWV ^[SL$$NjSD$E$9 \[[SL$$SD$L$<$tNjd[SL$$ZËSHL$D$<$<SD$L$$&(ML$$d[SL$$ËSHL$D$<$SD$L$$ ML$$d[SL$$ËSHL$D$<$SD$L$$j$ML$$@d[SL$$@ËSHL$D$<$"SD$L$$ ML$$d[SL$$ËSHL$D$<$SD$L$$ML$$ ^_[]U(XMAhM\MSM$L$M L$ED$ED$ED$ ED$D$E$+(]USWV<^}hNJJJDȋEEMM苆RD$$fnM\Y? $}MM(XUU苆RD$$fnM\Y? $m]]lEXEEU\UUu(X?E苆JSED$ ED$D$$D$<^_[]USWVL^EEEEEEEE}_l&IQL$$fnŠ] E+(E@ \Y>MM$]MXMMEX*?EEX.?EvQD$<$.I&I*ItSut$ ut$ut$u4$t$(T$L$D$D$$?D$ D$PL^_[]Ëut$ ut$ut$u4$t$(T$L$D$D$$?D$ D$X>USWV^}}苆YE싆O]\$D$E$ RD$<$zOCT$ D$L$$^_[]ÐUSWV^EE苆 YE싆*O}|$D$E$tSOBL$D$<$:RD$L$$gPD$$D$MCh؃^_[]ÐUE@@@@@ ]UWV ^EEwXEgNML$D$E$tTkNoNL$D$<$t4NNL$D$<$D$D$D$ ^_]UWV ^MML$D$}<$OtsMD$<$9ML$$D$1]fM.u6z4MML$D$<$D$D$D$ MD$<$ML$$t^MD$<$MMT$L$$t,MD$<$lML$$D$R ^_]ÐUV^LD$E$(LL$$D$ D$A^]UXDD]UE@X]ÐUE@R]UEMAR]UE@P]UEMAP]UE@Q]UE@T]ÐUSWV^EE苆$VE싆K}|$D$E$bK?L$D$<$6dOD$L$$K?L$D$<$`OD$L$$K?L$D$<$\OD$L$$tN?L$D$<$XOD$L$$؃^_[]ÐUSWVLXEQ,KT$ $D$ ?D$J?<MJT$$'MBT$$MQ,Kt$$D$ ?D$*?MJT$$MBT$$MQ,Kt$$D$ ?D$}?MJT$$}MBT$$PMQ,Kt$$D$ ?D$r?=MJT$$(MBT$$MQ,Kt$$D$ ?D$f?MJT$$MBT$$MQ,Kt$$D$ ?D$f?MJT$$~MBT$$QMQ,Kt$$D$ ?D$?>MJT$$)MBT$$MQ,Kt$$D$ ?D$>?MJT$$MBT$$M@QLIt$$MHNMMBBBB\$,|$ t$T$UT$$D$4?D$0D$(/?D$$D$/?D$D$D$ D$8MBT$$MQ,Kt$$D$ ?D$MJT$$MBT$$MQ,Kt$$D$ ?D$?MJT$$lMBL$$?L^_[]ÐUED$E$D$X]ÐUWV^}GX{FHT$L$$u 1^_]ËEMWXHD$ L$t$$ѐUWV ^}GXFGT$L$$u 1 ^_]ËEMUXGD$L$ T$t$<$[UWV@^} GXE GT$L$$&Eu2M@A@A@ A @^_]M(WX Gy |$,y|$(y|$$ L$ H L$HL$HL$D$E8D$0ED$ t$T$E$<뒐UWV ^}GXD;FT$L$$TEuEE ^_]ËEMWX;FD$D$ L$t$$%ΐUWV^}GXcDET$L$$u 1^_]ËEMWXED$ L$t$$ѐUWV ^}GXCDT$L$$zEu FL$$a ^_]EMOXDD$L$ D$t$ $+ȐUWV ^}GX{CDT$L$$EuEE ^_]ËEMWXDD$D$ L$t$$ΐUWV ^}GXCsDT$L$$EuEE ^_]ËEMWXsDD$D$ L$t$$UΐUSWV^ED$E $}9+A|$}|$}<$ EEA|$} |$M $E\EEoED$|$E$E\EEED$<$zËED$<$fۋA|$D$}Љ<$]EXEX{0EoEt$u t$u4$'EMuMNFpAF UE @XBDT$L$$ua1M@A@A@ A Č^_[]|$D$}<$EE1E @XD|$UT$ t$D$u4$JĈUSWV^CD$}<$ËBD$$9u?D$$D$}苆JE싆x?D$E$^_[]ÐUSWV ^}]tZt>tCD$$D$ixCD$$D$OKtCD$$D$tCD$$D$xCD$$D${TxAD$$D$ ^_[]ÐUWV0^E}GQ>udD$|$E$@ED$D$<$D$ A7@D$<$D$^0^_]ÉD$|$E؉$\@ED$D$<$D$ A0USWV ^1EHAD$<$Nj E<L$$?D$L$<$tNj E<L$$?D$L$<$uz؃ ^_[]USWV ^@D$}<$NË AD$<$:|<L$$(ۉt<t$$ ^_[]Ë@D$<$P=D$L$$ΐUSWV ^@D$}<$u 1 ^_[]Ë\@D$<$Ë@D$<$;L$$pX@L$$^9UWV^@D$}<$1t+?D$<$@D$L$<$^_]ÐUSWV^;D$E$q;L$$;D$}<$i;L$$D$EEEEEEEE;D$<$:;ML$ ML$D$$D$M EȉDžE ;t;D$E$$EML$ML$ML$ML$ML$ ,ȉL$D$<$D$(D$$D$ ^_[]USWV,^9ML$ML$ML$ML$}|$ D$] $D$(D$$D$ D$9ML$ML$ML$ML$|$ D$$D$(D$$D$ D$Q9ML$ML$ML$ML$|$ D$$D$(D$$D$ D$,^_[]ÐUSWV|^(9D$}|$]$QYC D$CD$ CD$D$E$D$?D$(EEEEEEEE̋8.8ỦT$UȉT$UĉT$ UT$L$$D$C!ExQ@.|8S T$ST$ST$T$UT$ L$$D$(D$$D$ D$ExPXCX8$EE@E@E A9D$E$mtE@9D.U܉T$U؉T$UԉT$ UЉT$L$D$E$'M܉L$M؉L$ MԉL$MЉL$M $D$D$?9H.}|$}|$}|$ }|$T$L$M $9K L$KL$KL$ L$D$}<$Q L.|8S T$ST$ST$T$UT$ L$$D$(D$$D$ D$L.|8{ |${|${|$;|$}|$ L$$D$(D$$D$ D$L.|8S T$ST$ST$T$|$ L$$D$(D$$D$ D$m|^_[]C KS]UMX#E<.USWV^84L$$4L$$؋5D$E$ Nj4D$<$5D$E$4D$<$4D$<$iË91L$$O4D$L$$981L$$4D$L$<$5D$<$Ë91L$$4D$L$$81L$$4D$L$<$4D$<$iEÉ߅tl5D$<$1Jt⋞5\$<$4Ë91L$$4D$L$$1t5\$끋5ML$|$}1UT$D$<$5D$E$^_[]Ë5&USWV^}}苆(:E싆/UT$D$E$fX3D$<$N/#\$ D$L$E$(T3L$<$/#T$ ЉT$L$E$P3L$<$/#T$ ЉT$L$E$L3L$<$L2#T$ D$L$E$^_[]ÐUWV ^EE 9E􋆍-ML$ML$ML$ ML$D$E$2t`M5%1L$$!1L$$؋I2D$<$D$E2D$<$D$ ^_]ÐUE@]]UEMA]]UE@\]UEMA\]UWV ^EEG8E-ML$D$E$Ut*g4_1L$$1uG`?Gd? ^_]G`GdU(XM M7M,D$ED$E$EAEEE@E@@ A(]UWV ^50D$}<$s}U7E􋆁.ML$D$E$Q ^_]U]U]ÐUEEE@E@E @ ]USWV<^,D$E$/L$$T,/T$L$$,D$E$/L$$/L$$o}Ep$.}W T$WT$WT$ T$L$$D$B%t$E싎,L$M $._ \$_\$_\$\$D$ T$E$D$(D$$D$ D$x$E싎,L$M $._ \$_\$_\$\$D$ T$E$D$(D$$D$ D$Ax$E싎,L$M $#.W T$WT$WT$T$D$ L$E$D$(D$$D$ D$E$E싎,L$M $._ \$_\$_\$\$D$ T$E$D$(D$$D$ D$S$E싎,L$M $5._ \$_\$_\$\$D$ T$E$D$(D$$D$ D$$E싎,L$M $ÿ.W T$WT$WT$T$D$ L$E$D$(D$$D$ D$oEs,D$E$PT,/T$L$$4:,D$E$/L$$tut$E,L$M $.Uz |$z|$z|$T$D$ L$E$D$(D$$D$ D$茾,D$E$w/L$$etot$,D$E$F.Ur t$rt$rt$T$D$ L$<$D$(D$$D$ D$<^_[]E~|$E싎,L$M $ý.}_ \$_\$_\$\$D$ T$E$D$(D$$D$ D$l$E싎,L$M $N._ \$_\$_\$\$D$ T$E$D$(D$$D$ D$$UV^r&D$E$̼~zDȋ^]ÐUSWV^<,$L$$苼%L$$y|$L$$gNjEE苎0M싎@&L$M $G<&D$L$<$+)L$E$T%\$ D$L$<$\,8&L$$D$0A̻T%\$ D$L$<$費T%DD$ T$L$<$芻^_[]USWVLXE&+6%T$ $D$ ?D$}?FM$T$$1M"T$$M&+6%t$$D$ ?D$r?M$T$$ܺM&T$$诺M&+6%t$$D$ ?D$f?蜺M$T$$臺M*T$$ZM&+6%t$$D$ ?D$f?GM$T$$2M.T$$MJ+V#t$$MR(MM"&*.\$,|$ t$T$UT$$D$4?D$0D$(/?D$$D$/?D$D$D$ D$8tMT$$GM&+6%t$$D$ ?D$J?4M$T$$MT$$M&+6%t$$D$ ?D$*?߸M$T$$ʸMT$$蝸M&+6%t$$D$ L>D$芸M$T$$uMT$$HM&+6%t$$D$ ?D$?5M$T$$ MT$$M&+6%t$$D$ 33>D$M$T$$˷MT$$螷M&+6%t$$D$ ?D$ =苷M$T$$vM T$$IM z(t$$D$?>M$T$$)MT$$M&+6%t$$D$ ?D$>M$T$$ԶMT$$觶Mz(t$$D$?蜶M$T$$臶MT$$ZM&+6%t$$D$ >D$GM$T$$2MT$$M&+6%t$$D$ ?D$>?M$T$$ݵMT$$谵M2+V#t$$譵M$T$$蘵MT$$kMb%t$$D$ D$XM&+6%|$$D$ @?D$?'Mv(D$L$4$L^_[]USWV<^D$}<$|T$L$$ƴ]t"D$<$D$ AD$ A蝴D$<$苴!D$$quD$$Zt\!D$$CD$L$<$-Nj!D$<$D$4L$$]苆(EEH L$HL$ HL$D$E؉$D$?D$fML$ML$M܉L$M؉L$ M$L$|$D$E${<^_[]ÐUV^D$E$JDȋ^]ÐU8XM M!'M!M L$ML$ML$ML$ D$ED$E$ED$ED$ ED$ED$E$D$?D$U8]USWV<^}}苆&E싆ML$ML$ML$ ML$M L$D$E$HJD$<$0tz]6L$$K L$KL$KL$ L$ D$|$E؉$ED$ ED$E܉D$E؉$D$v<^_[]USWVl^(M$L$M L$ML$ML$ D$E(D$}<${E$D$E D$ ED$ED$E$߰EEMMMM MM$},]t<D$E($GtXGXG XG EGE$O L$OL$OL$L$ D$E(D$EЉ$芰EEGEGEG }0t#},*M\Xp,ً|!TL$$PL$$}|!TL$$گPL$$m]ԯ]Ȁ},*^EOMM*M^MMMXMMXO U\MUE!L$$BNjD$<$D$EXEEED$ EXED$D$<$ED$ ED$D$<$®D$E$譮D$<$蛮l^_[]MZMXMMXO\MMEUSWV<^D$E$D$0L$$NjL$E$D$~L$$Ë2T$ $ӭz*ED$ *ML$L$$裭&L$$葭NjD$<$}jL$$UY2USËfUT$ 2Y]]\$D$$v}d$D$$]W]f]\$ UWT$D$$豬^D$$蟬EEEEMM싆D$E$D$`rUT$UT$UT$ UT$L$$2D$<$ <^_[]UWV0^D$}<$EEEUD$<$ͫNjID$<$蹫ED$E$褫ED$ ED$ED$E$D$@ED$<$jD$<$X0^_]ÐUE@]UEMA]UEP@]UEE@E@]UWV ^EE+ED$E$aWL$D$E$豪D$L$<$蛪WT$L$E$| OD$T$ $`D$L$<$JWT$L$E$+wD$L$<$WT$L$E$;D$L$<$KT$L$E$T$ D$L$<$觩KT$L$E$舩CD$L$<$o ^_]UED$ E D$E$D$D$D$M]UE D$E$D$ D$]ÐUED$ E D$E$D$D$D$]UE D$E$D$ D$蒨]ÐUED$ E D$E$D$D$D$ y]UE D$E$D$ D$ (]ÐUED$ E D$E$D$D$D$]UE D$E$D$ D$辧]ÐUWV^}GL$$蘧GL$$胧G L$$nGL$$Y}E D$E$>^_]ÐUSWV^D$E$ ^T$ D$L$M $2T$E$ΦjD$T$<$踦^|$ D$T$M $蕦T$E$耦^|$ D$T$M $]NT$E$H^|$ D$T$M $%&T$E$f\$T$ D$|$U$.L$E$ԥVt$ D$L$U$讥^_[]UWV ^EEE􋆵D$E$zu>1} L$$LL$$:|$$D$u>1} L$$L$$|$$D$Ф u>} L$$ĤL$$貤|$$D$ 茤u>} L$$耤L$$n|$$D$H ^_]ÐUXD$E$/]USWV|^ D$}|$E$EE D$<$ڣ]t8 D$|$E$ңE\EYXEE D$|$E$蚣EE D$|$EЉ$tEXEM\EEEMED$ ED$ED$E$辢u=nML$ML$ML$ ML$ˉL$D$<$D$Ѣ|^_[]ÐUEM9tU 9u9D]1]ÐUWV^!D$}<${|$ t$L$$[^_]UXD$E$D$+]UWV ^ L$$}L$$]) yZED$L$D$}<$D$ 蹡1 D$<$觡 ^_]UXX]ÐU1]ÐUSWV,^EE苆E싆}|$D$E$R D$<$:L$$( XT$L$$ \ L$$ L$$ڠE䋆 D$}<$ p D$L$]$詠UT$D$<$萠 |$ UT$D$$s,^_[]ÐUXsKD$ $F]ÐUV^ L$$D$ HZ?D$> L$$L$$ϟ L$$D$ HZ?D$ #>迟 L$$譟L$$胟 L$$D$ HZ?D$>s L$$aL$$7^]ÐUSWVL^ ML$ML$ML$ ML$D$}<$É]ЉЉE؋ L$<$<9EEM܋EЍ< |$D$Eԉ$赞e |$ D$ED$E$襞EXE싆 L$$` L$$H L$$D$.L$$D$ HZ?D$>NjL$$D$ HZ?D$>ܝËL$$B \$ |$L$$訝L$$薝 UT$UT$UT$ UT$L$$D$B` L$$HE@E;EaL^_[]UVX LD$ t$T$ $D$^]ÐUWV ^g D$}<$Ŝt?E}7Mc P T$PT$PT$ D$L$E$舜 ^_]ÐUSWV,^D$E$VT$L$$:,D$E$ 4L$$Nj PL$$L$$ћDL$$进Ë$ D$E$訛 L$$D$ D$膛D$L$$p L$ |$T$$N8$ L$$D$0A&|$ D$L$$ PL$$NjD$E$ݚ \$ D$L$<$ÚDL$$豚 D$L$E$蘚E@4\@XMM苎M싎@P T$PT$PT$ D$E D$L$E$7,^_[]Ë0L$$D$ ?D$F?UWV0^ML$ML$ML$ML$ D$}|$E$ԙG0}E􋆑ML$ML$ML$ ML$M,L$$M(L$ M$L$M L$D$E$bG00^_]ÐUWV@^ML$ML$ML$ML$ D$}|$E$"G0} EML$ML$ML$ ML$M0L$(M,L$$M(L$ M$L$M L$D$E$詘G0@^_]UWV@^} } E3M L$ML$ML$ML$ D$ED$E$O0}ugE/P T$PT$PT$ D$L$E $fnM(\f.v\MYoXUUEEGEGEG @^_]UE@a]UEMAa]UE@`]UEMA`]UWV ^EE E􋆻ML$D$E$9t*KCL$$uGd?Gh? ^_]GdGhU(XM M MD$ED$E$迖EAEEE@E@@ A(]UWV ^D$}<$W}) EeML$D$E$5 ^_]U]U]ÐUEEE@E@E @ ]USWV<^D$E$•hL$$谕8T$L$$蔕D$E$whL$$eL$$SEp}W T$WT$WT$ T$L$$D$B E싎L$M $l_ \$_\$_\$\$D$ T$E$D$(D$$D$ D$藔E싎L$M $yl_ \$_\$_\$\$D$ T$E$D$(D$$D$ D$%E싎L$M $lW T$WT$WT$T$D$ L$E$D$(D$$D$ D$賓EE싎L$M $苓l_ \$_\$_\$\$D$ T$E$D$(D$$D$ D$7E싎L$M $l_ \$_\$_\$\$D$ T$E$D$(D$$D$ D$ŒE싎L$M $角lW T$WT$WT$T$D$ L$E$D$(D$$D$ D$SEyD$E$48T$L$$@D$E$L$$tuEL$M $ǑlUz |$z|$z|$T$D$ L$E$D$(D$$D$ D$pD$E$[L$$ItuEL$M $'lUz |$z|$z|$T$D$ L$E$D$(D$$D$ D$АMQ T$QT$QT$ L$D$E$蝐<^_[]EEE싎L$M $nl}_ \$_\$_\$\$D$ T$E$D$(D$$D$ D$E싎L$M $l_ \$_\$_\$\$D$ T$E$D$(D$$D$ D$襏UV^D$E$xzvDȋ^]ÐUSWV^4L$$7lL$$%(L$$NjEE苎<M싎L$M $D$L$<$׎DL$E$躎\$ D$L$<$蠎L$$D$0Ax\$ D$L$<$^@D$ T$L$<$6^_[]USWVLXET$ $D$ ?D$}?MT$$ݍM"T$$谍Mt$$D$ ?D$r?蝍MT$$舍M&T$$[Mt$$D$ ?D$f?HMT$$3M*T$$Mt$$D$ ?D$f?MT$$ތM.T$$豌Mt$$讌MMM"&*.\$,|$ t$T$UT$$D$4?D$0D$(/?D$$D$/?D$D$D$ D$8 MT$$Mt$$D$ ?D$J?MT$$ˋMT$$螋Mt$$D$ ?D$*?苋MT$$vMT$$IMt$$D$ L>D$6MT$$!MT$$Mt$$D$ ?D$?MT$$̊MT$$蟊Mt$$D$ 33>D$茊MT$$wMT$$JMt$$D$ ?D$ =7MT$$"MT$$M&t$$D$?MT$$ՉM T$$訉Mt$$D$ ?D$>蕉MT$$耉MT$$SM&t$$D$?HMT$$3MT$$Mt$$D$ >D$MT$$ވMT$$豈Mt$$D$ ?D$>?螈MT$$艈MT$$\Mt$$YM:T$$DMT$$Mt$$D$ D$M|$$D$ @?D$?ӇM"D$T$4$躇M: |$$虇MD$T$4$耇ƋM|$$cNjM\$T$4$BMD$T$<$)ML$$L^_[]USWVL^"D$E$E܋L$$ˆT$L$$识t%D$E܉$D$ AD$ A膆D$E܉$qt1D$E$XD$L$E܉$?E܋L$$$Ǎ]C D$ D$<$D$D$<$D$ D$?؅D$<$ƅ K L$KL$KL$ L$ D$ED$E$觅fQ T$$QT$ QT$ L$ML$ML$ML$ ML$D$E܉$D$,?D$(*D$<$D$<$L^_[]UWV@^} }EM L$ML$ML$ML$ D$ED$E$资EE܋D$<$芄L$$xfn.E܋EvEXEEXEE@E@E@ @^_]UV^D$E$Dȋ^]ÐUVT^E EEM L$ML$ML$ML$ D$ED$E$蘃EXEED$ED$ ED$ED$EЉ$D$D$@@EMU]ЋEPH@ T^]USWV<^EXEE싾D$E$тD$L$<$軂E䋆L$$蠂lj}ED$ D$<$D$vD$<$D$ D$?T D$<$B8L$$*$D$E$EY$ ]EXLEEEdO L$OL$OL$L$XED$ ML$D$E$D$$?D$ qT$ $YÍMQ T$ L$$D$/L$$D$ D$? L$$W T$WT$WT$T$E\ED$ ML$L$M $D$$?D$ 蘀D$$膀 D$$tD$}<$_ D$<$M<^_[]ËdQ T$QT$QT$ L$EXD$ ED$D$E$D$$?D$ hUSWV<^}}苆E싆ML$ML$ML$ ML$M L$D$E$D$<$ttz] L$$UK L$KL$KL$ L$ D$|$E؉$9ED$ ED$E܉D$E؉$D$~<^_[]USWV<^u D$}|$E$~D$<$~E苆`D$<$~L$$~ D$$f~EuD$E$K~hL$$9~NjhL$$~u u uD$E$}L$$}EH L$ HL$HL$$D$w}upD$E$}Ǎ$}D$L$<$u} pD$E$X}L$$F}hL$$4} uF\}pD$4$}L$$|Ë`D$$D$|9~tuN L$NL$NL$L$}|$ D$]$D$(D$$D$ D$|EtV T$VT$VT$T$|$ L$$D$(D$$D$ D$+|Ep\$<$|]|L$$|t F D$FD$FD$D$ED$ \$]$D$(D$$D$ D${}tV T$VT$VT$T$UT$ L$$D$(D$$D$ D$K{tF D$FD$FD$D$UT$ \$]$D$(D$$D$ D$z]tuN L$NL$NL$L$}|$ D$E$D$(D$$D$ D$ztN L$NL$NL$L$|$ \$E$D$(c ElD$$Fz;EEtuV T$VT$VT$T$UT$ L$]$D$(D$$D$ D$yEt~ |$~|$~|$6t$UT$ L$$D$(D$$D$ D$yEpL$U$qyM|T$$\yMt uF D$FD$FD$D$ED$ L$߉<$D$(D$$D$ D$xEtV T$VT$VT$T$ED$ L$<$D$(D$$D$ D$xEtV T$VT$VT$T$ED$ L$]$D$(D$$D$ D$GxEtN L$NL$NL$L$ML$ D$$D$(D$$D$ D$wEtMQ T$QT$QT$ L$ML$ D$E$upD$E$w|L$$wtuN L$NL$NL$L$ML$ D$}<$D$(D$$D$ D$'wEtV T$VT$VT$T$UT$ L$<$D$(D$$D$ D$vEt^ \$^\$^\$\$UT$ L$<$D$(D$$D$ D$yvEt^ \$^\$^\$\$UT$ L$<$D$(D$$D$ D$"vEt~ |$~|$~|$>|$UT$ L$}<$D$(D$$D$ D$uEtN L$NL$NL$L$UT$ D$<$)uN L$NL$NL$L$ML$ D$}<$D$(D$$D$ D$=uEtV T$VT$VT$T$UT$ L$<$D$(D$$D$ D$tEt^ \$^\$^\$\$UT$ L$<$D$(D$$D$ D$tEt^ \$^\$^\$\$UT$ L$<$D$(D$$D$ D$8tEt~ |$~|$~|$>|$UT$ L$}<$D$(D$$D$ D$sEtN L$NL$NL$L$UT$ D$<$D$(D$$E@\Mtu~ |$~|$~|$>|$D$ T$}<$D$(D$$D$ D$6sMt^ \$^\$^\$\$]\$ T$<$D$(D$$D$ D$rMtV T$VT$VT$T$\$ D$<$D$(D$$D$ D$rMtV T$VT$VT$T$\$ D$<$D$(D$$D$ D$7rMtV T$VT$VT$T$\$ D$]$D$(D$$D$ D$qMtV T$VT$VT$T$UT$ D$$D$(D$$D$ D$qMt~ |$~|$~|$>|$UT$ D$$D$(D$$D$ D$2qMtN L$NL$NL$L$UT$ D$$D$(D$$D$ D$pE@ E.@v3MQ T$QT$QT$ L$D$E$p<^_[]ËED$E uXuN L$NL$NL$L$ML$ \$]$D$(D$$D$ D$p}tF D$FD$FD$D$ED$ T$$D$(D$$D$ D$otN L$NL$NL$L$ED$ \$]$D$(D$$tuV T$VT$VT$T$UT$ L$]$D$(D$$D$ D$)oMtV T$VT$VT$T$UT$ D$$D$(D$$D$ D$nMt~ |$~|$~|$>|$UT$ D$}<$D$(D$$D$ D$xnMtF D$FD$FD$D$UT$ L$<$D$(,USWV<^Ex\4D$E$nL$$m2;M,I L$ JL$T$$mE܋D$E$mZT$L$$muD$E$rmE܋L$$WmFL$$EmL$$3mNjL$$m\$ D$L$<$lL$$D$@Al\$ D$L$<$lL$$lFL$$lL$$ylËD$$D$ D$UlzL$$=l2L$$D$>#l.D$L$$ lD$ \$L$<$kBL$$k|$ }܉|$L$$kL$$kǍ]CK L$D$ D$|$E$D$k(YK YC~YUX~YE$XECk}E$1k\$ m\$D$<$j<^_[]ÍE,H,@ 2D$L$ :D$|$$jM,IUWV ^EEEML$D$E$kjt*}uL$$GjuG\?G`? ^_]G\G`U(XM M]MD$ED$E$iEAEEE@E@@ A(]UWV ^KD$}<$i}E􋆗ML$D$E$gi ^_]U(E D$ED$ ED$ED$E$D$?D$h(]UWV@^ED$ED$ ED$ED$E$D$@D$ghML$ML$ML$ ML$D$<$D$BhD$E$shUT$UT$UT$UT$D$ L$<$D$(D$$D$ D$!h!L$E$hUT$UT$UT$UT$D$ L$<$D$(D$$D$ D$g%L$E$gUT$UT$UT$UT$D$ L$<$D$(D$$D$ D$Gg)L$E$,gUT$UT$UT$UT$D$ L$<$D$(D$$D$ D$f%L$E$fUT$UT$UT$UT$D$ L$<$D$(D$$D$ D$mf%L$E$RfUT$UT$UT$UT$D$ L$<$D$(D$$D$ D$f@^_]ÐUSWVLXET$ $D$ ?D${?eMVT$$eMT$$|eMt$$D$ ?D${?ieMVT$$TeMT$$'eMt$$D$ ?D$l?eMVT$$dMT$$dMt$$D$ ?D$s?dMVT$$dMT$$}dMt$$zdMMM\$,|$ t$T$UT$$D$4?D$0D$(?D$$D$?D$D$D$ D$8cMT$$cMt$$D$ ?D$>cMVT$$cMT$$jcMt$$D$ ?D$?WcMVT$$BcM T$$cMt$$D$ ף=D$cMVT$$bMT$$bMt$$D$ q= ?D$?bMVT$$bMT$$kbMt$$D$ >D$XbMVT$$CbM"L$$bL^_[]USWV^EEEEEEEE-D$E$atUT$ UT$L$$D$aM xEȉ|1Ex;t-D$E$Ra$>aED$\$E$Ca)ED$D$$D$ AaG;|uML$ ML$D$t$D$`>Ĝ^_[]UE@ ]ÐUE@]ÐUE@]ÐUWV ^}GL$$D$d`GT$L$$D$D$D$ -`GT$L$$`tGL$$D$_ ^_]USWV^L$$_}OL$T$$_L$$_ËL$$w_OL$T$$^_L$$L_NjL$ \$D$]$'_(L$ |$D$$_^_[]ÐUWV ^}GL$$D$?^aOWT$ L$t$$D$D$D$^ ^_]ÐUWV^}GL$$D$Z^OsL$T$$9^^_]UWV^E@ thT$L$$]tHEMI D$ |$T$ $]t4ML$t$ $]UT$D$$]^_]USWV^EE苆`E싆D$E$e]E}ĻL$D$<$5]ËԻL$D$<$]NjD$$]]\$$D$\D$<$\\$$D$\؃^_[]UED$ E D$E$D$D$D$\]UED$ E D$E$D$D$D$g\]UED$ E D$E$D$D$D$ +\]UWV ^EEEWML$D$E$[t:[ L$D$<$[uD$<$D$[ ^_]UXgD$ $b[]ÐUE@@@@@ ]UWV ^EEeE􋆅ML$D$E$[tTL$D$<$Zt49L$D$<$D$D$D$ Z ^_]UWV ^L$D$}<$mZts D$<$WZL$$D$OZ]fM.u6z4L$D$<$D$D$D$ Y D$<$YL$$Yt^ D$<$YT$L$$Yt, D$<$YL$$D$pY ^_]ÐUWV^D$}<$EYL$$D$ D$A#YD$<$YoT$L$$Xt,D$<$XoL$$D$X^_]UE@@@@@ ]UWV ^EEEML$D$E$eXtTL$D$<$=Xt4L$D$<$D$D$D$ X ^_]UWV ^OSL$D$}<$WtsoD$<$WgL$$D$W]fM.u6z4sL$D$<$D$D$D$ XWoD$<$FWcL$$4Wt^oD$<$WO_T$L$$Wt,oD$<$V_L$$D$V ^_]ÐUWV^=D$}<$V9L$$D$ D$ BV=D$<$sVT$L$$WVt,=D$<$AVL$$D$'V^_]USWV ^:L$$UNjJD$]$UFD$L$<$UNjBML$D$<$U>D$$U:D$L$<$U6D$]$tU^D$L$<$^UbL$$FU2D$L$<$0U.D$$U*D$L$<$UD$<$T ^_[]UXMA$#uD$ $D$T]ÉD$ $D$TUSWV,^vNL$$}TJL$$}T}䋆zL$$PTL$$>TnL$$,Tlj}܋JD$<$D$ @D$@TD$<$D$SD$<$SL$$SNjD$<$D$ D$SD$<$m]D$ D$@EEj^EXnEQSED$ D$<$D$`@,SD$<$D$ D$ SL$$^^EERËED$ D$$D$RED$ D$$D$@RD$$D$ @D$`@rRED$ D$$D$MRJ}^L$$+RL$$D$@?RҾL$$QD$$Qֶ|$L$$D$ BQD$u܉4$Q,^_[]ËL$$QL$$D$L>~QҾL$$lQD$<$ZQҶҾ|$$BQD$$0QbUSWV^ѼL$$QͼL$$Q۽dML$ML$ML$ML$ D$ED$E$PED$ED$ ED$ED$ۭdٝ|^|`D$D$E$OẺD$EȉD$ EĉD$ED$`D$D$EЉ$ۭdݝpOApf.} wf. ML$ML$ML$ML$ D$|$E$OEEEEEEEEM̉L$MȉL$MĉL$ML$ D$|$E$eOEEEEEEEE̋M܉L$M؉L$MԉL$MЉL$ D$|$E$OEEEEEEEEYEiUT$UT$UT$ UT$D$D$L$$uNdYE̋iỦT$UȉT$UĉT$ UT$D$D$L$$"N`YE܋iU܉T$U؉T$UԉT$ UЉT$D$D$L$$MMA$imd\$L$$D$ BMmm`\$L$$D$ BlMqm|$L$$D$ BHMeD$E$3MaUT$UT$UT$ UT$L$$MZEf.f.uL$$D$=D$'?D$ l>D$>LUL$$LL$$~LL$$fLL$$D$ LLqD$d$4LL$$Lļ^_[]Ë]md\$L$$D$ BKam`\$L$$D$ BKeLUXMA$u ]ÉMMD$E$xKUSWV^L$$D$?D$~?D$ d?D$Y?)KNjL$$D$?D$z?D$ T?D$C?JË:FL$$Jj\$ |$L$$JL$$JL$$D$?D$f?D$ 8?D$$?qJNjL$$D$?D$G?D$ ?D$>7JË:FL$$Jj\$ |$L$$JL$$IL$$D$?D$~?D$ j?D$b?INjL$$D$?D$z?D$ ]?D$N?IË:FL$$eIj\$ |$L$$KIL$$!IL$$D$?D${?D$ >D$>INjL$$D$?D$l?D$ >D$>HË:FL$$Hj\$ |$L$$HL$$iHL$$D$?D$x?D$ >D$L>IHNjL$$D$?D$i?D$ <>D$(>HË:FL$$Gj\$ |$L$$GL$$GL$$D$?D${?D$ ?D$>GNjL$$D$?D$l?D$ >D$>WGË:FL$$=Gj\$ |$L$$#GL$$FL$$D$?D$^?D$ ?D$>FNjL$$D$?D$K?D$ >D$h>FË:FL$$Fj\$ |$L$$kFL$$AF"FL$$AF~L$$/FL$$FBL$$EL$$E]R*^ED$ D$<$D$EL$$EjL$$D$>EfD$L$<$oEL$$D$?D$~?D$ y?D$v?7EδL$$%EL$$D^_[]ÐUSWV\^} }苆E싆8M L$ML$ML$ML$ D$ED$E؉$DEXЛEG$]uEXěE܋ܴL$$lDL$$lD]$Mf.w f.vrD$<$(DUT$UT$U܉T$U؉T$ L$D$Eȉ$ DEEEEEEEEEECECEC \^_[]USWV,^}G$u-}]䋞$\$]$cCÉ؃,^_[]Ë lL$$9CL$$'C`L$$CÉ}苾}싾$|$}<$B D$|$$B?8|$ t$D$$BTUV^\L$$BfnfXXhME^]ÐUV^L$$?BfnfXX ME^]ÐUWVP^EE;E/ML$ML$ML$ ML$D$E$At}D$<$D$AOD$|$EЉ$AEE̋OD$|$E$AE^EEט.Ew GxP^_]GxUSWV^RL$$AD$L$<$@NjL$$@ËL$D$<$@ D$L$$@L$$@L$$@ËL$D$<$c@ D$L$$M@L$$#@L$$#@ËL$D$<$@ D$L$$?L$$?L$$?ËL$D$<$? D$L$$?L$$g?L$$g?ËΟL$D$<$I? D$L$$3?L$$ ?L$$ ?ËޟL$D$<$> D$L$$>L$$>L$$>ËL$D$<$> D$L$$w>ƣL$$M>L$$M>ËL$D$<$/> D$L$$>£L$$=L$$=ËL$D$<$= D$L$$=L$$=L$$=ËL$D$<$s= D$L$$]=L$$3=L$$3=Ë.L$D$<$= D$L$$<L$$<L$$<Ë>L$D$<$< D$L$$<L$$w<L$$D$ HZ?D$>g<L$$U<L$$+<L$$+<׋L$$<L$$fnfnXM;fnXEXƣL$$;Nj£L$$;T$ $fnfnXMt;fnXEX^_[]ÐUSWV^E}z] ዶt$\$<$%;D$\$E$D$ :{xNE<D$$:ٝL<YL$:E4M<0t$$ٝHe:ٝD0_H0<\YD $;:ٝ@4X@4f<E84<G0G8G {x D$\$E$9E<D$\$]$t9!4E\\f8<\X<48OG<O ^_[]NONON ŋD$\$E$D$ 8D$\$E$D$ 8D$\$EЉ$D$ b8{x=]X]eX!\fUOgW D$\$E$D$ 7{x!e\fU랋HOHOH O E<D$$y7ٝ\<Y\$k7E<M48t$$ٝX7ٝT8_X84\YT $6ٝP<XPL$D$<$.jD$L$$.؃^_[]UE D$E$D$ D$HJ.]ÐUWV^}GHL$$$.}ɥE􋆙D$E$ .^_]USWV ^}GH]9t8VL$$-D$$-|$$D$H-GHtAr.T$L$$-u!GHfD$L$<$h- ^_[]ËjL$$H-ZL$$6-fD$t$<$ -USWV^}}苆E싆T]\$D$E$,D$<$,L0T$ D$L$$,^_[]USWV ^$+lj|$$+$+É<$+tD$$Y, ^_[]ÐUV^КL$$),̚L$$,^]ÐUV^nL$$+L$$+^]ÐUV^(DL$$+@L$$+^]ÐUV^L$$W+L$$E+^]ÐUV^L$$+L$$*^]ÐUE@\]ÐUWV^E}|$D$<$*=L$D$<$*^_]USWV ^L$D$E$n*ua.L$$R*Nj2D$E$5**D$L$$*&D$L$<$ * ^_[]ÐUSWV^EE苆E싆N}|$D$E$)t2J"L$D$<$)D$L$$)؃^_[]UED$ E D$E$D$D$D$\k)]UWV^}G\L$$")}E􋆗D$E$)^_]USWV<^ L$$(Nj,D$]\$E$(|ML$ML$ML$ ML$|$D$$(<^_[]USWV^}}苆&E싆]\$D$E$D(D$<$,(T$ D$L$$ (^_[]U]ÐU]ÐU]USWV^xďL$$'L$$'L$$'NjEE苆̟E싆|D$E$'xD$L$<$g'DL$$G'\$ D$L$<$-'T0L$$D$'\$ D$L$<$&^_[]ÐU]UE@o]UEMAo]UE@n]UEMAn]UE@m]UEMAm]UE@l]UEMAl]UE@h]ÐUEE@h]UE@d]ÐUEE@d]UE@`]ÐUE@\]ÐUE@X]ÐUE@T]ÐUE@P]ÐUWV^}GXQL$$%GPQL$$%GTQL$$%G\QL$$%G`QL$$|%}EED$E$a%^_]USWV ^}G`]9tRL$$&%D$$%|$$D$`$"D$<$D$$ ^_[]USWV ^}G\]9tR8L$$$<D$$$|$$D$\x$D$<$D$p$ ^_[]USWV ^}GT]9tRL$$:$ƍD$$($|$$D$T$6D$<$D$# ^_[]USWV ^}GP]9tRLL$$#PD$$#|$$D$P#D$<$D$# ^_[]USWV ^}GX]9tR֌L$$N#ڌD$$<#|$$D$X#JD$<$D$# ^_[]USWVXlExnyota΋NXl1T$ $"5L$t$M $"ML$ ML$ML$M $D$<"MylGlL$$M"}GdD$L$$-"Ë5D$|$E$*"ML$ML$ML$ML$|$ D$$D$(D$$D$ D$!ExmlL$$!}GhD$L$$r!Ë5D$|$E$o!ML$ML$ML$ML$|$ D$$D$(D$$D$ D$!ļ^_[]Ël͒يT$ $ uNPVTlT$ L$\$$ Njl5T$t$p$ l|t$xt$tt$ pt$T$<$D$BA l]L$<$) u~\l5L$t$M $ UT$UT$UT$UT$t$ L$<$D$(D$$D$ D$L$$FdD$L$$uNj5D$t$E$rML$ML$ML$ML$t$ D$<$D$(D$$D$ D$Cu~`l5D$t$E$M̉L$MȉL$MĉL$ML$t$ D$<$D$(D$$D$ D$L$$nFhD$L$$QNj5D$t$EЉ$NM܉L$M؉L$MԉL$MЉL$t$ D$<$D$(D$$D$ D$USWV^}}苆E싆UT$D$E$D$<$ }\$ D$L$E$mL$<$[ }T$ D$L$E$8L$<$& .}T$ D$L$E$L$<$ >}T$ D$L$E$L$<$ N}T$ D$L$E$L$<$^}T$ ЉT$L$E$aL$<$On}T$ ЉT$L$E$)L$<$~}T$ ЉT$L$E$L$<$}T$ ЉT$L$E$L$<$}T$ \$L$E$L$<$}T$ \$L$E$O^_[]ÐUSWV^EE苆TE싆}|$D$E$xzL$D$<$LD$L$$zL$D$<$HD$L$$zL$D$<$DD$L$$lzL$D$<$P@D$L$$:zL$D$<$<D$L$$zL$D$<$8D$L$$zL$D$<$4D$L$$zL$D$<$0D$L$$izL$D$<$M,D$L$$4({L$D$<$*$\$D$$({L$D$<$ \$D$$D$$u.L$$LD$L$$D$$zu.L$$^HD$L$$HD$$6u.L$$DD$L$$ D$$u.L$$@D$L$$D$$u.L$$<D$L$$|؃^_[]UV^D$E$PL$$>^]ÐUWV^D$}<$cUT$L$$D$<$D$^_]UV^VD$E$L$$^]ÐUWV^D$}<$uUT$L$$[gD$<$D$A^_]UV^D$E$^L$$^]UWV^D$}<$UT$L$$πD$<$D$^_]ÐUV^"D$E$ZL$$n^]ÐUWV^~D$}<$AOUT$L$$'3D$<$D$ ^_]UV^~D$E$&L$$^]UWV^K~D$}<$UT$L$$D$<$D$v^_]ÐUV^}D$E$LL$$:^]UWV^}D$}<$GUT$L$$D$<$D$^_]ÐUV^V}D$E$L$$^]UWV^}D$}<$yUT$L$$`k~D$<$D$F^_]ÐUE@@]ÐUE@2]UE@<]ÐUE@8]ÐUE@D]ÐUE@1]UEMA1]UE@4]ÐUE@0]USWV,^EE苆>E싆|}|$D$E$|rL$D$<$pD$L$$W|rL$D$<$;D$L$$"|rL$D$<$D$L$$|rL$D$<$D$L$$|rL$D$<$:D$L$$|sL$D$<$mD$L$$W|sL$D$<$;D$L$$%|"sL$D$<$ ځD$L$$D$$u.v}L$$D$L$$D$$u.v|L$$D$L$$kD$$Yu.v}L$$=D$L$$'ށD$$u.v6L$$ځD$L$$D$$t4{2L$D$$D$D$D$ ؃,^_[]ÐUED$ E D$E$D$D$D$Du]UED$ E D$E$D$D$D$H9]UE D$E$D$ D$H]ÐUSWV ^}G4]9tJBxL$$FxD$$|$$D$4~D$<$ ^_[]UXMUJ0}D$$S]UWV^E}G2t}t$<$!^_]Ë]}D$<$a|D$L$<$ USWV ^}G@]9tQJwL$$ NwD$$ |$$D$@ G@|D$L$<$ ^_[]ÐUSWV ^}G<]9tJvL$$L vD$$: |$$D$< |D$<$ ^_[]USWV ^}G8]9tJfvL$$ jvD$$ |$$D$8 n|D$<$ ^_[]USWV|^X|pvL$$w zL$$e zD$E$P {L$$P }zL$E$& {L$$& }EE yL$} <$ Ë`uL$|$Mȉ $ {UԉT$UЉT$ỦT$UȉT$ L$\$M؉ $m]m]D$M\ME\YtcE EXEEX|pvL$$A {ED$ L$$D$ EE苆 E싆dvML$ML$ML$ ML$|$D$E$ X|pvL$$ yL$$ |^_[]USWVl^|tD$E$ tL$$p W\yD$E$S :xD$E$6 yL$$6 }xL$E$ yL$$m] ]E\E$ }|tL$E$ hsL$D$MЉ $ EEz|rT$ $m] wMML$ ED$L$$T prL$$B Epz|rL$$' NjyD$E$ ËyL$E$v\$ D$L$<$prL$$NjwL$M $EEEEMM싖0v]\$]\$]\$ ]\$T$<$D$C^wD$M $ILzyML$T$$*xD$L$E$l^_[]ÐUSWV^woL$$qL$$oL$$Nj]]苆vE싆qD$E$qD$L$<$rw|$D$$kjwD$$Y^_[]ÐUSWV^w&oL$$)^pL$$oL$$Nj]C4FtD$L$<${02qu:D$<$D$ ?D$v|$D$$^_[]ÉD$<$D$ USWV,^vfnL$$ioL$$WZnL$$Elj}]]苆~E싆pD$E$"pD$L$<${1tRuD$؉$t:^8uD$E$2o|$ D$L$E$E@HnfT$L$$E@Hnf|$L$$bËn|$D$E$GuD$L$$1uPouL$D$}<$D$D$D$ uUT$D$<$E,^_[]UWV^}GD-nL$$GH-nL$$G@-nL$$G<-nL$$mG8-nL$$XG4-nL$$C}A}E!mD$E$(^_]ÐUSWV^}}苆|E싆tsML$D$E$GHlL$$\$$D$HGDxmL$$\$$D$DrG4xmL$$o\$$D$4IG8xmL$$F\$$D$8 Gh@hXh@hvh@}hh @mhh$@]hh(@Mhh,@=hh0@-h h4@h#h8@ h8h<@hLh@@hahD@hshH@hhL@hhP@hhT@hhX@hh\@}hh`@mhhd@]hhh@Mh&hl@=h>hp@-hRht@hkhx@ hh|@hh@hh@hh@orderFrontColorPanel:sharedApplicationautoreleaseinitWithContentsOfFile:pathForImageResource:bundleForClass:classNSApplicationBWToolbarShowColorsItemColorsShow Color PanelToolbarItemColors.tiffNSToolbarItemtoolTip:8@0:4paletteLabelimage#@orderFrontFontPanel:BWToolbarShowFontsItemFontsShow Font PanelToolbarItemFonts.tiffactiontargetlabelitemIdentifierrecalculateKeyViewLoopremoveObject:sizeValuebwResizeToSize:animate:initialIBWindowSizeidentifierAtIndex:addSubview:moveObject:toParent:copyaddObject:toParent:initWithFrame:makeFirstResponder:arrayoldWindowTitlesetTitle:selectedItemIdentifiersetOldWindowTitle:titlesetIsPreferencesToolbar:selectableItemIdentifiersboolValuenumberWithBool:removeObserver:name:object:setAction:toggleActiveView:setTarget:postNotificationName:object:userInfo:dictionaryWithObject:forKey:setSelectedIdentifier:setSelectedItemIdentifier:countvalueWithSize:windowSizesByIdentifiersetContentViewsByIdentifier:contentViewmutableCopyselectItemAtIndex:setItemSelectorssetObject:forKey:addObject:itemsaddObserver:selector:name:object:windowDidResize:defaultCentereditableToolbarcountByEnumeratingWithState:objects:count:isMemberOfClass:childrenOfObject:parentOfObject:indexOfObject:switchToItemAtIndex:animate:toolbarIndexFromSelectableIndex:selectInitialItemsetAllowsUserCustomization:setShowsToolbarButton:_windowinitialSetupsetEditableToolbar:initWithIdentifier:isEqualToArray:arrayWithObjects:_defaultItemIdentifiersenabledByIdentifierdocumentToolbarsetEnabledByIdentifier:setHelper:setDocumentToolbar:decodeObjectForKey:initWithCoder:ibDidAddToDesignableDocument:NSArrayNSMutableArrayNSNotificationCenterNSValueNSDictionaryBWClickedItemBWSelectableToolbarItemClickedNSObjectNSToolbarBWSelectableToolbar@"BWSelectableToolbarHelper"itemIdentifiers@"NSMutableArray"itemsByIdentifier@"NSMutableDictionary"inIBi@8@0:4v16@0:4i8c12setSelectedIndex:labelstoolbarSelectableItemIdentifiers:toolbar:itemForItemIdentifier:willBeInsertedIntoToolbar:@20@0:4@8@12c16toolbarAllowedItemIdentifiers:toolbarDefaultItemIdentifiers:validateToolbarItem:c12@0:4@8setEnabled:forIdentifier:v16@0:4c8@12setSelectedItemIdentifierWithoutAnimation:@12@0:4i8i12@0:4i8selectFirstItem 50T@"NSMutableArray",R,PT@"NSMutableDictionary",C,VenabledByIdentifier,PisPreferencesToolbarhelperT@"BWSelectableToolbarHelper",&,Vhelper,PBWSTDocumentToolbarBWSTHelperBWSTIsPreferencesToolbarBWSTEnabledByIdentifierNSToolbarFlexibleSpaceItemNSToolbarSpaceItemNSToolbarSeparatorItem7E6A9228-C9F3-4F21-8054-E4BF3F2F6BA80D5950D1-D4A8-44C6-9DBC-251CFEF852E2BWSelectableToolbarHelperIBEditableBWSelectableToolbarsetMovable:isSheetcontentBorderThicknessForEdge:setContentBorderThickness:forEdge:addBottomBarBWAddRegularBottomBar{_NSRect={_NSPoint=ff}{_NSSize=ff}}8@0:4 BWRemoveBottomBarsetBackgroundStyle:NSTextFieldBWInsetTextField1NSButtonBWTransparentButton1isEnabled_textAttributesinitdrawTitle:withFrame:inView:setSize:namecolorWithCalibratedWhite:alpha:NSBundleBWTransparentButtonCellNSActionTemplateNSButtonCell{_NSRect={_NSPoint=ff}{_NSSize=ff}}32@0:4@8{_NSRect={_NSPoint=ff}{_NSSize=ff}}12@28TransparentButtonLeftN.tiffTransparentButtonFillN.tiffTransparentButtonRightN.tiffTransparentButtonLeftP.tiffTransparentButtonFillP.tiffTransparentButtonRightP.tiffBWTransparentCheckboxsizebackgroundStylegraphicsPortcontrolViewboldSystemFontOfSize:isInTableViewinteriorColoraddEntriesFromDictionary:setShadowOffset:setFlipped:allocBWTransparentCheckboxCellNSMutableDictionaryBWTransparentTableViewNSGraphicsContext!2TransparentCheckboxOffN.tiffTransparentCheckboxOffP.tiffTransparentCheckboxOnN.tiffTransparentCheckboxOnP.tiffNSPopUpButtonBWTransparentPopUpButton1 alignmentimagePositioninvertimageRectForBounds:concatsetScalesWhenResized:pullsDownisHighlightedBWTransparentPopUpButtonCellNSColorNSAffineTransforminitializecontrolSize{_NSRect={_NSPoint=ff}{_NSSize=ff}}24@0:4{_NSRect={_NSPoint=ff}{_NSSize=ff}}8drawImageWithFrame:inView:drawBezelWithFrame:inView:!3 TransparentPopUpFillN.tiffTransparentPopUpFillP.tiffTransparentPopUpRightN.tiffTransparentPopUpRightP.tiffTransparentPopUpLeftN.tiffTransparentPopUpLeftP.tiffTransparentPopUpPullDownRightN.tifTransparentPopUpPullDownRightP.tifNSSliderBWTransparentSliderstopTracking:at:inView:mouseIsUp:startTrackingAt:inView:knobRectFlipped:rectOfTickMarkAtIndex:setTickMarkPosition:BWTransparentSliderCellNSSliderCellv32@0:4{_NSPoint=ff}8{_NSPoint=ff}16@24c28{_NSRect={_NSPoint=ff}{_NSSize=ff}}12@0:4c8_usesCustomTrackImagev28@0:4{_NSRect={_NSPoint=ff}{_NSSize=ff}}8c24!0TransparentSliderTrackLeft.tiffTransparentSliderTrackFill.tiffTransparentSliderTrackRight.tiffTransparentSliderThumbP.tiffTransparentSliderThumbN.tiffTransparentSliderTriangleThumbN.tiffTransparentSliderTriangleThumbP.tiffdeallocnewblackColorsetDividerStyle:splitView:resizeSubviewsWithOldSize:sortUsingDescriptors:arrayWithObject:initWithKey:ascending:allValuesdictionaryWithCapacity:validateAndCalculatePreferredProportionsAndSizescorrectCollapsiblePreferredProportionOrSizevalidatePreferredProportionsAndSizesrecalculatePreferredProportionsAndSizesallKeysnonresizableSubviewPreferredSizeresizableSubviewPreferredProportionsetStateForLastPreferredCalculations:setNonresizableSubviewPreferredSize:setResizableSubviewPreferredProportion:numberWithFloat:dictionaryarrayWithCapacity:autoresizingMasksplitViewWillResizeSubviews:splitViewDidResizeSubviews:collapsibleSubviewIsCollapsedsplitView:effectiveRect:forDrawnRect:ofDividerAtIndex:splitView:constrainSplitPosition:ofSubviewAt:clearPreferredProportionsAndSizessplitView:constrainMinCoordinate:ofSubviewAt:subviewMinimumSize:subviewMaximumSize:splitView:constrainMaxCoordinate:ofSubviewAt:splitView:shouldCollapseSubview:forDoubleClickOnDividerAtIndex:splitView:canCollapseSubview:splitView:additionalEffectiveRectOfDividerAtIndex:collapsibleDividerIndexmouseDown:resizeAndAdjustSubviewsrestoreAutoresizesSubviews:animationEndedsetCollapsibleSubviewCollapsedHelper:setMinSizeForCollapsibleSubview:endGroupingsetFrameSize:animatorsetDuration:animationDurationcurrentContextbeginGroupingremoveMinSizeForCollapsibleSubviewcollapsibleSubviewCollapsedsetHidden:autoresizesSubviewssubviewIsResizable:setShowsStateBy:cellsetToggleCollapseButton:objectForKey:setAutoresizesSubviews:removeObjectForKey:numberWithInt:setState:hasCollapsibleDividerhasCollapsibleSubviewbwShiftKeyIsDownsetCollapsibleSubviewCollapsed:invalidateCursorRectsForView:adjustSubviewscollapsibleSubviewIndexsubviewIsCollapsed:collapsibleSubviewisSubviewCollapsed:subviewIsCollapsible:subviewsconvertRectFromBase:convertRectToBase:drawDimpleInRect:bwDrawPixelThickLineAtPosition:withInset:inRect:inView:horizontal:flip:isVerticalcenterScanRect:drawGradientDividerInRect:drawDividerInRect:drawSwatchInRect:dividerThicknessuserSpaceScaleFactordividerCanCollapseencodeInt:forKey:collapsiblePopupSelectionmaxUnitsminUnitsmaxValuescolorIsEnabledcolordelegatesetDividerCanCollapse:setCollapsiblePopupSelection:decodeIntForKey:setMaxUnits:setMinUnits:setMaxValues:setMinValues:setColorIsEnabled:setColor:BWSplitViewNSEventNSNumberNSAnimationContextBWAnchoredButtonBarNSSortDescriptorNSSplitViewcheckboxIsEnabledsecondaryDelegate@"NSArray"uncollapsedSizeisAnimatingsetCheckboxIsEnabled:setSecondaryDelegate:f12@0:4i8resizableSubviewsf20@0:4@8f12i16c20@0:4@8@12i16c16@0:4@8@12c16@0:4@8i12toggleCollapse:v24@0:4{_NSRect={_NSPoint=ff}{_NSSize=ff}}8awakeFromNib"!T@,VsecondaryDelegate,PtoggleCollapseButtonT@"NSButton",&,VtoggleCollapseButton,PstateForLastPreferredCalculationsT@"NSArray",&,VstateForLastPreferredCalculations,PT@"NSMutableDictionary",&,VnonresizableSubviewPreferredSize,PT@"NSMutableDictionary",&,VresizableSubviewPreferredProportion,PTc,VcollapsibleSubviewCollapsedTc,VdividerCanCollapseTi,VcollapsiblePopupSelectionT@"NSMutableDictionary",&,VmaxUnits,PT@"NSMutableDictionary",&,VminUnits,PT@"NSMutableDictionary",&,VmaxValues,PminValuesT@"NSMutableDictionary",&,VminValues,PTc,VcheckboxIsEnabledTc,VcolorIsEnabledT@"NSColor",C,Vcolor,PBWSVColorBWSVColorIsEnabledBWSVMinValuesBWSVMaxValuesBWSVMinUnitsBWSVMaxUnitsBWSVCollapsiblePopupSelectionBWSVDividerCanCollapseselfGradientSplitViewDimpleBitmap.tifGradientSplitViewDimpleVector.pdfreleaseresignFirstResponderbecomeFirstRespondersetShowsFirstResponder:setFloatValue:deltaXdeltaYdoubleValuesetEnabled:setSliderToMaximumsetHighlightsBy:setSliderToMinimumsetImage:setBordered:setFrame:removeFromSuperviewsetFrameOrigin:convertPoint:fromView:hitTest:maxValuesendAction:to:setDoubleValue:minValuesetTrackHeight:maxButtonsetMaxButton:setMinButton:BWTexturedSlidersliderCellRect{_NSRect="origin"{_NSPoint="x"f"y"f}"size"{_NSSize="width"f"height"f}}@"NSButton"i8@0:4c8@0:4scrollWheel:v12@0:4c8setIndicatorIndex:@16@0:4{_NSPoint=ff}81rT@"NSButton",&,VmaxButton,PminButtonT@"NSButton",&,VminButton,PindicatorIndexTi,VindicatorIndexBWTSIndicatorIndexBWTSMinButtonBWTSMaxButtonTexturedSliderSpeakerQuiet.pngTexturedSliderSpeakerLoud.pngTexturedSliderPhotoSmall.tifTexturedSliderPhotoLarge.tifcompositeToPoint:operation:trackHeightBWTexturedSliderCellisPressedv12@0:4i8c20@0:4{_NSPoint=ff}8@16drawKnob:drawBarInside:flipped:setNumberOfTickMarks:numberOfTickMarksI8@0:4!@Ti,VtrackHeightBWTSTrackHeightTexturedSliderTrackLeft.tiffTexturedSliderTrackFill.tiffTexturedSliderTrackRight.tiffTexturedSliderThumbP.tiffTexturedSliderThumbN.tiffBWAddSmallBottomBarsplitView:shouldHideDividerAtIndex:dividerIndexNearestToHandlelastObjectisInLastSubviewsetIsAtRightEdgeOfBar:setIsAtLeftEdgeOfBar:classNameobjectAtIndex:drawLastButtonInsetInRect:drawResizeHandleInRect:withColor:bwBringToFrontsetSplitViewDelegate:splitViewDelegateisKindOfClass:splitViewisAtBottomisResizablesetHandleIsRightAligned:setIsAtBottom:setIsResizable:mainScreeninitWithColorsAndLocations:retainNSScreenwasBorderedBarv8@0:4{_NSRect={_NSPoint=ff}{_NSSize=ff}}48@0:4@8{_NSRect={_NSPoint=ff}{_NSSize=ff}}12{_NSRect={_NSPoint=ff}{_NSSize=ff}}28i44v20@0:4@8{_NSSize=ff}12{_NSRect={_NSPoint=ff}{_NSSize=ff}}16@0:4@8i12viewDidMoveToSuperview@24@0:4{_NSRect={_NSPoint=ff}{_NSSize=ff}}8AT@,VsplitViewDelegate,PhandleIsRightAlignedTc,VhandleIsRightAlignedTc,VisResizableTc,VisAtBottomselectedIndexTi,VselectedIndexBWABBIsResizableBWABBIsAtBottomBWABBHandleIsRightAlignedBWABBSelectedIndexBWAnchoredButtonBWAnchoredPopUpButtontopAndLeftInset{_NSPoint="x"f"y"f}1@Tc,VisAtRightEdgeOfBarTc,VisAtLeftEdgeOfBardrawImage:withFrame:inView:setTemplate:intValueshowsStateBytitleRectForBounds:systemFontOfSize:textColorisAtRightEdgeOfBarsuperviewhighlightRectForBounds:drawWithFrame:inView:setShadowColor:colorWithAlphaComponent:BWAnchoredButtonCellv32@0:4@8{_NSRect={_NSPoint=ff}{_NSSize=ff}}12@28v28@0:4{_NSRect={_NSPoint=ff}{_NSSize=ff}}8@24strokelineToPoint:moveToPoint:setLineWidth:bezierPathNSBezierPathBWAdditionsv44@0:4i8i12{_NSRect={_NSPoint=ff}{_NSSize=ff}}16@32c36c40drawInRect:rotateByDegrees:pixelsHighpixelsWidebestRepresentationForDevice:unlockFocuslockFocusbwRotateImage90DegreesClockwise:@12@0:4c8encodeBool:forKey:encodeSize:forKey:selectedIdentifierarchivedDataWithRootObject:contentViewsByIdentifierdecodeBoolForKey:setInitialIBWindowSize:decodeSizeForKey:setWindowSizesByIdentifier:unarchiveObjectWithData:NSStringNSUnarchiverNSArchiver@"NSString"{_NSSize="width"f"height"f}v12@0:4@8v16@0:4{_NSSize=ff}8{_NSSize=ff}8@0:40Tc,VisPreferencesToolbarT{_NSSize="width"f"height"f},VinitialIBWindowSizeT@"NSString",C,VoldWindowTitle,PT@"NSString",C,VselectedIdentifier,PT@"NSMutableDictionary",C,VwindowSizesByIdentifier,PT@"NSMutableDictionary",C,VcontentViewsByIdentifier,PBWSTHContentViewsByIdentifierBWSTHWindowSizesByIdentifierBWSTHSelectedIdentifierBWSTHOldWindowTitleBWSTHInitialIBWindowSizeBWSTHIsPreferencesToolbarstyleMasksetFrame:display:animate:NSWindowbwIsTexturedv20@0:4{_NSSize=ff}8c16setWantsLayer:bwTurnOffLayerdurationsortSubviewsUsingFunction:context:bwAnimatorrestoreGraphicsStatesetCompositingOperation:saveGraphicsStaterectOfRow:containsIndex:selectedRowIndexesrowsInRect:drawBackgroundInClipRect:usesAlternatingRowBackgroundColorssetDataCell:dataCelladdTableColumn:BWTransparentTableViewCellNSTableViewcellClass#8@0:4highlightSelectionInClipRect:_highlightColorForCell:_alternatingRowBackgroundColorsbackgroundColor1ueditWithFrame:inView:editor:delegate:event:selectWithFrame:inView:editor:delegate:start:length:cellSizeForBounds:drawingRectForBounds:setAttributedStringValue:initWithString:attributes:attributesAtIndex:effectiveRange:attributedStringValueNSMutableAttributedStringmIsEditingOrSelectingv40@0:4{_NSRect={_NSPoint=ff}{_NSSize=ff}}8@24@28@32@36v44@0:4{_NSRect={_NSPoint=ff}{_NSSize=ff}}8@24@28@32i36i40! 1PdrawInRect:fromRect:operation:fraction:isTemplatedrawAtPoint:fromRect:operation:fraction:scaleXBy:yBy:translateXBy:yBy:transformbwTintedImageWithColor:imageColordrawArrowInFrame:isAtLeftEdgeOfBardrawInRect:angle:respondsToSelector:NSShadowBWAnchoredPopUpButtonCellNSFontNSPopUpButtonCelldrawBorderAndBackgroundWithFrame:inView:setControlSize:v12@0:4I8ButtonBarPullDownArrow.pdfdrawAtPoint:boundingRectWithSize:options:stringWithFormat:drawTextInRect:childlessCustomViewBackgroundColorcontainerCustomViewBackgroundColorbwIsOnLeopardcustomViewDarkBorderColorcustomViewDarkTexturedBorderColorcustomViewLightBorderColor%d x %d pt%d ptNSCustomViewBWCustomViewisOnItsOwn#BWUnanchoredButton10BWUnanchoredButtonCellBWUnanchoredButtonContainercloseSheet:performSelector:withObject:shouldCloseSheet:endSheet:beginSheet:modalForWindow:modalDelegate:didEndSelector:contextInfo:encodeObject:forKey:initWithWindow:orderOut:setAlphaValue:NSWindowControllerBWSCSheetBWSCParentWindowBWSheetControllersheet@"NSWindow"parentWindow@setParentWindow:setSheet:setDelegate:messageDelegateAndCloseSheet:openSheet:@12@0:4@8T@,&,N,Vdelegate,PT@"NSWindow",&,N,Vsheet,PT@"NSWindow",&,N,VparentWindow,PsetDrawsBackground:ibTesterBWTransparentScrollerNSScrollViewBWTransparentScrollView_verticalScrollerClass&setBottomCornerRounded:BWAddMiniBottomBarBWAddSheetBottomBarNSTokenFieldBWTokenField13setFont:fontsetAttachment:attachmentsetRepresentedObject:initTextCell:stringValueBWTokenAttachmentCellNSTokenFieldCellBWTokenFieldCellsetUpTokenAttachmentCell:forRepresentedObject:@16@0:4@8@12!$GpullDownRectForBounds:arrowInHighlightedState:interiorBackgroundStylegetRed:green:blue:alpha:tokenBackgroundColorbezierPathWithRoundedRect:xRadius:yRadius:drawInBezierPath:angle:fillcolorWithCalibratedRed:green:blue:alpha:NSTokenAttachmentCellpullDownImagedrawTokenWithFrame:inView:%floatValue_drawingRectForPart:rectForPart:drawKnobknobProportiondrawKnobSlotsetArrowsPosition:NSScrollerscrollerWidthForControlSize:f12@0:4I8scrollerWidthf8@0:4c{_NSRect={_NSPoint=ff}{_NSSize=ff}}12@0:4I81Q0TransparentScrollerKnobTop.tifTransparentScrollerKnobVerticalFill.tifTransparentScrollerKnobBottom.tifTransparentScrollerSlotTop.tifTransparentScrollerSlotVerticalFill.tifTransparentScrollerSlotBottom.tifTransparentScrollerKnobLeft.tifTransparentScrollerKnobHorizontalFill.tifTransparentScrollerKnobRight.tifTransparentScrollerSlotLeft.tifTransparentScrollerSlotHorizontalFill.tifTransparentScrollerSlotRight.tifBWTransparentTextFieldCell!_setItemIdentifier:bwRandomUUIDisEqualToString:setIdentifierString:BWToolbarItem#AidentifierStringT@"NSString",C,VidentifierString,PBWTIIdentifierStringmodifierFlagscurrentEventbwCapsLockKeyIsDownbwControlKeyIsDownbwOptionKeyIsDownbwCommandKeyIsDownaddCursorRect:cursor:pointingHandCursoropenURL:URLWithString:sharedWorkspaceurlStringsetUrlString:openURLInBrowser:NSWorkspaceNSURLNSCursorBWHyperlinkButtonresetCursorRects1T@"NSString",C,N,VurlString,PBWHBUrlStringblueColorBWHyperlinkButtonCellisBorderedsetNeedsDisplay:boundssetinitWithStartingColor:endingColor:bottomInsetAlphaencodeFloat:forKey:topInsetAlphahasFillColorhasBottomBorderhasTopBorderencodeWithCoder:bottomBorderColorfillColorfillEndingColorfillStartingColorgrayColorsetBottomInsetAlpha:setTopInsetAlpha:decodeFloatForKey:setHasFillColor:setHasBottomBorder:setHasTopBorder:setBottomBorderColor:setTopBorderColor:setFillColor:setFillEndingColor:setFillStartingColor:NSViewBWGradientBoxfv12@0:4f8isFlippeddrawRect:%0Tc,VhasFillColorTc,VhasBottomBorderTc,VhasTopBorderTf,VbottomInsetAlphaTf,VtopInsetAlphaT@"NSColor",&,N,VbottomBorderColor,PtopBorderColorT@"NSColor",&,N,VtopBorderColor,PT@"NSColor",&,N,VfillColor,PT@"NSColor",&,N,VfillEndingColor,PT@"NSColor",&,N,VfillStartingColor,PBWGBFillStartingColorBWGBFillEndingColorBWGBFillColorBWGBTopBorderColorBWGBBottomBorderColorBWGBHasTopBorderBWGBHasBottomBorderBWGBHasGradientBWGBHasFillColorBWGBTopInsetAlphaBWGBBottomInsetAlphasolidColorsetEndingColor:setStartingColor:hasShadowBWStyledTextFieldchangeShadowdrawInteriorWithFrame:inView:setPatternPhase:convertRect:toView:framesetTextColor:colorWithPatternImage:initWithSize:descenderascenderwindowsetShadow:isEqualTo:shadowcopyWithZone:shadowIsBelowendingColorstartingColorshadowColorperformSelector:withObject:afterDelay:applyGradientgreenColorwhiteColorsetSolidColor:setPreviousAttributes:setHasGradient:setHasShadow:setShadowIsBelow:NSImageNSGradientNSTextFieldCellBWStyledTextFieldCell@"NSColor"@"NSShadow"@12@0:4^{_NSZone=}8!&T@"NSColor",&,N,VsolidColor,PhasGradientTc,VhasGradientT@"NSColor",&,N,VendingColor,PT@"NSColor",&,N,VstartingColor,PpreviousAttributesT@"NSMutableDictionary",&,VpreviousAttributes,PT@"NSShadow",&,N,Vshadow,PTc,VhasShadowT@"NSColor",&,N,VshadowColor,PTc,VshadowIsBelowBWSTFCShadowIsBelowBWSTFCHasShadowBWSTFCHasGradientBWSTFCShadowColorBWSTFCPreviousAttributesBWSTFCStartingColorBWSTFCEndingColorBWSTFCSolidColor.???@@@@@@?@)\(?0C?Y@?@>Gz?HBHA@p0BAS?1Zd? A44?4 ~.>N^n~.>N^n~`A0HPp0 @,  @`$$000Pp"" 0Pp$$     0GP!!   @`0P @0"P"p""""<(  ) )6+  +00P0'0!00'1!01P1)1 11)2 3X4 888 88909D9`999=> >@>`>>>>(?@  -APdjyn$ <GYd>p22 /;GZ+xt`:=N`pb@;&dEYi{`*`5''*2Q:t0HiN'&p;&:}L&y&$'2'D'@bz4pX(-CTuAXKl* /HYv7ey4Mhy $-:[iF2J`w " : N a u     '* 5 E ` s   d      . 2 F O f        4&3b4|ZL-=GXcqL4Sn  &@O~f'$.'b?FS`n6:)x N ""<#K#Z#c######## $$$G$T$]$%?%t%%%%%%q'((((( ).)<)V)#x) *,*H*Z*d****A,U,,--f:X"-1-<-R-`--..1.J._....+/@/M/V/e/|/H2c2223#3|33333333f4455"5<;5N5q5755555566;)6=6P6f6y666;99;9&;4;;;;9:0:A:t:::::::$=g;u;;0;PXxk 6,(U'4<   * I  c yg p } m$ &'*^,l-34 4`0HHiaHi8a\j Pha6Pka6Pladla \*(bD0lXb M\*bUDlbLZ`sb(lc#,\*HclX\mxcc  hm \c#|8qYhcpxlrtd6jPs8d6* \Hshd  hԆtzdD ud u d$hv %(e<m$4Hv&XeL@lXv&e('Lwe))`w)e )dx)f)D0xHf6)PPxxf:+dxft,,xx,f6,Pyg6,PHy8g,-x-hg--y-g.l-(y/g/^,|ȇy*0g<!20@z<2(h2L؇Tz2Xh 4`z54ȋhp4D{h66p8{7ԋh9d|i<&<L4}<000060600 00 M0U0LZ0(0#,00(c  0<#0P0d6j06* 0x  000$0<m$0L@0('0̌))0 )0)06)0:+0t,,06,06,0,-0--0.l-0/^,0<!20H20 40p4066090<&<0pjLXZp(pFnp4tp"p|pLZpXpvnpdtpRp& #pL#b z#~# R p~13p6+, $+C+ ;p<bw6 D= >,@Z0AG  GB2CEn JE+M{pO`5 O+ "& !p B!p4P7 Q R+Q40S+VSX(h(SXSpSHp8Yi-BZUTX(h(ZXZ`:(cp.[i-cZHp\X(h(eX epeHp&nr0orhfVe X(h(qX qh(q@tbqz2t^p u4x|w+yM z z  v      *f z zO xz lz`z flp ЀKp  :Xpv p   pTz4 p. p p.p2 p  z ~ $by:آȦ4y) e)  w= Y ֵv .X 7X ĹX lh x hz Xh d  > i* .8M*:/Dz  rN p" &: wu wL+   BE  :`  < "`5 f+zq ~pc Xp$R &&7 x9h3*bG.`5 + G@b^ 4x<ZpX(h(X`5 +T47  +Oth&Z N  pB  h n  X  x  b X 7X |z@TpVS 6n&7 :  `5 !+A"#'##.t#`:*$h $+# *3f'p4r5Hp~+$pB+.%br$|5X(h($X$ >p?2  4?pp? ?p? @jpD@ = <<b<r@`5 A+$=dpB$ H$+F$pK$pF $ HK]$ F%:&.N?%r&N%rO:KP'PP.P`:FQh Q+P $ar2cf'pdrPdHpX$pXq' &e/(JRbrR|ThX(h(RXR( y7 Bi`:~h ~+}br~   v+ t^+p+ L+p+ F pz+  * + 2`5 J+ +(4Ԍ7  Ȏ+4r7 4 f+---r&.pBHp.~..T@//ެ+//M/e/7 +AHpj2p2 4`5 +<3 3p>$463 `5 +0 J482,HpB5p.5p"5p7p q5p565/564/=6N5)6;5;<t6f"5Z:P6 f6 R6 6 >y6 6P7 *`5 T+; 9pZ9 ;p9 d&;p*;< 04;p;;Z;9;T4;pH;:9.: :p"; $=p&;p;p <9p H;;; @9 9 $:g; (:Hp^:a<`5 Z+`hXXXX(YXYYYYZHZxZZZ[8[h[[[[(\\xX\\\\]H]x]]]^8^h^^^^(_X___̍_`H`x``@,~@,~@,~@,~@,~@,~@,~@,~@,@,@, @,0@,@@,P@,`@,p@,@,@,@,@,@,@,@,@,@,@, @,0@,@@,P@,`@,p@,@,@,@,@,@,Ѐ@,@,@,@,@, @,0@,@@,P@,`@,p@,@,@,@,@$D6HHHL_/PdTb/X/h2 ><T /X~ /Y /Z/[ t+\.H` Hd Hh HllHpKHtX x d| 6 /d\d`dtXx/hdl/P/Q /RdTt+X'/\./]Vf`HH  j  b/$&/0'/`./aVfd)/\Vf\L+R+^+R+F t+ * /x2 H3 \ 5><P5><T5><X7><\q5><`56d46hN5/l;5/m</n"5/o ;/09/1</24;><4&;><8;><<9><@:I<D$=HH1b  1XzKl= `    .8~ a 2 Xh 5Zu.'b !j\!!!!.'F +L++^+,223:4 "5*7<<;5G7N5h74z757q5777585.85S8 9<<<;<&;=$=7=:n=9=4;=;=     ȉ   H `    L.VL]L`jLtqL|LLB0LL,$$GLGLZL8,$L//̥//LLĸ, ;4#T6tg   63T9N'+<#C$# DK#E#p FEc2p03D3W3li3&.)N!`!Ip$} pQ"`DppSDppSCRBUDppSDppSDppSGpSDppSGpSDppSGpSDppSGpSCRBpSCRBUCRBUCRBUDppSCRBUCRBUDppSCRBUDppSCRBpSCRBUDppSCRBpSCRBpSDppSDppSCRCTDppSDppSDppSGpSDppSDppSCRBpSDppSCRBUCRBUDppSCRBUDppSCRBUISISISISISISISDpSISDpSISDpSISDpSDpSDpSDpSISDpSISDpSISDpSISISDpSISISDpSISISDpSISISISISDpSDpSDpSISISISISISK`B`B`rB\BSBSB`B`B`B`B`B`9B`'B\B`]B`B`B`0B`B\B`B`$BVBYBVBSB`$BSB\B\BSB`B`BSB`B`B\B`QB`*B`QC3 pRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRARARARARARARARBRBRARARARARARARARARARARARARARARARARBRARARARARBRARBRARARARARBRARARBRARARARARARBRBRARARBRBRBRARARBRBRBRBRARARARARARARARARARARBRARARARARARARARARCXB`BVBRBZBTB\BTBVBRBRB`B`B SBSBSBSBSBSBSBVBSBVBSBSBSBSBYBVDSDSDSDRAp RAp RApSBVBVBYBSB`BS !ppp Q@dyld_stub_binderQq@___CFConstantStringClassReference$} @_NSZeroRectq@_NSApp@_NSFontAttributeNameq@_NSForegroundColorAttributeName@_NSShadowAttributeName@_NSUnderlineStyleAttributeName@_NSWindowDidResizeNotificationqq@_CFMakeCollectableq @_CFReleaseq@_CFUUIDCreateq@_CFUUIDCreateStringq@_CGContextRestoreGStateq@_CGContextSaveGStateq @_CGContextSetShouldSmoothFontsq$@_Gestaltq(@_NSClassFromStringq,@_NSDrawThreePartImageq0@_NSInsetRectq4@_NSIntegralRectq8@_NSIsEmptyRectq<@_NSOffsetRectq@@_NSPointInRectqD@_NSRectFillqH@_NSRectFillUsingOperationqL@_ceilfqP@_floorfqT@_fmaxfqX@_fminfq\@_modfq`@_objc_assign_globalqd@_objc_assign_ivarqh@_objc_enumerationMutationql@_objc_getPropertyqp@_objc_msgSendqt@_objc_msgSendSuperqx@_objc_msgSendSuper_stretq|@_objc_msgSend_fpretq@_objc_msgSend_stretq@_objc_setPropertyq@_roundf_.objc_cVcompareViewsJBWSelectableToolbarItemClickedNotificationP lass_name_BWxategory_name_NS TSARemoveBottomBarInsetTextFieldCustomViewUnanchoredButtonHyperlinkButtonGradientBoxoransparentexturedSliderolbarkenShowItemColorsItemFontsItem  electableToolbarplitViewheetControllertyledTextFieldȱ HelperddnchoredRegularBottomBarSMiniBottomBar  ز ButtonCheckboxPopUpButtonST Cell  Cell ȴ Cell lidercroll Cellص   Cell mallBottomBarheetBottomBar ButtonPopUpButtonBarȷ  Cell ظ ableViewextFieldCell Cell  Cell Ⱥ  Cellontainer ػ  Viewer   FieldAttachmentCellȽ Cell  ؾ    Cell   Cell Window_BWAdditions View_BWAdditions String_BWAdditions Image_BWAdditions Event_BWAdditions Color_BWAdditions Application_BWAdditions         &,28>DJPV\ t z $4DTdt$4DTdt@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@ @@@AA(A8AHAXAhAxAAAAAAAAABB(B8BHBXBhBxBBBBBBBBBCC(C8CHCXChCxCCCCCCCCCDD(D8DHDXDhDxDDDDDDDDDEE(E8EHEXEhExEEEEEEEEEFF(F8FHFXFhFxFFFFFFFFFGG(G8GHGXGhGxGGGGGGGGGHH(H8HHHXHhHxHHHHHPPP PPPPP P$P(P,P0P4P8PN>.h$$fNf.Jh$J$N.i$$PNP.nBi$n$N. ki$ $N.i$$N.i$$N.6i$6$N.j$$0N0., kj$, $&N&.R j$R $N. j$ $RNR.B!j$B!$RNR.!k$!$xNx. "Hk$ "$N.#nk$#$<N<.L#k$L#$.N..z#k$z#$<N<.#k$#$ N .~1l$~1$&N&.3/l$3$<N<.6_l$6$N.;l$;$4N4.<l$<$rNr.D=l$D=$tNt.>%m$>$tNt.,@Wm$,@$N.0Avm$0A$RNR.Bm$B$N.2Cm$2C$N.En$E$N.M$n$M$N.OOn$O$N.O~n$O$Nn n& Hn& Hdcdnd ofnYK.Po$Po$&N&.Qo$Qp$N.QHp$Q$2N2.Rkp$R$JNJdcdpdpfnYK.0Sq$0S$%N%dcd6qdIqfnYK.VSq$VSq$tNtdcdrd+rfnYK.Sr$S$ N .Sr$Sr$N.S0s$S$<N<.TYs$T$N.Us$U$N..Vs$.V$ N .8Ys$8Y$ N .BZt$BZ$}N}Nt& H\t& Hkt& Hxt& Ht& Ht& Ht& Ht& HdcdtdtfnYK.ZTu$Z$ N .Z}u$Zu$N.Zu$Z$^N^..[v$.[$N.\:v$\$zNz.]gv$]$2N2.`v$`$tNt.(cv$(c$N.cw$c$^N^N>.y]}$y$N}& $I}& (I}& ,I}& 0I}& 4I}& 8I}& N>.|$|$~N~.v($v$<N<.E$$<N<.b$$<N<.*~$*$<N<.f$f$<N<.р$$.N..Ѐ$Ѐ$<N<. 8$ $.N..:h$:$<N<.v$v$.N..΁$$<N<.$$.N..$$&N&.4?$4$N..V$.$rNr.n$$rNr.$$rNr.$$rNr.$$N.z͂$z$vNv.$$4N4.$$$$lNl.)$$RNR.I$$N.}$$N.:$:$LNL.Ճ$$RNR.آ$آ$N.ȦP$Ȧ$lNl.4$4$N.$$N. ބ$ $N.$$N.$$$NNN.ֵE$ֵ$XNX..q$.$N.$$N.$$N.Ĺ$Ĺ$N.l\$l$N.$$ZNZ.h$h$XNX.$$N.XW$X$ N .d$d$N.>$>$N.Ç$$ZNZ.*$*$N.. $.$ N .8P$8$dNd.$$N.*$*$hNh.ˈ$$:N:.$$DND.!$$bNb.r?$r$VNV.d$$^N^.&$&$dNd.$$DND.ډ$$~N~.L$L$N."$$DND.B>$B$N.:_$:$N.<$<$N."$"$DND.fNJ$f$tNt& H& @I& DI & HI& LI1& PIE& TIdcdWdjfnYK.ދ$$ N .2$$N.U$$N.~t$~$<N<.$$.N..$$<N<.$֌$$$.N..R$R$dNd.$$hNh.9$$hNh.b$$N.$$vNv.$$N.xʍ$x$N.h$h$N.*$*$N.,$$N..S$.$^N^.w$$:N:.$$N& XI͎& \Iގ& `I& dIdcddfnYK.$$N.$ޏ$N.$$N.=$$N.k$$ N .$$ N .$$N.$$ZNZ.B$B$ZNZ.8$$tNt.r$$,N,.<$<$N.Ñ$$xNx.T$T$N& hI & lI-& pI=& tIN& xIdcd^dtfnYK.$$&N&. $/$N.c$$2N2.$$JNJdcddfnYK.05$0[$N.B$B$ N .N$N$ N .Z$Z$N.h$h$ N .t7$t$N.^$$ N .$$ N .$$ N .˕$$(N(. $ $&N&. $ $fNf.n U$n $lNl. $ $N. $ $tNt. ?$ $fNf. t$ $N.$$tNt.|$|$tNt.:$$N.$$N.$$N.T̘$T$N.$$N.$$N.VF$V$N.m$$ZNZ.6$6$N.&͙$&$N.:$:$N. '$ $N.!K$!$ N ."s$"$N& |I& I& I& Iך& I& I& I & I& I'& I7& IJ& IdcdWdjfnYK.t#ޛ$t#$ N .#6$#$N.#a$#$ N .#$#$N.#$#$N.*$Ԝ$*$$pNp.$$$$RNRdcd d$fnYK.$$$$ N .$$$$N.$$$$2N2..%M$.%$N.B+$B+$<N<.~+$~+$2N2.,ʞ$,$zNz.*3$*3$N.4!$4$<N<.5D$5$N.5p$5$N& I& I& Iϟ& I& I& I& I!& I3& IF& IU& Ih& I|& I& I& I& I& Idcdd̠fnYK.6C$6$MNMdcdסdfnYK.9d$9$FNF.<Ѣ$<$NdcddfnYK.<$<̣$ N .<$<$N.<<$<$N.=m$=$N.$=$$=$N.>Τ$>$<N<.?$?$.N..4?>$4?$<N<.p?w$p?$.N..?$?$<N<.?$?$.N..@$@$<N<.D@@$D@$.N..r@l$r@$N.A$A$N.B$B$UNUdcddfnYK.Cp$C$,N,. D˧$ D$[N[dcddfnYK.hE$hE$*N*.EȨ$E$JNJ.E$E$.N.. F$ F$Ndcd6dOfnYK.Fɩ$F$N.F*$F$N.F\$F$N.G$G$*N*.G$G$N.HϪ$H$N.K$K$HNH.HKA$HK$mNmu& I& I& IdcddfnYK.K7$Ks$xNx..N$.N$N.N$N$N.OK$O$NdcddfnYK.P$P<$ N .Pr$P$N.P$P$ N .Pͮ$P$N.P$P$N.FQ$$FQ$pNp.QC$Q$RNRdcdgdfnYK.R$R$ N .R)$RV$N.R$R$2N2.JRŰ$JR$LNL.X $X$<N<.X2$X$2N2.Z_$Z$ N .$a$$a$N.2c$2c$N.d$d$<N<.Pd$Pd$N.&eI$&e$.N..Thx$Th$N& I& J̲& Jܲ& J& J & J& J.& J@& JS& Jb& $Ju& (J& ,J& 0J& 4J& 8J& $HNH.̥t$̥$HNH.$$N.$$N.ެ$ެ$N.$$nNn.J$$N.l$$N.$$N.$$N& J& J& J& J& J)& J2& J=& JQ& J[& Jg& Jy& J& J& J& JdcddfnYK.jF$jt$ZNZ.ĸ$ĸ$wNw& JdcddfnYK.<e$<$|N|.$$.N..$$NNN.4$4$N.$$tNtdcd6dMfnYK.$$YNYdcd d6fnYK.$$FNF.& $&$FNF.l5$l$FNF._$$FNF.$$ENEdcddfnYK.>?$>^$ N .J$J$JNJ.$$N.0$0$|N|.$$<N<. $$NNN.6=$6$N.c$$tNtdcddfnYK.,$,$N.2N$2t$N.8$8$ N .B$B$ N dcddfnYK.Px$P$ N .Z$Z$ N .f$f$N.t$t$ N .$$N.?$$ N .`$$N.$$ N .$$N.$$ N .$$N. $$ N .,$$N.O$$ N . r$ $ N .$$ N ."$"$ N ..$.$ N .:$:$N. $$vNv.R1$R$vNv.U$$vNv.>z$>$vNv.$$vNv.*$*$*N*.T$T$N.$$Ndcdd1fnYK.$$>N>.$$^N^.Z$Z$>N>.=$$^N^.d$$:N:.0$0$^N^.$$>N>.$$^N^.*$*$:N:.d$d$^N^.:$$:N:.[$$^N^.Z$Z$:N:.$$]N]dcddfnYK.U$y$ N .$$ N . $ $ N .$$ N ." $"$ N ..@$.$ N .:c$:$N.H$H$ N .T$T$ N .`$`$BNB.$$<N<."$$<N<.R$$.N..H~$H$nNn.$$,N,.$$^N^.@$@$vNv.#$$nNn.$L$$$nNn.w$$N.$$N.($($N.$$N.!$$N.^J$^$N.k$$DND.Z$Z$NdcddfnYK.NU$N$ENEd-@"j4FXj|(;RddvX/eJ9`n  69, R  B!;!f "#L#z##/~1M3}6;<D=C>u,@0AB2CEBMmOOPQ Q/ RU 0Sq VS S S S TE U| .V 8Y BZ Z- ZZ Z .[ \ ] `> (cy c  e e e< Vew f h `j&nA0oupq qq(q[tqttu|wAykDzTz`zlzxzzFzszzz|v (D*`fЀ .:cv4.4Le~z$Cj:آȦJ4  ֵ7.bĹ"l_hXPdj>*.8El*r*L&sLB%:O<q"f~4Rt$R!Ahxh*.5Z~, P x  B !'!<V!!T!!! "/"0U"B~"N"Z"h"t$#F#k### # $n r$ $ % :% v%%|&J&i&&T&& 'V3'a'6'&':' (!9("_(t#(#(#(#)#$)*$>)$])$)$)$).% *B+.*~+V*,y**3*4*5*5*+6+9+<+<%,<[,<,=,$=,>'-?]-4?-p?-?-?/.@_.D@.r@.A.B/C&/ DW/E}/E/ F/F/F!0FK0Go0G0H0K1HK:1Kv1.N1N2OG2Ps2P2P2P2P%3FQD3Qh3R3R3R3JR94X`4X4Z4$a42c5dF5Pdw5&e5Th5Bi5y6}86~T6~u6~6687 -7zK7f777J7278D8h8t888(8+9ԌH9m99Ȏ9r994:f9:|:B:: ;~:;^;&;;;̥<<<`<ެ<<<<=G=ju=ĸ=<===4>A>g>>&>l>?[?J}??0??@6.@T@,@2@8@B@PAZ4AfVAtsAAAAABCD*0DTRDrDDDZDDE0DEeEE*EdEEFZ:F^FFF FF"G.6G:]GHGTG`GG%HQHHzHHH@HI$JIII(IIJ^>JeJZJNJZJ HJ HJ HJ H K HK H'K H4K HBK HOK H\K HjK HwK HK HK HK HK HK HK HK HK IK IL IL IL I*L I7L IGL ISL I`L $ImL (IzL ,IL 0IL 4IL 8IL N INN IXN IhN I{N IN IN IN IN IN IN IN I O IO I0O I?O IRO IfO ItO IO IO IO IO IO IO IO IO JO JO JP J)P J9P JJP J\P JoP J~P $JP (JP ,JP 0JP 4JP 8JP ? @ A B C D E F G H I J K L M N O P Q R S T U V W X Y Z [ \ ] ^ _ ` a b c d e f g h i j k l m n o p q r s t u v w x y z { | } ~                  __mh_dylib_headerdyld_stub_binding_helper__dyld_func_lookup-[BWToolbarShowColorsItem itemIdentifier]-[BWToolbarShowColorsItem label]-[BWToolbarShowColorsItem paletteLabel]-[BWToolbarShowColorsItem action]-[BWToolbarShowColorsItem toolTip]-[BWToolbarShowColorsItem image]-[BWToolbarShowColorsItem target]-[BWToolbarShowFontsItem itemIdentifier]-[BWToolbarShowFontsItem label]-[BWToolbarShowFontsItem paletteLabel]-[BWToolbarShowFontsItem action]-[BWToolbarShowFontsItem toolTip]-[BWToolbarShowFontsItem image]-[BWToolbarShowFontsItem target]-[BWSelectableToolbar toolbarDefaultItemIdentifiers:]-[BWSelectableToolbar toolbarAllowedItemIdentifiers:]-[BWSelectableToolbar isPreferencesToolbar]-[BWSelectableToolbar documentToolbar]-[BWSelectableToolbar editableToolbar]-[BWSelectableToolbar awakeFromNib]-[BWSelectableToolbar selectFirstItem]-[BWSelectableToolbar selectInitialItem]-[BWSelectableToolbar toggleActiveView:]-[BWSelectableToolbar identifierAtIndex:]-[BWSelectableToolbar setEnabled:forIdentifier:]-[BWSelectableToolbar validateToolbarItem:]-[BWSelectableToolbar toolbar:itemForItemIdentifier:willBeInsertedIntoToolbar:]-[BWSelectableToolbar toolbarSelectableItemIdentifiers:]-[BWSelectableToolbar selectedIndex]-[BWSelectableToolbar setSelectedIndex:]-[BWSelectableToolbar setDocumentToolbar:]-[BWSelectableToolbar setEditableToolbar:]-[BWSelectableToolbar initWithCoder:]-[BWSelectableToolbar setHelper:]-[BWSelectableToolbar helper]-[BWSelectableToolbar setEnabledByIdentifier:]-[BWSelectableToolbar switchToItemAtIndex:animate:]-[BWSelectableToolbar labels]-[BWSelectableToolbar setIsPreferencesToolbar:]-[BWSelectableToolbar selectableItemIdentifiers]-[BWSelectableToolbar windowDidResize:]-[BWSelectableToolbar enabledByIdentifier]-[BWSelectableToolbar setSelectedItemIdentifierWithoutAnimation:]-[BWSelectableToolbar setSelectedItemIdentifier:]-[BWSelectableToolbar dealloc]-[BWSelectableToolbar setItemSelectors]-[BWSelectableToolbar selectItemAtIndex:]-[BWSelectableToolbar toolbarIndexFromSelectableIndex:]-[BWSelectableToolbar initialSetup]-[BWSelectableToolbar initWithIdentifier:]-[BWSelectableToolbar _defaultItemIdentifiers]-[BWSelectableToolbar encodeWithCoder:]-[BWAddRegularBottomBar bounds]-[BWAddRegularBottomBar initWithCoder:]-[BWAddRegularBottomBar drawRect:]-[BWAddRegularBottomBar awakeFromNib]-[BWRemoveBottomBar bounds]-[BWInsetTextField initWithCoder:]-[BWTransparentButtonCell controlSize]-[BWTransparentButtonCell setControlSize:]-[BWTransparentButtonCell interiorColor]-[BWTransparentButtonCell drawBezelWithFrame:inView:]-[BWTransparentButtonCell drawImage:withFrame:inView:]+[BWTransparentButtonCell initialize]-[BWTransparentButtonCell _textAttributes]-[BWTransparentButtonCell drawTitle:withFrame:inView:]-[BWTransparentCheckboxCell controlSize]-[BWTransparentCheckboxCell setControlSize:]-[BWTransparentCheckboxCell isInTableView]-[BWTransparentCheckboxCell interiorColor]-[BWTransparentCheckboxCell _textAttributes]+[BWTransparentCheckboxCell initialize]-[BWTransparentCheckboxCell drawImage:withFrame:inView:]-[BWTransparentCheckboxCell drawInteriorWithFrame:inView:]-[BWTransparentCheckboxCell drawTitle:withFrame:inView:]-[BWTransparentPopUpButtonCell controlSize]-[BWTransparentPopUpButtonCell setControlSize:]-[BWTransparentPopUpButtonCell interiorColor]-[BWTransparentPopUpButtonCell drawBezelWithFrame:inView:]-[BWTransparentPopUpButtonCell drawImageWithFrame:inView:]-[BWTransparentPopUpButtonCell imageRectForBounds:]+[BWTransparentPopUpButtonCell initialize]-[BWTransparentPopUpButtonCell _textAttributes]-[BWTransparentPopUpButtonCell titleRectForBounds:]-[BWTransparentSliderCell _usesCustomTrackImage]-[BWTransparentSliderCell setTickMarkPosition:]-[BWTransparentSliderCell controlSize]-[BWTransparentSliderCell setControlSize:]-[BWTransparentSliderCell startTrackingAt:inView:]+[BWTransparentSliderCell initialize]-[BWTransparentSliderCell stopTracking:at:inView:mouseIsUp:]-[BWTransparentSliderCell knobRectFlipped:]-[BWTransparentSliderCell drawKnob:]-[BWTransparentSliderCell drawBarInside:flipped:]-[BWTransparentSliderCell initWithCoder:]-[BWSplitView animationEnded]-[BWSplitView secondaryDelegate]-[BWSplitView collapsibleSubviewCollapsed]-[BWSplitView dividerCanCollapse]-[BWSplitView setDividerCanCollapse:]-[BWSplitView collapsiblePopupSelection]-[BWSplitView setCollapsiblePopupSelection:]-[BWSplitView setCheckboxIsEnabled:]-[BWSplitView colorIsEnabled]-[BWSplitView initWithCoder:]+[BWSplitView initialize]-[BWSplitView setMinValues:]-[BWSplitView setMaxValues:]-[BWSplitView setMinUnits:]-[BWSplitView setMaxUnits:]-[BWSplitView setResizableSubviewPreferredProportion:]-[BWSplitView resizableSubviewPreferredProportion]-[BWSplitView setNonresizableSubviewPreferredSize:]-[BWSplitView nonresizableSubviewPreferredSize]-[BWSplitView setStateForLastPreferredCalculations:]-[BWSplitView stateForLastPreferredCalculations]-[BWSplitView setToggleCollapseButton:]-[BWSplitView toggleCollapseButton]-[BWSplitView setSecondaryDelegate:]-[BWSplitView dealloc]-[BWSplitView maxUnits]-[BWSplitView minUnits]-[BWSplitView maxValues]-[BWSplitView minValues]-[BWSplitView color]-[BWSplitView setColor:]-[BWSplitView setColorIsEnabled:]-[BWSplitView checkboxIsEnabled]-[BWSplitView setDividerStyle:]-[BWSplitView splitView:resizeSubviewsWithOldSize:]-[BWSplitView resizeAndAdjustSubviews]-[BWSplitView clearPreferredProportionsAndSizes]-[BWSplitView validateAndCalculatePreferredProportionsAndSizes]-[BWSplitView correctCollapsiblePreferredProportionOrSize]-[BWSplitView validatePreferredProportionsAndSizes]-[BWSplitView recalculatePreferredProportionsAndSizes]-[BWSplitView subviewMaximumSize:]-[BWSplitView subviewMinimumSize:]-[BWSplitView subviewIsResizable:]-[BWSplitView resizableSubviews]-[BWSplitView splitViewWillResizeSubviews:]-[BWSplitView splitViewDidResizeSubviews:]-[BWSplitView splitView:effectiveRect:forDrawnRect:ofDividerAtIndex:]-[BWSplitView splitView:constrainSplitPosition:ofSubviewAt:]-[BWSplitView splitView:constrainMinCoordinate:ofSubviewAt:]-[BWSplitView splitView:constrainMaxCoordinate:ofSubviewAt:]-[BWSplitView splitView:shouldCollapseSubview:forDoubleClickOnDividerAtIndex:]-[BWSplitView splitView:canCollapseSubview:]-[BWSplitView splitView:additionalEffectiveRectOfDividerAtIndex:]-[BWSplitView splitView:shouldHideDividerAtIndex:]-[BWSplitView mouseDown:]-[BWSplitView toggleCollapse:]-[BWSplitView restoreAutoresizesSubviews:]-[BWSplitView removeMinSizeForCollapsibleSubview]-[BWSplitView setMinSizeForCollapsibleSubview:]-[BWSplitView setCollapsibleSubviewCollapsed:]-[BWSplitView collapsibleDividerIndex]-[BWSplitView hasCollapsibleDivider]-[BWSplitView animationDuration]-[BWSplitView setCollapsibleSubviewCollapsedHelper:]-[BWSplitView adjustSubviews]-[BWSplitView hasCollapsibleSubview]-[BWSplitView collapsibleSubview]-[BWSplitView collapsibleSubviewIndex]-[BWSplitView collapsibleSubviewIsCollapsed]-[BWSplitView subviewIsCollapsed:]-[BWSplitView subviewIsCollapsible:]-[BWSplitView setDelegate:]-[BWSplitView drawDimpleInRect:]-[BWSplitView drawGradientDividerInRect:]-[BWSplitView drawDividerInRect:]-[BWSplitView awakeFromNib]-[BWSplitView encodeWithCoder:]-[BWTexturedSlider indicatorIndex]-[BWTexturedSlider initWithCoder:]+[BWTexturedSlider initialize]-[BWTexturedSlider setMinButton:]-[BWTexturedSlider minButton]-[BWTexturedSlider setMaxButton:]-[BWTexturedSlider maxButton]-[BWTexturedSlider dealloc]-[BWTexturedSlider resignFirstResponder]-[BWTexturedSlider becomeFirstResponder]-[BWTexturedSlider scrollWheel:]-[BWTexturedSlider setEnabled:]-[BWTexturedSlider setIndicatorIndex:]-[BWTexturedSlider drawRect:]-[BWTexturedSlider hitTest:]-[BWTexturedSlider setSliderToMaximum]-[BWTexturedSlider setSliderToMinimum]-[BWTexturedSlider setTrackHeight:]-[BWTexturedSlider trackHeight]-[BWTexturedSlider encodeWithCoder:]-[BWTexturedSliderCell controlSize]-[BWTexturedSliderCell setControlSize:]-[BWTexturedSliderCell numberOfTickMarks]-[BWTexturedSliderCell setNumberOfTickMarks:]-[BWTexturedSliderCell _usesCustomTrackImage]-[BWTexturedSliderCell trackHeight]-[BWTexturedSliderCell setTrackHeight:]-[BWTexturedSliderCell startTrackingAt:inView:]+[BWTexturedSliderCell initialize]-[BWTexturedSliderCell stopTracking:at:inView:mouseIsUp:]-[BWTexturedSliderCell drawKnob:]-[BWTexturedSliderCell drawBarInside:flipped:]-[BWTexturedSliderCell encodeWithCoder:]-[BWTexturedSliderCell initWithCoder:]-[BWAddSmallBottomBar bounds]-[BWAddSmallBottomBar initWithCoder:]-[BWAddSmallBottomBar drawRect:]-[BWAddSmallBottomBar awakeFromNib]+[BWAnchoredButtonBar wasBorderedBar]-[BWAnchoredButtonBar splitViewDelegate]-[BWAnchoredButtonBar handleIsRightAligned]-[BWAnchoredButtonBar setHandleIsRightAligned:]-[BWAnchoredButtonBar isResizable]-[BWAnchoredButtonBar setIsResizable:]-[BWAnchoredButtonBar isAtBottom]-[BWAnchoredButtonBar selectedIndex]-[BWAnchoredButtonBar initWithCoder:]+[BWAnchoredButtonBar initialize]-[BWAnchoredButtonBar setSplitViewDelegate:]-[BWAnchoredButtonBar splitView:shouldHideDividerAtIndex:]-[BWAnchoredButtonBar splitView:shouldCollapseSubview:forDoubleClickOnDividerAtIndex:]-[BWAnchoredButtonBar splitView:effectiveRect:forDrawnRect:ofDividerAtIndex:]-[BWAnchoredButtonBar splitView:constrainSplitPosition:ofSubviewAt:]-[BWAnchoredButtonBar splitView:canCollapseSubview:]-[BWAnchoredButtonBar splitView:resizeSubviewsWithOldSize:]-[BWAnchoredButtonBar splitView:constrainMaxCoordinate:ofSubviewAt:]-[BWAnchoredButtonBar splitView:constrainMinCoordinate:ofSubviewAt:]-[BWAnchoredButtonBar splitView:additionalEffectiveRectOfDividerAtIndex:]-[BWAnchoredButtonBar dealloc]-[BWAnchoredButtonBar setSelectedIndex:]-[BWAnchoredButtonBar setIsAtBottom:]-[BWAnchoredButtonBar splitView]-[BWAnchoredButtonBar dividerIndexNearestToHandle]-[BWAnchoredButtonBar isInLastSubview]-[BWAnchoredButtonBar viewDidMoveToSuperview]-[BWAnchoredButtonBar drawLastButtonInsetInRect:]-[BWAnchoredButtonBar drawResizeHandleInRect:withColor:]-[BWAnchoredButtonBar drawRect:]-[BWAnchoredButtonBar awakeFromNib]-[BWAnchoredButtonBar encodeWithCoder:]-[BWAnchoredButtonBar initWithFrame:]-[BWAnchoredButton isAtRightEdgeOfBar]-[BWAnchoredButton setIsAtRightEdgeOfBar:]-[BWAnchoredButton isAtLeftEdgeOfBar]-[BWAnchoredButton setIsAtLeftEdgeOfBar:]-[BWAnchoredButton initWithCoder:]-[BWAnchoredButton frame]-[BWAnchoredButton mouseDown:]-[BWAnchoredButtonCell controlSize]-[BWAnchoredButtonCell setControlSize:]-[BWAnchoredButtonCell highlightRectForBounds:]-[BWAnchoredButtonCell drawBezelWithFrame:inView:]-[BWAnchoredButtonCell textColor]-[BWAnchoredButtonCell _textAttributes]+[BWAnchoredButtonCell initialize]-[BWAnchoredButtonCell drawImage:withFrame:inView:]-[BWAnchoredButtonCell imageColor]-[BWAnchoredButtonCell titleRectForBounds:]-[BWAnchoredButtonCell drawWithFrame:inView:]-[NSColor(BWAdditions) bwDrawPixelThickLineAtPosition:withInset:inRect:inView:horizontal:flip:]-[NSImage(BWAdditions) bwRotateImage90DegreesClockwise:]-[NSImage(BWAdditions) bwTintedImageWithColor:]-[BWSelectableToolbarHelper isPreferencesToolbar]-[BWSelectableToolbarHelper setIsPreferencesToolbar:]-[BWSelectableToolbarHelper initialIBWindowSize]-[BWSelectableToolbarHelper setInitialIBWindowSize:]-[BWSelectableToolbarHelper initWithCoder:]-[BWSelectableToolbarHelper setContentViewsByIdentifier:]-[BWSelectableToolbarHelper contentViewsByIdentifier]-[BWSelectableToolbarHelper setWindowSizesByIdentifier:]-[BWSelectableToolbarHelper windowSizesByIdentifier]-[BWSelectableToolbarHelper setSelectedIdentifier:]-[BWSelectableToolbarHelper selectedIdentifier]-[BWSelectableToolbarHelper setOldWindowTitle:]-[BWSelectableToolbarHelper oldWindowTitle]-[BWSelectableToolbarHelper dealloc]-[BWSelectableToolbarHelper encodeWithCoder:]-[BWSelectableToolbarHelper init]-[NSWindow(BWAdditions) bwIsTextured]-[NSWindow(BWAdditions) bwResizeToSize:animate:]-[NSView(BWAdditions) bwBringToFront]-[NSView(BWAdditions) bwTurnOffLayer]-[NSView(BWAdditions) bwAnimator]-[BWTransparentTableView backgroundColor]-[BWTransparentTableView _highlightColorForCell:]-[BWTransparentTableView addTableColumn:]+[BWTransparentTableView cellClass]+[BWTransparentTableView initialize]-[BWTransparentTableView highlightSelectionInClipRect:]-[BWTransparentTableView _alternatingRowBackgroundColors]-[BWTransparentTableView drawBackgroundInClipRect:]-[BWTransparentTableViewCell drawInteriorWithFrame:inView:]-[BWTransparentTableViewCell editWithFrame:inView:editor:delegate:event:]-[BWTransparentTableViewCell selectWithFrame:inView:editor:delegate:start:length:]-[BWTransparentTableViewCell drawingRectForBounds:]-[BWAnchoredPopUpButton isAtRightEdgeOfBar]-[BWAnchoredPopUpButton setIsAtRightEdgeOfBar:]-[BWAnchoredPopUpButton isAtLeftEdgeOfBar]-[BWAnchoredPopUpButton setIsAtLeftEdgeOfBar:]-[BWAnchoredPopUpButton initWithCoder:]-[BWAnchoredPopUpButton frame]-[BWAnchoredPopUpButton mouseDown:]-[BWAnchoredPopUpButtonCell controlSize]-[BWAnchoredPopUpButtonCell setControlSize:]-[BWAnchoredPopUpButtonCell highlightRectForBounds:]-[BWAnchoredPopUpButtonCell drawBorderAndBackgroundWithFrame:inView:]-[BWAnchoredPopUpButtonCell textColor]-[BWAnchoredPopUpButtonCell _textAttributes]+[BWAnchoredPopUpButtonCell initialize]-[BWAnchoredPopUpButtonCell drawImageWithFrame:inView:]-[BWAnchoredPopUpButtonCell imageRectForBounds:]-[BWAnchoredPopUpButtonCell imageColor]-[BWAnchoredPopUpButtonCell titleRectForBounds:]-[BWAnchoredPopUpButtonCell drawArrowInFrame:]-[BWAnchoredPopUpButtonCell drawWithFrame:inView:]-[BWCustomView drawRect:]-[BWCustomView drawTextInRect:]-[BWUnanchoredButton initWithCoder:]-[BWUnanchoredButton frame]-[BWUnanchoredButton mouseDown:]-[BWUnanchoredButtonCell highlightRectForBounds:]-[BWUnanchoredButtonCell drawBezelWithFrame:inView:]+[BWUnanchoredButtonCell initialize]-[BWUnanchoredButtonContainer awakeFromNib]-[BWSheetController delegate]-[BWSheetController sheet]-[BWSheetController parentWindow]-[BWSheetController awakeFromNib]-[BWSheetController encodeWithCoder:]-[BWSheetController openSheet:]-[BWSheetController closeSheet:]-[BWSheetController messageDelegateAndCloseSheet:]-[BWSheetController initWithCoder:]-[BWSheetController setParentWindow:]-[BWSheetController setSheet:]-[BWSheetController setDelegate:]-[BWTransparentScrollView initWithCoder:]+[BWTransparentScrollView _verticalScrollerClass]-[BWAddMiniBottomBar bounds]-[BWAddMiniBottomBar initWithCoder:]-[BWAddMiniBottomBar drawRect:]-[BWAddMiniBottomBar awakeFromNib]-[BWAddSheetBottomBar bounds]-[BWAddSheetBottomBar initWithCoder:]-[BWAddSheetBottomBar drawRect:]-[BWAddSheetBottomBar awakeFromNib]-[BWTokenFieldCell setUpTokenAttachmentCell:forRepresentedObject:]-[BWTokenAttachmentCell pullDownImage]-[BWTokenAttachmentCell arrowInHighlightedState:]-[BWTokenAttachmentCell drawTokenWithFrame:inView:]-[BWTokenAttachmentCell interiorBackgroundStyle]+[BWTokenAttachmentCell initialize]-[BWTokenAttachmentCell pullDownRectForBounds:]-[BWTokenAttachmentCell _textAttributes]+[BWTransparentScroller scrollerWidth]+[BWTransparentScroller scrollerWidthForControlSize:]-[BWTransparentScroller initWithFrame:]+[BWTransparentScroller initialize]-[BWTransparentScroller rectForPart:]-[BWTransparentScroller _drawingRectForPart:]-[BWTransparentScroller drawKnob]-[BWTransparentScroller drawKnobSlot]-[BWTransparentScroller drawRect:]-[BWTransparentScroller initWithCoder:]-[BWTransparentTextFieldCell _textAttributes]+[BWTransparentTextFieldCell initialize]-[BWToolbarItem initWithCoder:]-[BWToolbarItem identifierString]-[BWToolbarItem dealloc]-[BWToolbarItem setIdentifierString:]-[BWToolbarItem encodeWithCoder:]+[NSString(BWAdditions) bwRandomUUID]+[NSEvent(BWAdditions) bwShiftKeyIsDown]+[NSEvent(BWAdditions) bwCommandKeyIsDown]+[NSEvent(BWAdditions) bwOptionKeyIsDown]+[NSEvent(BWAdditions) bwControlKeyIsDown]+[NSEvent(BWAdditions) bwCapsLockKeyIsDown]-[BWHyperlinkButton urlString]-[BWHyperlinkButton awakeFromNib]-[BWHyperlinkButton openURLInBrowser:]-[BWHyperlinkButton initWithCoder:]-[BWHyperlinkButton setUrlString:]-[BWHyperlinkButton dealloc]-[BWHyperlinkButton resetCursorRects]-[BWHyperlinkButton encodeWithCoder:]-[BWHyperlinkButtonCell drawBezelWithFrame:inView:]-[BWHyperlinkButtonCell setBordered:]-[BWHyperlinkButtonCell isBordered]-[BWHyperlinkButtonCell _textAttributes]-[BWGradientBox isFlipped]-[BWGradientBox hasFillColor]-[BWGradientBox setHasFillColor:]-[BWGradientBox hasGradient]-[BWGradientBox setHasGradient:]-[BWGradientBox hasBottomBorder]-[BWGradientBox setHasBottomBorder:]-[BWGradientBox hasTopBorder]-[BWGradientBox setHasTopBorder:]-[BWGradientBox bottomInsetAlpha]-[BWGradientBox setBottomInsetAlpha:]-[BWGradientBox topInsetAlpha]-[BWGradientBox setTopInsetAlpha:]-[BWGradientBox bottomBorderColor]-[BWGradientBox topBorderColor]-[BWGradientBox fillColor]-[BWGradientBox fillEndingColor]-[BWGradientBox fillStartingColor]-[BWGradientBox dealloc]-[BWGradientBox setBottomBorderColor:]-[BWGradientBox setTopBorderColor:]-[BWGradientBox setFillEndingColor:]-[BWGradientBox setFillStartingColor:]-[BWGradientBox setFillColor:]-[BWGradientBox drawRect:]-[BWGradientBox encodeWithCoder:]-[BWGradientBox initWithCoder:]-[BWStyledTextField hasShadow]-[BWStyledTextField setHasShadow:]-[BWStyledTextField shadowIsBelow]-[BWStyledTextField setShadowIsBelow:]-[BWStyledTextField shadowColor]-[BWStyledTextField setShadowColor:]-[BWStyledTextField hasGradient]-[BWStyledTextField setHasGradient:]-[BWStyledTextField startingColor]-[BWStyledTextField setStartingColor:]-[BWStyledTextField endingColor]-[BWStyledTextField setEndingColor:]-[BWStyledTextField solidColor]-[BWStyledTextField setSolidColor:]-[BWStyledTextFieldCell solidColor]-[BWStyledTextFieldCell hasGradient]-[BWStyledTextFieldCell endingColor]-[BWStyledTextFieldCell startingColor]-[BWStyledTextFieldCell shadow]-[BWStyledTextFieldCell hasShadow]-[BWStyledTextFieldCell setHasShadow:]-[BWStyledTextFieldCell shadowColor]-[BWStyledTextFieldCell shadowIsBelow]-[BWStyledTextFieldCell initWithCoder:]-[BWStyledTextFieldCell setShadow:]-[BWStyledTextFieldCell setPreviousAttributes:]-[BWStyledTextFieldCell previousAttributes]-[BWStyledTextFieldCell setShadowColor:]-[BWStyledTextFieldCell setShadowIsBelow:]-[BWStyledTextFieldCell setHasGradient:]-[BWStyledTextFieldCell setSolidColor:]-[BWStyledTextFieldCell setEndingColor:]-[BWStyledTextFieldCell setStartingColor:]-[BWStyledTextFieldCell drawInteriorWithFrame:inView:]-[BWStyledTextFieldCell applyGradient]-[BWStyledTextFieldCell awakeFromNib]-[BWStyledTextFieldCell changeShadow]-[BWStyledTextFieldCell _textAttributes]-[BWStyledTextFieldCell dealloc]-[BWStyledTextFieldCell copyWithZone:]-[BWStyledTextFieldCell encodeWithCoder:]+[NSApplication(BWAdditions) bwIsOnLeopard] stub helpersdyld__mach_header_scaleFactor_documentToolbar_editableToolbar_enabledColor_disabledColor_buttonFillN_buttonRightP_buttonFillP_buttonLeftP_buttonRightN_buttonLeftN_enabledColor_disabledColor_contentShadow_checkboxOffN_checkboxOnP_checkboxOnN_checkboxOffP_enabledColor_disabledColor_popUpFillN_pullDownRightP_popUpFillP_popUpLeftP_popUpRightP_pullDownRightN_popUpLeftN_popUpRightN_thumbPImage_thumbNImage_triangleThumbPImage_triangleThumbNImage_trackFillImage_trackRightImage_trackLeftImage_gradient_borderColor_dimpleImageBitmap_dimpleImageVector_gradientStartColor_gradientEndColor_smallPhotoImage_largePhotoImage_quietSpeakerImage_loudSpeakerImage_thumbPImage_thumbNImage_trackFillImage_trackRightImage_trackLeftImage_wasBorderedBar_gradient_topLineColor_borderedTopLineColor_resizeHandleColor_resizeInsetColor_bottomLineColor_sideInsetColor_topColor_middleTopColor_middleBottomColor_bottomColor_fillGradient_bottomBorderColor_sideInsetColor_borderedTopBorderColor_borderedSideBorderColor_topBorderColor_sideBorderColor_enabledTextColor_disabledTextColor_contentShadow_enabledImageColor_disabledImageColor_pressedColor_fillStop1_fillStop2_fillStop3_fillStop4_rowColor_altRowColor_highlightColor_fillGradient_bottomBorderColor_sideInsetColor_borderedTopBorderColor_borderedSideBorderColor_topBorderColor_sideBorderColor_enabledTextColor_disabledTextColor_contentShadow_enabledImageColor_disabledImageColor_pressedColor_pullDownArrow_fillStop1_fillStop2_fillStop3_fillStop4_fillGradient_topInsetColor_topBorderColor_borderColor_bottomInsetColor_fillStop1_fillStop2_fillStop3_fillStop4_pressedColor_highlightedArrowColor_arrowGradient_blueStrokeGradient_blueInsetGradient_blueGradient_highlightedBlueStrokeGradient_highlightedBlueInsetGradient_highlightedBlueGradient_textShadow_slotVerticalFill_backgroundColor_minKnobHeight_minKnobWidth_slotBottom_slotTop_slotRight_slotHorizontalFill_slotLeft_knobBottom_knobVerticalFill_knobTop_knobRight_knobHorizontalFill_knobLeft_textShadow.objc_category_name_NSApplication_BWAdditions.objc_category_name_NSColor_BWAdditions.objc_category_name_NSEvent_BWAdditions.objc_category_name_NSImage_BWAdditions.objc_category_name_NSString_BWAdditions.objc_category_name_NSView_BWAdditions.objc_category_name_NSWindow_BWAdditions.objc_class_name_BWAddMiniBottomBar.objc_class_name_BWAddRegularBottomBar.objc_class_name_BWAddSheetBottomBar.objc_class_name_BWAddSmallBottomBar.objc_class_name_BWAnchoredButton.objc_class_name_BWAnchoredButtonBar.objc_class_name_BWAnchoredButtonCell.objc_class_name_BWAnchoredPopUpButton.objc_class_name_BWAnchoredPopUpButtonCell.objc_class_name_BWCustomView.objc_class_name_BWGradientBox.objc_class_name_BWHyperlinkButton.objc_class_name_BWHyperlinkButtonCell.objc_class_name_BWInsetTextField.objc_class_name_BWRemoveBottomBar.objc_class_name_BWSelectableToolbar.objc_class_name_BWSelectableToolbarHelper.objc_class_name_BWSheetController.objc_class_name_BWSplitView.objc_class_name_BWStyledTextField.objc_class_name_BWStyledTextFieldCell.objc_class_name_BWTexturedSlider.objc_class_name_BWTexturedSliderCell.objc_class_name_BWTokenAttachmentCell.objc_class_name_BWTokenField.objc_class_name_BWTokenFieldCell.objc_class_name_BWToolbarItem.objc_class_name_BWToolbarShowColorsItem.objc_class_name_BWToolbarShowFontsItem.objc_class_name_BWTransparentButton.objc_class_name_BWTransparentButtonCell.objc_class_name_BWTransparentCheckbox.objc_class_name_BWTransparentCheckboxCell.objc_class_name_BWTransparentPopUpButton.objc_class_name_BWTransparentPopUpButtonCell.objc_class_name_BWTransparentScrollView.objc_class_name_BWTransparentScroller.objc_class_name_BWTransparentSlider.objc_class_name_BWTransparentSliderCell.objc_class_name_BWTransparentTableView.objc_class_name_BWTransparentTableViewCell.objc_class_name_BWTransparentTextFieldCell.objc_class_name_BWUnanchoredButton.objc_class_name_BWUnanchoredButtonCell.objc_class_name_BWUnanchoredButtonContainer_BWSelectableToolbarItemClickedNotification_compareViews.objc_class_name_NSAffineTransform.objc_class_name_NSAnimationContext.objc_class_name_NSApplication.objc_class_name_NSArchiver.objc_class_name_NSArray.objc_class_name_NSBezierPath.objc_class_name_NSBundle.objc_class_name_NSButton.objc_class_name_NSButtonCell.objc_class_name_NSColor.objc_class_name_NSCursor.objc_class_name_NSCustomView.objc_class_name_NSDictionary.objc_class_name_NSEvent.objc_class_name_NSFont.objc_class_name_NSGradient.objc_class_name_NSGraphicsContext.objc_class_name_NSImage.objc_class_name_NSMutableArray.objc_class_name_NSMutableAttributedString.objc_class_name_NSMutableDictionary.objc_class_name_NSNotificationCenter.objc_class_name_NSNumber.objc_class_name_NSObject.objc_class_name_NSPopUpButton.objc_class_name_NSPopUpButtonCell.objc_class_name_NSScreen.objc_class_name_NSScrollView.objc_class_name_NSScroller.objc_class_name_NSShadow.objc_class_name_NSSlider.objc_class_name_NSSliderCell.objc_class_name_NSSortDescriptor.objc_class_name_NSSplitView.objc_class_name_NSString.objc_class_name_NSTableView.objc_class_name_NSTextField.objc_class_name_NSTextFieldCell.objc_class_name_NSTokenAttachmentCell.objc_class_name_NSTokenField.objc_class_name_NSTokenFieldCell.objc_class_name_NSToolbar.objc_class_name_NSToolbarItem.objc_class_name_NSURL.objc_class_name_NSUnarchiver.objc_class_name_NSValue.objc_class_name_NSView.objc_class_name_NSWindowController.objc_class_name_NSWorkspace_CFMakeCollectable_CFRelease_CFUUIDCreate_CFUUIDCreateString_CGContextRestoreGState_CGContextSaveGState_CGContextSetShouldSmoothFonts_Gestalt_NSApp_NSClassFromString_NSDrawThreePartImage_NSFontAttributeName_NSForegroundColorAttributeName_NSInsetRect_NSIntegralRect_NSIsEmptyRect_NSOffsetRect_NSPointInRect_NSRectFill_NSRectFillUsingOperation_NSShadowAttributeName_NSUnderlineStyleAttributeName_NSWindowDidResizeNotification_NSZeroRect___CFConstantStringClassReference_ceilf_floorf_fmaxf_fminf_modf_objc_assign_global_objc_assign_ivar_objc_enumerationMutation_objc_getProperty_objc_msgSend_objc_msgSendSuper_objc_msgSendSuper_stret_objc_msgSend_fpret_objc_msgSend_stret_objc_setProperty_roundfdyld_stub_binder/Users/brandon/Temp/bwtoolkit/BWToolbarShowColorsItem.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWToolbarShowColorsItem.o-[BWToolbarShowColorsItem itemIdentifier]/Users/brandon/Temp/bwtoolkit/BWToolbarShowColorsItem.m-[BWToolbarShowColorsItem label]-[BWToolbarShowColorsItem paletteLabel]-[BWToolbarShowColorsItem action]-[BWToolbarShowColorsItem toolTip]-[BWToolbarShowColorsItem image]-[BWToolbarShowColorsItem target]BWToolbarShowFontsItem.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWToolbarShowFontsItem.o-[BWToolbarShowFontsItem itemIdentifier]/Users/brandon/Temp/bwtoolkit/BWToolbarShowFontsItem.m-[BWToolbarShowFontsItem label]-[BWToolbarShowFontsItem paletteLabel]-[BWToolbarShowFontsItem action]-[BWToolbarShowFontsItem toolTip]-[BWToolbarShowFontsItem image]-[BWToolbarShowFontsItem target]BWSelectableToolbar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWSelectableToolbar.o-[BWSelectableToolbar toolbarDefaultItemIdentifiers:]/Users/brandon/Temp/bwtoolkit/BWSelectableToolbar.m-[BWSelectableToolbar toolbarAllowedItemIdentifiers:]-[BWSelectableToolbar isPreferencesToolbar]-[BWSelectableToolbar documentToolbar]-[BWSelectableToolbar editableToolbar]-[BWSelectableToolbar awakeFromNib]-[BWSelectableToolbar selectFirstItem]-[BWSelectableToolbar selectInitialItem]-[BWSelectableToolbar toggleActiveView:]-[BWSelectableToolbar identifierAtIndex:]-[BWSelectableToolbar setEnabled:forIdentifier:]-[BWSelectableToolbar validateToolbarItem:]-[BWSelectableToolbar toolbar:itemForItemIdentifier:willBeInsertedIntoToolbar:]-[BWSelectableToolbar toolbarSelectableItemIdentifiers:]-[BWSelectableToolbar selectedIndex]-[BWSelectableToolbar setSelectedIndex:]-[BWSelectableToolbar setDocumentToolbar:]-[BWSelectableToolbar setEditableToolbar:]-[BWSelectableToolbar initWithCoder:]-[BWSelectableToolbar setHelper:]-[BWSelectableToolbar helper]-[BWSelectableToolbar setEnabledByIdentifier:]-[BWSelectableToolbar switchToItemAtIndex:animate:]-[BWSelectableToolbar labels]-[BWSelectableToolbar setIsPreferencesToolbar:]-[BWSelectableToolbar selectableItemIdentifiers]-[BWSelectableToolbar windowDidResize:]-[BWSelectableToolbar enabledByIdentifier]-[BWSelectableToolbar setSelectedItemIdentifierWithoutAnimation:]-[BWSelectableToolbar setSelectedItemIdentifier:]-[BWSelectableToolbar dealloc]-[BWSelectableToolbar setItemSelectors]-[BWSelectableToolbar selectItemAtIndex:]-[BWSelectableToolbar toolbarIndexFromSelectableIndex:]-[BWSelectableToolbar initialSetup]-[BWSelectableToolbar initWithIdentifier:]-[BWSelectableToolbar _defaultItemIdentifiers]-[BWSelectableToolbar encodeWithCoder:]_BWSelectableToolbarItemClickedNotification_documentToolbar_editableToolbarBWAddRegularBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWAddRegularBottomBar.o-[BWAddRegularBottomBar bounds]/System/Library/Frameworks/Foundation.framework/Headers/NSGeometry.h-[BWAddRegularBottomBar initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWAddRegularBottomBar.m-[BWAddRegularBottomBar drawRect:]-[BWAddRegularBottomBar awakeFromNib]BWRemoveBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWRemoveBottomBar.o-[BWRemoveBottomBar bounds]BWInsetTextField.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWInsetTextField.o-[BWInsetTextField initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWInsetTextField.mBWTransparentButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWTransparentButtonCell.o-[BWTransparentButtonCell controlSize]-[BWTransparentButtonCell setControlSize:]/Users/brandon/Temp/bwtoolkit/BWTransparentButtonCell.m-[BWTransparentButtonCell interiorColor]-[BWTransparentButtonCell drawBezelWithFrame:inView:]-[BWTransparentButtonCell drawImage:withFrame:inView:]+[BWTransparentButtonCell initialize]-[BWTransparentButtonCell _textAttributes]-[BWTransparentButtonCell drawTitle:withFrame:inView:]_enabledColor_disabledColor_buttonFillN_buttonRightP_buttonFillP_buttonLeftP_buttonRightN_buttonLeftNBWTransparentCheckboxCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWTransparentCheckboxCell.o-[BWTransparentCheckboxCell controlSize]-[BWTransparentCheckboxCell setControlSize:]/Users/brandon/Temp/bwtoolkit/BWTransparentCheckboxCell.m-[BWTransparentCheckboxCell isInTableView]-[BWTransparentCheckboxCell interiorColor]-[BWTransparentCheckboxCell _textAttributes]+[BWTransparentCheckboxCell initialize]-[BWTransparentCheckboxCell drawImage:withFrame:inView:]-[BWTransparentCheckboxCell drawInteriorWithFrame:inView:]-[BWTransparentCheckboxCell drawTitle:withFrame:inView:]_enabledColor_disabledColor_contentShadow_checkboxOffN_checkboxOnP_checkboxOnN_checkboxOffPBWTransparentPopUpButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWTransparentPopUpButtonCell.o-[BWTransparentPopUpButtonCell controlSize]-[BWTransparentPopUpButtonCell setControlSize:]/Users/brandon/Temp/bwtoolkit/BWTransparentPopUpButtonCell.m-[BWTransparentPopUpButtonCell interiorColor]-[BWTransparentPopUpButtonCell drawBezelWithFrame:inView:]-[BWTransparentPopUpButtonCell drawImageWithFrame:inView:]-[BWTransparentPopUpButtonCell imageRectForBounds:]+[BWTransparentPopUpButtonCell initialize]-[BWTransparentPopUpButtonCell _textAttributes]-[BWTransparentPopUpButtonCell titleRectForBounds:]_enabledColor_disabledColor_popUpFillN_pullDownRightP_popUpFillP_popUpLeftP_popUpRightP_pullDownRightN_popUpLeftN_popUpRightNBWTransparentSliderCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWTransparentSliderCell.o-[BWTransparentSliderCell _usesCustomTrackImage]-[BWTransparentSliderCell setTickMarkPosition:]/Users/brandon/Temp/bwtoolkit/BWTransparentSliderCell.m-[BWTransparentSliderCell controlSize]-[BWTransparentSliderCell setControlSize:]-[BWTransparentSliderCell startTrackingAt:inView:]+[BWTransparentSliderCell initialize]-[BWTransparentSliderCell stopTracking:at:inView:mouseIsUp:]-[BWTransparentSliderCell knobRectFlipped:]-[BWTransparentSliderCell drawKnob:]-[BWTransparentSliderCell drawBarInside:flipped:]-[BWTransparentSliderCell initWithCoder:]_thumbPImage_thumbNImage_triangleThumbPImage_triangleThumbNImage_trackFillImage_trackRightImage_trackLeftImageBWSplitView.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWSplitView.o-[BWSplitView animationEnded]/Users/brandon/Temp/bwtoolkit/BWSplitView.m-[BWSplitView secondaryDelegate]-[BWSplitView collapsibleSubviewCollapsed]-[BWSplitView dividerCanCollapse]-[BWSplitView setDividerCanCollapse:]-[BWSplitView collapsiblePopupSelection]-[BWSplitView setCollapsiblePopupSelection:]-[BWSplitView setCheckboxIsEnabled:]-[BWSplitView colorIsEnabled]-[BWSplitView initWithCoder:]+[BWSplitView initialize]-[BWSplitView setMinValues:]-[BWSplitView setMaxValues:]-[BWSplitView setMinUnits:]-[BWSplitView setMaxUnits:]-[BWSplitView setResizableSubviewPreferredProportion:]-[BWSplitView resizableSubviewPreferredProportion]-[BWSplitView setNonresizableSubviewPreferredSize:]-[BWSplitView nonresizableSubviewPreferredSize]-[BWSplitView setStateForLastPreferredCalculations:]-[BWSplitView stateForLastPreferredCalculations]-[BWSplitView setToggleCollapseButton:]-[BWSplitView toggleCollapseButton]-[BWSplitView setSecondaryDelegate:]-[BWSplitView dealloc]-[BWSplitView maxUnits]-[BWSplitView minUnits]-[BWSplitView maxValues]-[BWSplitView minValues]-[BWSplitView color]-[BWSplitView setColor:]-[BWSplitView setColorIsEnabled:]-[BWSplitView checkboxIsEnabled]-[BWSplitView setDividerStyle:]-[BWSplitView splitView:resizeSubviewsWithOldSize:]-[BWSplitView resizeAndAdjustSubviews]-[BWSplitView clearPreferredProportionsAndSizes]-[BWSplitView validateAndCalculatePreferredProportionsAndSizes]-[BWSplitView correctCollapsiblePreferredProportionOrSize]-[BWSplitView validatePreferredProportionsAndSizes]-[BWSplitView recalculatePreferredProportionsAndSizes]-[BWSplitView subviewMaximumSize:]-[BWSplitView subviewMinimumSize:]-[BWSplitView subviewIsResizable:]-[BWSplitView resizableSubviews]-[BWSplitView splitViewWillResizeSubviews:]-[BWSplitView splitViewDidResizeSubviews:]-[BWSplitView splitView:effectiveRect:forDrawnRect:ofDividerAtIndex:]-[BWSplitView splitView:constrainSplitPosition:ofSubviewAt:]-[BWSplitView splitView:constrainMinCoordinate:ofSubviewAt:]-[BWSplitView splitView:constrainMaxCoordinate:ofSubviewAt:]-[BWSplitView splitView:shouldCollapseSubview:forDoubleClickOnDividerAtIndex:]-[BWSplitView splitView:canCollapseSubview:]-[BWSplitView splitView:additionalEffectiveRectOfDividerAtIndex:]-[BWSplitView splitView:shouldHideDividerAtIndex:]-[BWSplitView mouseDown:]-[BWSplitView toggleCollapse:]-[BWSplitView restoreAutoresizesSubviews:]-[BWSplitView removeMinSizeForCollapsibleSubview]-[BWSplitView setMinSizeForCollapsibleSubview:]-[BWSplitView setCollapsibleSubviewCollapsed:]-[BWSplitView collapsibleDividerIndex]-[BWSplitView hasCollapsibleDivider]-[BWSplitView animationDuration]-[BWSplitView setCollapsibleSubviewCollapsedHelper:]-[BWSplitView adjustSubviews]-[BWSplitView hasCollapsibleSubview]-[BWSplitView collapsibleSubview]-[BWSplitView collapsibleSubviewIndex]-[BWSplitView collapsibleSubviewIsCollapsed]-[BWSplitView subviewIsCollapsed:]-[BWSplitView subviewIsCollapsible:]-[BWSplitView setDelegate:]-[BWSplitView drawDimpleInRect:]-[BWSplitView drawGradientDividerInRect:]-[BWSplitView drawDividerInRect:]-[BWSplitView awakeFromNib]-[BWSplitView encodeWithCoder:]_scaleFactor_gradient_borderColor_dimpleImageBitmap_dimpleImageVector_gradientStartColor_gradientEndColorBWTexturedSlider.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWTexturedSlider.o-[BWTexturedSlider indicatorIndex]/Users/brandon/Temp/bwtoolkit/BWTexturedSlider.m-[BWTexturedSlider initWithCoder:]+[BWTexturedSlider initialize]-[BWTexturedSlider setMinButton:]-[BWTexturedSlider minButton]-[BWTexturedSlider setMaxButton:]-[BWTexturedSlider maxButton]-[BWTexturedSlider dealloc]-[BWTexturedSlider resignFirstResponder]-[BWTexturedSlider becomeFirstResponder]-[BWTexturedSlider scrollWheel:]-[BWTexturedSlider setEnabled:]-[BWTexturedSlider setIndicatorIndex:]-[BWTexturedSlider drawRect:]-[BWTexturedSlider hitTest:]-[BWTexturedSlider setSliderToMaximum]-[BWTexturedSlider setSliderToMinimum]-[BWTexturedSlider setTrackHeight:]-[BWTexturedSlider trackHeight]-[BWTexturedSlider encodeWithCoder:]_smallPhotoImage_largePhotoImage_quietSpeakerImage_loudSpeakerImageBWTexturedSliderCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWTexturedSliderCell.o-[BWTexturedSliderCell controlSize]-[BWTexturedSliderCell setControlSize:]/Users/brandon/Temp/bwtoolkit/BWTexturedSliderCell.m-[BWTexturedSliderCell numberOfTickMarks]-[BWTexturedSliderCell setNumberOfTickMarks:]-[BWTexturedSliderCell _usesCustomTrackImage]-[BWTexturedSliderCell trackHeight]-[BWTexturedSliderCell setTrackHeight:]-[BWTexturedSliderCell startTrackingAt:inView:]+[BWTexturedSliderCell initialize]-[BWTexturedSliderCell stopTracking:at:inView:mouseIsUp:]-[BWTexturedSliderCell drawKnob:]-[BWTexturedSliderCell drawBarInside:flipped:]-[BWTexturedSliderCell encodeWithCoder:]-[BWTexturedSliderCell initWithCoder:]_thumbPImage_thumbNImage_trackFillImage_trackRightImage_trackLeftImageBWAddSmallBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWAddSmallBottomBar.o-[BWAddSmallBottomBar bounds]-[BWAddSmallBottomBar initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWAddSmallBottomBar.m-[BWAddSmallBottomBar drawRect:]-[BWAddSmallBottomBar awakeFromNib]BWAnchoredButtonBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWAnchoredButtonBar.o+[BWAnchoredButtonBar wasBorderedBar]/Users/brandon/Temp/bwtoolkit/BWAnchoredButtonBar.m-[BWAnchoredButtonBar splitViewDelegate]-[BWAnchoredButtonBar handleIsRightAligned]-[BWAnchoredButtonBar setHandleIsRightAligned:]-[BWAnchoredButtonBar isResizable]-[BWAnchoredButtonBar setIsResizable:]-[BWAnchoredButtonBar isAtBottom]-[BWAnchoredButtonBar selectedIndex]-[BWAnchoredButtonBar initWithCoder:]+[BWAnchoredButtonBar initialize]-[BWAnchoredButtonBar setSplitViewDelegate:]-[BWAnchoredButtonBar splitView:shouldHideDividerAtIndex:]-[BWAnchoredButtonBar splitView:shouldCollapseSubview:forDoubleClickOnDividerAtIndex:]-[BWAnchoredButtonBar splitView:effectiveRect:forDrawnRect:ofDividerAtIndex:]-[BWAnchoredButtonBar splitView:constrainSplitPosition:ofSubviewAt:]-[BWAnchoredButtonBar splitView:canCollapseSubview:]-[BWAnchoredButtonBar splitView:resizeSubviewsWithOldSize:]-[BWAnchoredButtonBar splitView:constrainMaxCoordinate:ofSubviewAt:]-[BWAnchoredButtonBar splitView:constrainMinCoordinate:ofSubviewAt:]-[BWAnchoredButtonBar splitView:additionalEffectiveRectOfDividerAtIndex:]-[BWAnchoredButtonBar dealloc]-[BWAnchoredButtonBar setSelectedIndex:]-[BWAnchoredButtonBar setIsAtBottom:]-[BWAnchoredButtonBar splitView]-[BWAnchoredButtonBar dividerIndexNearestToHandle]-[BWAnchoredButtonBar isInLastSubview]-[BWAnchoredButtonBar viewDidMoveToSuperview]-[BWAnchoredButtonBar drawLastButtonInsetInRect:]-[BWAnchoredButtonBar drawResizeHandleInRect:withColor:]-[BWAnchoredButtonBar drawRect:]-[BWAnchoredButtonBar awakeFromNib]-[BWAnchoredButtonBar encodeWithCoder:]-[BWAnchoredButtonBar initWithFrame:]_wasBorderedBar_gradient_topLineColor_borderedTopLineColor_resizeHandleColor_resizeInsetColor_bottomLineColor_sideInsetColor_topColor_middleTopColor_middleBottomColor_bottomColorBWAnchoredButton.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWAnchoredButton.o-[BWAnchoredButton isAtRightEdgeOfBar]/Users/brandon/Temp/bwtoolkit/BWAnchoredButton.m-[BWAnchoredButton setIsAtRightEdgeOfBar:]-[BWAnchoredButton isAtLeftEdgeOfBar]-[BWAnchoredButton setIsAtLeftEdgeOfBar:]-[BWAnchoredButton initWithCoder:]-[BWAnchoredButton frame]-[BWAnchoredButton mouseDown:]BWAnchoredButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWAnchoredButtonCell.o-[BWAnchoredButtonCell controlSize]-[BWAnchoredButtonCell setControlSize:]/Users/brandon/Temp/bwtoolkit/BWAnchoredButtonCell.m-[BWAnchoredButtonCell highlightRectForBounds:]-[BWAnchoredButtonCell drawBezelWithFrame:inView:]-[BWAnchoredButtonCell textColor]-[BWAnchoredButtonCell _textAttributes]+[BWAnchoredButtonCell initialize]-[BWAnchoredButtonCell drawImage:withFrame:inView:]-[BWAnchoredButtonCell imageColor]-[BWAnchoredButtonCell titleRectForBounds:]-[BWAnchoredButtonCell drawWithFrame:inView:]_fillGradient_bottomBorderColor_sideInsetColor_borderedTopBorderColor_borderedSideBorderColor_topBorderColor_sideBorderColor_enabledTextColor_disabledTextColor_contentShadow_enabledImageColor_disabledImageColor_pressedColor_fillStop1_fillStop2_fillStop3_fillStop4NSColor+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/NSColor+BWAdditions.o-[NSColor(BWAdditions) bwDrawPixelThickLineAtPosition:withInset:inRect:inView:horizontal:flip:]/Users/brandon/Temp/bwtoolkit/NSColor+BWAdditions.mNSImage+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/NSImage+BWAdditions.o-[NSImage(BWAdditions) bwRotateImage90DegreesClockwise:]/Users/brandon/Temp/bwtoolkit/NSImage+BWAdditions.m-[NSImage(BWAdditions) bwTintedImageWithColor:]BWSelectableToolbarHelper.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWSelectableToolbarHelper.o-[BWSelectableToolbarHelper isPreferencesToolbar]/Users/brandon/Temp/bwtoolkit/BWSelectableToolbarHelper.m-[BWSelectableToolbarHelper setIsPreferencesToolbar:]-[BWSelectableToolbarHelper initialIBWindowSize]-[BWSelectableToolbarHelper setInitialIBWindowSize:]-[BWSelectableToolbarHelper initWithCoder:]-[BWSelectableToolbarHelper setContentViewsByIdentifier:]-[BWSelectableToolbarHelper contentViewsByIdentifier]-[BWSelectableToolbarHelper setWindowSizesByIdentifier:]-[BWSelectableToolbarHelper windowSizesByIdentifier]-[BWSelectableToolbarHelper setSelectedIdentifier:]-[BWSelectableToolbarHelper selectedIdentifier]-[BWSelectableToolbarHelper setOldWindowTitle:]-[BWSelectableToolbarHelper oldWindowTitle]-[BWSelectableToolbarHelper dealloc]-[BWSelectableToolbarHelper encodeWithCoder:]-[BWSelectableToolbarHelper init]NSWindow+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/NSWindow+BWAdditions.o-[NSWindow(BWAdditions) bwIsTextured]/Users/brandon/Temp/bwtoolkit/NSWindow+BWAdditions.m-[NSWindow(BWAdditions) bwResizeToSize:animate:]NSView+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/NSView+BWAdditions.o_compareViews/Users/brandon/Temp/bwtoolkit/NSView+BWAdditions.m-[NSView(BWAdditions) bwBringToFront]-[NSView(BWAdditions) bwTurnOffLayer]-[NSView(BWAdditions) bwAnimator]BWTransparentTableView.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWTransparentTableView.o-[BWTransparentTableView backgroundColor]/Users/brandon/Temp/bwtoolkit/BWTransparentTableView.m-[BWTransparentTableView _highlightColorForCell:]-[BWTransparentTableView addTableColumn:]+[BWTransparentTableView cellClass]+[BWTransparentTableView initialize]-[BWTransparentTableView highlightSelectionInClipRect:]-[BWTransparentTableView _alternatingRowBackgroundColors]-[BWTransparentTableView drawBackgroundInClipRect:]_rowColor_altRowColor_highlightColorBWTransparentTableViewCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWTransparentTableViewCell.o-[BWTransparentTableViewCell drawInteriorWithFrame:inView:]/Users/brandon/Temp/bwtoolkit/BWTransparentTableViewCell.m-[BWTransparentTableViewCell editWithFrame:inView:editor:delegate:event:]-[BWTransparentTableViewCell selectWithFrame:inView:editor:delegate:start:length:]-[BWTransparentTableViewCell drawingRectForBounds:]BWAnchoredPopUpButton.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWAnchoredPopUpButton.o-[BWAnchoredPopUpButton isAtRightEdgeOfBar]/Users/brandon/Temp/bwtoolkit/BWAnchoredPopUpButton.m-[BWAnchoredPopUpButton setIsAtRightEdgeOfBar:]-[BWAnchoredPopUpButton isAtLeftEdgeOfBar]-[BWAnchoredPopUpButton setIsAtLeftEdgeOfBar:]-[BWAnchoredPopUpButton initWithCoder:]-[BWAnchoredPopUpButton frame]-[BWAnchoredPopUpButton mouseDown:]BWAnchoredPopUpButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWAnchoredPopUpButtonCell.o-[BWAnchoredPopUpButtonCell controlSize]-[BWAnchoredPopUpButtonCell setControlSize:]/Users/brandon/Temp/bwtoolkit/BWAnchoredPopUpButtonCell.m-[BWAnchoredPopUpButtonCell highlightRectForBounds:]-[BWAnchoredPopUpButtonCell drawBorderAndBackgroundWithFrame:inView:]-[BWAnchoredPopUpButtonCell textColor]-[BWAnchoredPopUpButtonCell _textAttributes]+[BWAnchoredPopUpButtonCell initialize]-[BWAnchoredPopUpButtonCell drawImageWithFrame:inView:]-[BWAnchoredPopUpButtonCell imageRectForBounds:]-[BWAnchoredPopUpButtonCell imageColor]-[BWAnchoredPopUpButtonCell titleRectForBounds:]-[BWAnchoredPopUpButtonCell drawArrowInFrame:]-[BWAnchoredPopUpButtonCell drawWithFrame:inView:]_fillGradient_bottomBorderColor_sideInsetColor_borderedTopBorderColor_borderedSideBorderColor_topBorderColor_sideBorderColor_enabledTextColor_disabledTextColor_contentShadow_enabledImageColor_disabledImageColor_pressedColor_pullDownArrow_fillStop1_fillStop2_fillStop3_fillStop4BWCustomView.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWCustomView.o-[BWCustomView drawRect:]/Users/brandon/Temp/bwtoolkit/BWCustomView.m-[BWCustomView drawTextInRect:]BWUnanchoredButton.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWUnanchoredButton.o-[BWUnanchoredButton initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWUnanchoredButton.m-[BWUnanchoredButton frame]-[BWUnanchoredButton mouseDown:]BWUnanchoredButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWUnanchoredButtonCell.o-[BWUnanchoredButtonCell highlightRectForBounds:]-[BWUnanchoredButtonCell drawBezelWithFrame:inView:]/Users/brandon/Temp/bwtoolkit/BWUnanchoredButtonCell.m+[BWUnanchoredButtonCell initialize]_fillGradient_topInsetColor_topBorderColor_borderColor_bottomInsetColor_fillStop1_fillStop2_fillStop3_fillStop4_pressedColorBWUnanchoredButtonContainer.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWUnanchoredButtonContainer.o-[BWUnanchoredButtonContainer awakeFromNib]/Users/brandon/Temp/bwtoolkit/BWUnanchoredButtonContainer.mBWSheetController.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWSheetController.o-[BWSheetController delegate]/Users/brandon/Temp/bwtoolkit/BWSheetController.m-[BWSheetController sheet]-[BWSheetController parentWindow]-[BWSheetController awakeFromNib]-[BWSheetController encodeWithCoder:]-[BWSheetController openSheet:]-[BWSheetController closeSheet:]-[BWSheetController messageDelegateAndCloseSheet:]-[BWSheetController initWithCoder:]-[BWSheetController setParentWindow:]-[BWSheetController setSheet:]-[BWSheetController setDelegate:]BWTransparentScrollView.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWTransparentScrollView.o-[BWTransparentScrollView initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWTransparentScrollView.m+[BWTransparentScrollView _verticalScrollerClass]BWAddMiniBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWAddMiniBottomBar.o-[BWAddMiniBottomBar bounds]-[BWAddMiniBottomBar initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWAddMiniBottomBar.m-[BWAddMiniBottomBar drawRect:]-[BWAddMiniBottomBar awakeFromNib]BWAddSheetBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWAddSheetBottomBar.o-[BWAddSheetBottomBar bounds]-[BWAddSheetBottomBar initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWAddSheetBottomBar.m-[BWAddSheetBottomBar drawRect:]-[BWAddSheetBottomBar awakeFromNib]BWTokenFieldCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWTokenFieldCell.o-[BWTokenFieldCell setUpTokenAttachmentCell:forRepresentedObject:]/Users/brandon/Temp/bwtoolkit/BWTokenFieldCell.mBWTokenAttachmentCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWTokenAttachmentCell.o-[BWTokenAttachmentCell pullDownImage]/Users/brandon/Temp/bwtoolkit/BWTokenAttachmentCell.m-[BWTokenAttachmentCell arrowInHighlightedState:]-[BWTokenAttachmentCell drawTokenWithFrame:inView:]-[BWTokenAttachmentCell interiorBackgroundStyle]+[BWTokenAttachmentCell initialize]-[BWTokenAttachmentCell pullDownRectForBounds:]-[BWTokenAttachmentCell _textAttributes]_highlightedArrowColor_arrowGradient_blueStrokeGradient_blueInsetGradient_blueGradient_highlightedBlueStrokeGradient_highlightedBlueInsetGradient_highlightedBlueGradient_textShadowBWTransparentScroller.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWTransparentScroller.o+[BWTransparentScroller scrollerWidth]/Users/brandon/Temp/bwtoolkit/BWTransparentScroller.m+[BWTransparentScroller scrollerWidthForControlSize:]-[BWTransparentScroller initWithFrame:]+[BWTransparentScroller initialize]-[BWTransparentScroller rectForPart:]-[BWTransparentScroller _drawingRectForPart:]-[BWTransparentScroller drawKnob]-[BWTransparentScroller drawKnobSlot]-[BWTransparentScroller drawRect:]-[BWTransparentScroller initWithCoder:]_slotVerticalFill_backgroundColor_minKnobHeight_minKnobWidth_slotBottom_slotTop_slotRight_slotHorizontalFill_slotLeft_knobBottom_knobVerticalFill_knobTop_knobRight_knobHorizontalFill_knobLeftBWTransparentTextFieldCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWTransparentTextFieldCell.o-[BWTransparentTextFieldCell _textAttributes]/Users/brandon/Temp/bwtoolkit/BWTransparentTextFieldCell.m+[BWTransparentTextFieldCell initialize]_textShadowBWToolbarItem.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWToolbarItem.o-[BWToolbarItem initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWToolbarItem.m-[BWToolbarItem identifierString]-[BWToolbarItem dealloc]-[BWToolbarItem setIdentifierString:]-[BWToolbarItem encodeWithCoder:]NSString+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/NSString+BWAdditions.o+[NSString(BWAdditions) bwRandomUUID]/Users/brandon/Temp/bwtoolkit/NSString+BWAdditions.mNSEvent+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/NSEvent+BWAdditions.o+[NSEvent(BWAdditions) bwShiftKeyIsDown]/Users/brandon/Temp/bwtoolkit/NSEvent+BWAdditions.m+[NSEvent(BWAdditions) bwCommandKeyIsDown]+[NSEvent(BWAdditions) bwOptionKeyIsDown]+[NSEvent(BWAdditions) bwControlKeyIsDown]+[NSEvent(BWAdditions) bwCapsLockKeyIsDown]BWHyperlinkButton.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWHyperlinkButton.o-[BWHyperlinkButton urlString]/Users/brandon/Temp/bwtoolkit/BWHyperlinkButton.m-[BWHyperlinkButton awakeFromNib]-[BWHyperlinkButton openURLInBrowser:]-[BWHyperlinkButton initWithCoder:]-[BWHyperlinkButton setUrlString:]-[BWHyperlinkButton dealloc]-[BWHyperlinkButton resetCursorRects]-[BWHyperlinkButton encodeWithCoder:]BWHyperlinkButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWHyperlinkButtonCell.o-[BWHyperlinkButtonCell drawBezelWithFrame:inView:]-[BWHyperlinkButtonCell setBordered:]/Users/brandon/Temp/bwtoolkit/BWHyperlinkButtonCell.m-[BWHyperlinkButtonCell isBordered]-[BWHyperlinkButtonCell _textAttributes]BWGradientBox.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWGradientBox.o-[BWGradientBox isFlipped]-[BWGradientBox hasFillColor]/Users/brandon/Temp/bwtoolkit/BWGradientBox.m-[BWGradientBox setHasFillColor:]-[BWGradientBox hasGradient]-[BWGradientBox setHasGradient:]-[BWGradientBox hasBottomBorder]-[BWGradientBox setHasBottomBorder:]-[BWGradientBox hasTopBorder]-[BWGradientBox setHasTopBorder:]-[BWGradientBox bottomInsetAlpha]-[BWGradientBox setBottomInsetAlpha:]-[BWGradientBox topInsetAlpha]-[BWGradientBox setTopInsetAlpha:]-[BWGradientBox bottomBorderColor]-[BWGradientBox topBorderColor]-[BWGradientBox fillColor]-[BWGradientBox fillEndingColor]-[BWGradientBox fillStartingColor]-[BWGradientBox dealloc]-[BWGradientBox setBottomBorderColor:]-[BWGradientBox setTopBorderColor:]-[BWGradientBox setFillEndingColor:]-[BWGradientBox setFillStartingColor:]-[BWGradientBox setFillColor:]-[BWGradientBox drawRect:]-[BWGradientBox encodeWithCoder:]-[BWGradientBox initWithCoder:]BWStyledTextField.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWStyledTextField.o-[BWStyledTextField hasShadow]/Users/brandon/Temp/bwtoolkit/BWStyledTextField.m-[BWStyledTextField setHasShadow:]-[BWStyledTextField shadowIsBelow]-[BWStyledTextField setShadowIsBelow:]-[BWStyledTextField shadowColor]-[BWStyledTextField setShadowColor:]-[BWStyledTextField hasGradient]-[BWStyledTextField setHasGradient:]-[BWStyledTextField startingColor]-[BWStyledTextField setStartingColor:]-[BWStyledTextField endingColor]-[BWStyledTextField setEndingColor:]-[BWStyledTextField solidColor]-[BWStyledTextField setSolidColor:]BWStyledTextFieldCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWStyledTextFieldCell.o-[BWStyledTextFieldCell solidColor]/Users/brandon/Temp/bwtoolkit/BWStyledTextFieldCell.m-[BWStyledTextFieldCell hasGradient]-[BWStyledTextFieldCell endingColor]-[BWStyledTextFieldCell startingColor]-[BWStyledTextFieldCell shadow]-[BWStyledTextFieldCell hasShadow]-[BWStyledTextFieldCell setHasShadow:]-[BWStyledTextFieldCell shadowColor]-[BWStyledTextFieldCell shadowIsBelow]-[BWStyledTextFieldCell initWithCoder:]-[BWStyledTextFieldCell setShadow:]-[BWStyledTextFieldCell setPreviousAttributes:]-[BWStyledTextFieldCell previousAttributes]-[BWStyledTextFieldCell setShadowColor:]-[BWStyledTextFieldCell setShadowIsBelow:]-[BWStyledTextFieldCell setHasGradient:]-[BWStyledTextFieldCell setSolidColor:]-[BWStyledTextFieldCell setEndingColor:]-[BWStyledTextFieldCell setStartingColor:]-[BWStyledTextFieldCell drawInteriorWithFrame:inView:]-[BWStyledTextFieldCell applyGradient]-[BWStyledTextFieldCell awakeFromNib]-[BWStyledTextFieldCell changeShadow]-[BWStyledTextFieldCell _textAttributes]-[BWStyledTextFieldCell dealloc]-[BWStyledTextFieldCell copyWithZone:]-[BWStyledTextFieldCell encodeWithCoder:]NSApplication+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/NSApplication+BWAdditions.o+[NSApplication(BWAdditions) bwIsOnLeopard]/Users/brandon/Temp/bwtoolkit/NSApplication+BWAdditions.msingle module  H__TEXT``__text__TEXT 4 4__picsymbolstub1__TEXT __cstring__TEXT T __const__TEXT]]__DATA``__dyld__DATA``__la_symbol_ptr__DATA`|`__nl_symbol_ptr__DATA``>__const__DATA``__cfstring__DATA``__data__DATAhh__bss__DATAh4__OBJCp@p@__message_refs__OBJCpp__cls_refs__OBJCww__class__OBJCxhpxh__meta_class__OBJCp__inst_meth__OBJCH8H__symbols__OBJC@__module_info__OBJC@__instance_vars__OBJC__property__OBJC`__class_ext__OBJCPP__cls_meth__OBJCp__category__OBJC\\__cat_inst_meth__OBJC  __cat_cls_meth__OBJCl__image_info__OBJC  8__LINKEDIT< p@loader_path/../Frameworks/BWToolkitFramework.framework/Versions/A/BWToolkitFramework "Pel H uX P 6 X6xE~ T/System/Library/Frameworks/Cocoa.framework/Versions/A/Cocoa 4/usr/lib/libgcc_s.1.dylib 4}/usr/lib/libSystem.B.dylib 4/usr/lib/libobjc.A.dylib d,/System/Library/Frameworks/CoreServices.framework/Versions/A/CoreServices h& /System/Library/Frameworks/CoreFoundation.framework/Versions/A/CoreFoundation p&/System/Library/Frameworks/ApplicationServices.framework/Versions/A/ApplicationServices `,/System/Library/Frameworks/Foundation.framework/Versions/C/Foundation X-/System/Library/Frameworks/AppKit.framework/Versions/C/AppKit|B}|}cx=R}| x=[LN }cxK|B}h|=kkR}iN |!aLHD@H<^<~<<bpcjblj?~K|exxxK|}x<^bhbj?K|{x<^<~bdb`8RxK|excxxK<^b\K@DHaL8!P|N |H|H(@ x8<8!@|N <]<}`0cW(?K^K8<8!@|N |!LHD|~xH<]<__KTb>(@8@^P<]_8~@KTb>(A<<]_4?xK_0;xK<]_,xxK<]"K<]<}_(_<8xKDHL8!P|N DHL8!P|N |!LHD|~xH<]^(;xK|ex<]^$xxKDHL8!P|N |!aLHD@H<^]C@|}x|CxK(@P<^]8xK|ex<^]8xK@DHaL8!P|N <^<~]]}D}@K|excxxKK|!!LAHaD@<8|+x|}xH<\\?|xK|ex\}D?|K}T<\bc\?|K|zx<\<<\hbce\d?<8LxK|gx8LCxdxxK<\T\8xK8<@aDAH!L8!P|N |!aLHD@|+x|}xH<\[?|K[?|K[K(A\x<\[?K[?K[?xK[K@DHaL8!P|N 8`@DHaL8!P|N |!!LAHaD@<8|3x|+x||xHh<[[T?[KZ?[KY?[K|yx<[<Z|bãEZ?{xK|ex#xDxxK[lx%xK8<@aDAH!L8!P|N |!aLHD@|+x|}xH<\<ZĀZKTb>(@x<\Z?K|{xZ?xKYexK(A\<\Z?xKY?exKYKTb>0b|c@DHaL8!P|N 8`@DHaL8!P|N |!LHDHCL|}x(@(<^<~Xc`;LKxxK<^YԀ}L?KX@KDHL8!P|N cDN cDN |!H|H(@h<]W?xK|{x<]XL~@XHK|excxxK~T~T@DHaL8!P|N ;TK|!LHD|~xH|HT<(AP?<]W|N?KW;NxKxHDHL8!P|N DHL8!P|N |!A\aXTPL|+xH<]a@8B]B<AD8a@VTH(||xA?}<]<}VPBVL8F xK|exxDxK<]<}VPBVH8F0xK|exxDxK<]VD<]8F@xK|X<]<}VPV@8FPxK|exxxKxLPTaXA\8!`|N xLPTaXA\8!`|N |!|+x988@H%8!@|N |!88@H}8!@|N |!|+x88L|;xH8!@|N |! AܒaؒԒВ̒ȓē!Aa|&T@>|3x|+x||xHh<[S܀|@?[K|yxS?xKS?xKS>xKS:KS>~ųxK<[RЀbZ>K|vxSWS >xKS?KS:@K|dxS?~xH끀A@aDHLA a$(,@DHL~óxDxKRK\P|zx(A4<[<{SԃSxxK|fxxxExK<[S?xKS?KS?KS?KS?KR;K|wx<[888SK(AA:(:A|uxAB|@A ~xH鵀A|P~.(A<[Rx~xFxK<[R::)Cx~xK@<[S888~xK(@d?SĀ|@>KS>KR>K|txS>{Ex&xKS|@?[~xKS?[xKS?[K|dxS8aPH=X<[x?[\>|>{|@S>[KS>KRK|vxS|tZUSAx|A $x|K|ex~óxDx&xKSx|@~ųxKRxxK|}xSĀ|@KS@xK(@<[S?[xKS?[K|yx<[R@BR8a`H9A`adA a$`d#xDxxKP(A?SĀ|@?KS?[KR?;K|xx>SS>xKS>KS>K|exx~ijxxKS|@>xKS|@?KS?KR?[K|vxS8S|ZS:hxKS>K|dxS~xHApatA a$ptx$xK|ex~óxxxKSx|@~ųxKH<[S|@?[KS@?;xK|dxR8aH<[S?;xKS?;KR?;AA $?>xKSĀ|@?KS@?[xKSKSKRK|~xStK(AD(A<8@A<{A8A8A8AAAASxK(AAB; (;A|xxAB|@A xHA|P~.(A@<[<{SԂR>xxKSK|fxx~ijx~xK<[S>xKS>KS>KR;;9)~xK@T<[S888xK(@\P(A<<[<{SăR|@?[KS@xK|exxxK<[S?xKS?KRK<[S|@KTb>(AT8@AH<{AL?AP?[AT;!hAX;A\:HA`AdSxK|vxSK|~xS~x&xxK(AAPB; (;A|xxAPB|@A<[S~óxKHAL<{~.S>~xKSpxKTb>(A<[S>xKS>K|tx<[S S~xK|ex~x~xK\P(AD<[S>xxK|tx<[S S~xK|ex~x~xK;;9(@<[S88H8hxK(@ЀT>| aA!ĂȂ̂ЂԂa؂A8!|N T>| aA!ĂȂ̂ЂԂa؂A8!|N T>| aA!ĂȂ̂ЂԂa؂A8!|N |!@!Aa|~xH<]<}H0cO;K8<]xKH<]89pKTb>(@<]H>xKH<]89KTb>(@\<]H>xKH<]89KTb>(@,<]<}HKX(A0<\<|FF}@?\xxKF;@K|excxxKA@<\AD?AH?|AL;!`AP;AT:@AXA\FxK|zxFK|~xF~x&xxK(A$AH;`";(:A|wxAHB|@A<\FCxKH݁AD<|F|~.>~óxK|tx<\FFH>|xKE:K|ex~x~xKTb>;((A~۳x@p<\F88@8`xK(@8?F?\xxK|yx<\EBE?cxK|ex#xDxKF;xxKFxKaA!ĂȂa8!Ѐ|N ?F?|xxK|zx<\E}@bE?K|exCxdxKF;xxKFxKaA!ĂȂa8!Ѐ|N ;`K|!!A a|~xH<]<}BtcJ$?KC?KBh?KCd||xxK(A8@A8<}A~xKC<]83KTb>(@<]CH>~xKC<]84KTb>(@\<]CH>~xKC<]84KTb>(@,<]<}CHCD~xK|exx~ijxK;;9(@<]Cl8888XcxK(AK8@A<}A?}A;AA; A;AAACLxK|wxClxFx'xK(A8Ab;@(; A|yxAB|@A<]CLxKHɀA<}.CH>xKC<]83KTb>(@<]CH>xKC<]84KTb>(@\<]CH>xKC<]84KTb>(@,<]<}CHCDxK|exx~ijxK;9;Z(@<]Cl888~xK(@xaA !8! |N |!!lAhad`\X|~xH<]?p?K??K|dx?l8a@HH<]P<}L?TcFt?K|yx?L?exFxK?(~@%xKX\`adAh!l8!p|N X\`adAh!l8!p|N |!@!Aa|+x|}xH8@A@<|AD8`AH8AL8@APATAXA\}D>cxK(AAH;@";(:A|wxAHB|@A }DHuAD<|=|b.:xKTb>;((A;@@<\>88@8`cxK(@|WB>(Ah<\<|>>}D;`xK|exxxfxKaA!8!|N aA!8!|N |!@!Aa|+x|}xH8@A@<|AD8`AH8AL8@APATAXA\}D;((A;@@<\(Ah<\<||~xH8@A8<A#xxK<]88;Z;{)#xK@<]9p8888\xK(@dT>| aA!8!|N T>| aA!8!|N |!A\aXTPL|+x|}xH<\7?|K|zx7lK(ACxx<\7d?K7?K|{x@8^?|B<AD8a@7`?exHρ7\}@exKLPTaXA\8!`|N LPTaXA\8!`|N |!0̒ȒĒ!Aa|+x|}xH<\<|5c=d?|K6?|K5;`Ka@<\aD?\aH?<aL;daP:aT:@aX|uxa\6xK|{x6K|zx6~ųxx~xK(A$AH";(:A|wxAHB|@A<\6cxKHͽAD<|~.6>~óxK6T<\8'8KTb>(@x<\6>~óxK6T<\8'HKTb>(@H<\6>~óxK6T<\8'XKTb>(@<\6~x~ųxK:;(@$<\688@8dCxK(@<\6X~xK(A<\6P?|~xxK|~x6?|xK6?K6xKaA!ĂȂ8!Ѐ|N 8`aA!ĂȂ8!Ѐ|N |!aLHD@<8!4A0a,($ |&T@>HC@|}x(@8]P(A,<^<~<+D3̃3;`xK|exxxK||xaX<^a\8xa`8ad8Xahalapat3K(AA`b;@(; A|yxA`B|@A xHA\<~<.38d$H|exx~xKTb>(A8@xxK;9;Z(@<^388X8xxK(@\<^3<^8b$H]|exxxKTb>(A<^3?xxK3}@?K3lK(@d<^<~33}@?^xK3?^K|dx38a8HMA@aDA a$@DcxxK<^<~<3c:#8K|{x<^<~<3C3%3?xK3K|hxcx$xxFxxK8@A<~A?A;aܐA;@A;!A̐AАAԀ3xK|xx3%xfxGxK(A؀A;`(;@A|zxAB|@A<^3xKHșA?><~33~.D>~óxK|ex~x~xK343H;Z~óxK|fx;{)~x$x~ųxK@p<^3888xK(@8<^3?xxK3?xK3Ԁ}@K(A(<^3}@?K3lK(@<^<~3܃38xK|exxxK<^3<^8b$He|exxxKTb>(@T>|  $(a,A0!48<@DHaL8!P|N <^<~<3ԃ3Ѓe3]D}@K|exCxxK|exxdxKK@<^3}@?K3?~K2?^K|yx?33>xK3>K3>K|tx3Ԁ}@>~K|fx#x~x~xK3|}@>%xK3x}@?>K3?K2?~K|wx3Y3t:83;HxK3?K|dx3xH5APaTA a$PTxDxK||x3Ԁ}@K|fx~x$xxK3p}@~xKT>|  $(a,A0!48<@DHaL8!P|N |!A\aXTPL@H<^a88B4B<A<8a8-4H(|}xA?<^+b3?~K-0;@DKxExK<^+b3;HK-0;`KxxKÓ}T8@]P<^-,<^xxK<^<~-(-$ pxfxKx@LPTaXA\8!`|N x@LPTaXA\8!`|N |!!\AXaTPLHH<^a@8B3TB<AD8a@+?Hå||x?~<^<=+{2L8D848$;@HxK|yx<^<<=>+{2L9d88D8TIxK|}x<^+x%xKTb>(AxxHLPaTAX!\8!`|N |!!\AXaTPLH|+x|}xH<\@8B2(AX<^)?xK)<^8Kp@(<^"<^<~))D8xK<^)?xK)KTb>(At<^)?xK<^))KTb>(AD<^)?xK)8K8DHL8!P|N 8DHL8!P|N <@`B@C8C N |!LHH<^a@8B/B<AD8a@(H(|}xAh<^<~((xKTb>(AD<^"<^<~(<'8xKxHL8!P|N xHL8!P|N <@`B@C8C N |!LHH<^a@8B.B<AD8a@'(H(|}xA@<^'X?xK'T8KxHL8!P|N xHL8!P|N |!<~(8CA <^8Bb<8!@|N 8`N N |!\XT|~xH<]<}&x,8aHHL<];&|xKTb>(A<]<}<"840?\| Aa $8@9@| A8A@=9@HTX\8!`|N <]<}<"@,<<]| a $9@9`| a8A@"9@HqTX\8!`|N |!!\AXaTPLH}^Sx|+x||xHh!<[!<[*?[$?;xK#8KTb>;A(A4<[$<@A A8A(A0<[<{$؃#$xK|exx$xK|}xx<[@8B,B<AD8a@$ЀZ A$(,0: xHHLPaTAX!\8!`|N |!\XT!PALaHD@#x~xK8 H!|)$?>K|wx!!|8xK|ex?>~x~ijxK8Ha!|)$?>K|wx!!|8xK|ex?>~x~ijxK8$H!|)$?>K|wx!!|8xK|ex?>~x~ijxK8Hـ!|)$?>K|wx!!|8xK|ex?>~x~ijxK8H!|)$?K|{x!X!|8xK|ex?cxDxK8HQ<^?#h})T?K# ?~K8H%<^<<~#d})TBp%x?K# ; KxH<@DaHAL!PTX\8!`|N |!!\AXaTPLH|~xH<]<}܀c&?K ?K?K|{x <]@8B(B<AD8a@ ?]H|excxxK<]<}?< c&<: ԃEPK|ex?]cx$xK<] TxK|excxxKcxHLPaTAX!\8!`|N |!H|HA!|x< !|<*|8'dH(AT<]?xK$`(@?txK@DHaL8!P|N <]<xKTb><}(8C8A <]8B4b@DHaL8!P|N <]<}?pB |# xK@DHaL8!P|N 8`N N |!!\AXaTPLH|~xH<]<},c"?Kd?K ?K|{x<]@8B%0B<AD8a@?]H|excxxK?<]\" xK|ex?=cxDxK4?]xKTb>z#(@<]<0<" $ K|ex<] ?]?cxxK؀cxKcxHLPaTAX!\8!`|N <]<?" $ K|excxxKK|!lhd`\!XATaPLHDH<^<~<<xc!Ht!?~K|exxxK|}x?p|!?^K|yx?<^lh8 xK|ex>#x~xK8 Hp|!?>K|wxlh8 xK|ex?>~x~xK8,HMp|!>K|uxlh8 xK|ex>~x~xK8(H p|!?K|uxlXh8 xK|ex?~xDxK8$H?v ;@ExKy,?>ExKw(?ExK}$?ExKTx!@?K;KxHM<^<<~Px!@B\%d?K;KxH<^pb!L?K?K8H<^|}8@A8<@A<8A$ 8x|\4;@xKWz|Tc>}.(A<]xK(@<]xxKTb>(@<]xK(@4<]xxKTb>(@<]xK(A<]xxKTb>(A<]xK(AX`lptaxA|8!|N ?<]bP?PAT A$;^ A(,04TP>^ 8 pKX`lptaxA|8!|N ?<]bT?PAT A$;^ A(,04TP>^ 8 pKX`lptaxA|8!|N ?<]bL?PAT A$;^ A(,04TP>^ 8 pKX`lptaxA|8!|N <]<}cX<]PT $B9` (,04TP"B a8 pKX`lptaxA|8!|N |!aLHD@}>Kx|}xH|xtp<\l;apKTb>(A<\p;*<\88BhB<A<8a8T[ A $(, xH@DHaL8!P|N |!|x!tApalhd`|3x|#x||xHhA!<[tAxKTb>;!(A<[X;p?{\8X(yYy (a,A0a49Y A8xxH%`dhalAp!tx|8!|N <[<{hcP?Kd;K|wxH ~xxH<[P8BpB<AT8a@(8PY A(,049Y A8xH]~xHu@DHL `dhalAp!tx|8!|N |!<~(8CdA <^8B`b<8!@|N 8`N N |!p!Aa|xth|~xH<]\K(A8;|{x<]X8K<]?]cxK<]8KTb>(A4<]<@A APATaPA$a PTcxK<]cxKTb>(A0<]<}CxK|excxDxK|{x<]<}Tc?]K|yx<]\ P:?]?K<]LZ8?]#x pKH?#xK<]D@8aX\ A$(,0<]< xHAXa\`dA a$(,8@| a048xK(A<]<<8Tb>(@<]"D?[{ Aa $8@9@{ A8A@=X9@HPTXa\8!`|N <]<4HTb>(@<]"P<]{ a $9@9`{ a8A@"X9@HPTXa\8!`|N <]"@?[{ Aa $8@9@{ A8A@=X9@HPTXa\8!`|N <]"L?[{ Aa $8@9@{ A8A@=X9@H!PTXa\8!`|N |!lhdX|#x|}xH!<\P8B,B<AT8a@ 8PAA$,0(<\!HD<\p*D xK(A<\ xK(A<\ xK(A<\ xK(A<\ xK(A<\ xK(A<\ xK(@<\!@*@@DHL Xdhl8!p|N ?!@*@K?!@*@K|!\XT!PALaHD@#x~xK8H |?>K|wx8xK|ex?>~x~ijxK8Hŀ|?>K|wx8xK|ex?>~x~ijxK8H|?>K|wx8xK|ex?>~x~ijxK8H=|?>K|wx8xK|ex?>~x~ijxK8H|?>K|wx8xK|ex?>~x~ijxK8H|?>K|wx8xK|ex?>~x~ijxK8Hq|?K|{xX8xK|ex?cxDxK8H-<^? ̀}?K p?~K8H<^<<~ Ȁ}B%?K p;KxHɃ<@DaHAL!PTX\8!`|N |!!\AXaTPLH|~xH<]<}c l?K?K?K|{xl<]@8BB<AD8a@p?]H|excxxK<]<}?<hc <:E,K|ex?]cx$xK<]0xK|excxxKcxHLPaTAX!\8!`|N |!lhdX|#x|}xH!<\P8B B<AT8a@8PAA$,0(<\!HaD<\p*Dt!@<\*@!H<\*HxK(A<\xK(A<\xK(A<\xK(A<\xK(A<\xK(@4<\xK(@`?!@*@HH<\xK(A<\xK(@<\!@*@@DHL Xdhl8!p|N 8`N N 8`N N |!A\aXTPLH<^a@; ]<~AD;@?~xH]|zx8K8h<^A@}aDxH)CxLPTaXA\8!`|N |!\XT!PALaHD@<|~xH?<]bK|{xxK|@@\<]<}<<c0?}K|exxxK|~x?|8?]K|yx?<]8xK|ex>#x~xK8H|8?=K|wx8xK|ex?=~x~ijxK8HI|8?=K|wx8xK|ex?=~x~ijxK8H|8?=K|wx8xK|ex?=~x~ijxK8H|8?=K|wx8xK|ex?=~x~ijxK8H}|8?=K|wx8 xK|ex?=~x~ijxK8H9|8?K|{xX8xK|ex?cxDxK8H<@DaHAL!PTX\8!`|N <@DaHAL!PTX\8!`|N |!H|Hlhd`8h<a88dc*D|B4a8<@Da $(<{8=TBz|c"8<@D|C.(xHPTXa\8!`|N 8<@D PTXa\8!`|N |!!|Axatplh`XP|~xH<];K^h(@(TB>(A<]8BLH$<]8BPHTB>(@8<]8BX?}B<8a8DxHM8<](?= 2Hq/**H8a@ aX\`d|B4a $<~8TBz}C"9`aX\`da8@|*.9@H=<^xK,A<^xK,A;<^8ahxxHQ<^<~cp?~K?~KAhalptAa $;ahlptHUxK|A|xa8!|N |!<8H<^<~c0?K?K>ffi8<8!@|N |!C\|dx|@A$8@\|+x|ExK8!@|N 8\8`K8!@|N |!aLHD@|+x|}xH<\?|Kx?|xKP|~xxK(@ (A@<\PxK(AL8`@DHaL8!P|N 8`@DHaL8!P|N <\?xKK8Cx|B4TC~@DHaL8!P|N |!<8|~xH|H<(@4x<]K0C|b8<8!@|N 8`8<8!@|N |!<8|~xH|H|B48`TBz|~|#.<8!@|N |!<8|~xH<]KTb>(AL^Z(@\<](A4<]xK(A8<]xK(A(8`8<8!@|N 8`K<]?xK\K8c8<8!@|N |!<8|+xH|H[<h?KdW>(A$8K8<8!@|N 8K8<8!@|N |!\XT!PALaHD@<|+x|}xH<\KTb>(A<\@?|xK ?|KD?|K|zx<\<|<b#>xK|vx<\X?xK|ex~óx~xK|ex#xdxK|fxCxxxKhxExK<@DaHAL!PTX\8!`|N <@DaHAL!PTX\8!`|N |!\X!TAPaLHD@|~xH<]\KTb>(A<]?xK?K?K|{x<]<}<LC%H?xK|wx<]x?xK|ex~xxK|exCxxK|excx$xKxexK@DHaLAP!TX\8!`|N @DHaLAP!TX\8!`|N |!aLHD@|+xH<]$?K|{x<]xK|excxxK@DHaL8!P|N |!!LAHaD@<8|+xH<]<C\|3x|{x|CxKTb>(A@<]<}< c E;\K|ex#xDxKTb>(A<]<}cxKTb>(@8<]|cxKTb>(A<] cxK|@Ap8`8<@aDAH!L8!P|N x?{\xK8<@aDAH!L8!P|N <];cxxKx8<@aDAH!L8!P|N |!!LAHaD@<8|+xH<]<`܀C\|3x|{x|CxKTb>(A@<]<}<hchEl;\K|ex#xDxKTb>(A<]?cxKh?xK||x<]cxKTb>(@<<]@cxK(@ (AH<]@cxK(A8`8<@aDAH!L8!P|N 8`8<@aDAH!L8!P|N x?`{\xK8<@aDAH!L8!P|N <]?cxKK8Cx|B4TC~8<@aDAH!L8!P|N |!!\AXaTPLH@|;x|+x||xHh<[,?[K<[ȀxKTb>(@<[<{(Ā|\KTb>(A<[<{<PcPET<\K|ex#xDxKTb>(@Lxx<[(|\ pK@HLPaTAX!\8!`|N p@HLPaTAX!\8!`|N |!LHD|+x|}xH<\<|考销}\KTb>(A4x<\}\KDHL8!P|N DHL8!P|N |!LHDH<^@|+x||xKTb>(A <^TxKTb(@@<^@xKTb>(AD8`DHL8!P|N 8`DHL8!P|N <^TxKTcDHL8!P|N |!<8H<^<|}xKTb>(@<^@xK<^8xK8<8!@|N |!LHD|~xH<];xK<]xxKDHL8!P|N |!ALaHD@<|+x|}xHxt<\<|<ceă]\K|exCxdxKTb>(@d<\<|,4}\KTb>(@t|@A<\DxK<@DaHAL8!P|N ?xK<@DaHAL8!P|N 8At?,}\$(xK<@DaHAL8!P|N ?xK<@DaHAL8!P|N |!H|HX#x~xK8֐HtՀ݄z$?K|zx݀x|8ѸxK|ex?CxdxK8֔Ht?ߔv֐;xKߔ}֔xK@LPTaXA\!`dhl8!p|N |!|+x988`Ht8!@|N |!|+x988dHt8!@|N |!|+x988hHt8!@|N |!|+x988lHta8!@|N |!|+x988pHt18!@|N |!88pHs8!@|N |!|+x988tHs8!@|N |!88tHs18!@|N |!|+x988xHs8!@|N |!88xHr8!@|N |!|+x988Hs)8!@|N |!88Hr8!@|N |!A\aXTPL|~xH?ڼ~T?}Kڼ~`;{,Kڼ~d?Kڼ~h;A@Kڼ~lKڼ~pKڼ~tKڼ~Kڼ~xK@[ADٰCxHq̓LPTaXA\8!`|N |!LH|~xH<]KTb>(@X<]@8BPB<}AD?(8a@HqIƨ|@&TBhCHL8!P|N 8`HL8!P|N |!LH|~xH|H|~xH<]|?K<]<} xcޠ?]xKא?]K|excxxK||xڤ?}xKTb>(@8a`xHol8@A<}A?}A;AАA; A;AĐAȐÂtt~xK|vxxFx'xK(AA<Ѓb;@(; A|yxAB|@A<]t~xKHnA<}ٴ|b.;9K;Z*(@<]888~óxK(@<] ?}xKא?}K|zx;zxKTb>(A^Z(A;zob<}ALڸ<@C0AH<]\xK <]AHxK(Tb>.x(<12(Al<]<}?}<"Ѐ٨{ްE׸?=K|xx<]|"X{ްxK|excx$xK|fxxDxxK<]ؠt?}xKא~p;`K|zxa<]a?=a;0a:a :a$a(a,~pٌcxK|ux~ųxx~xK(AA<DЃ";::(:A|tx~ӳxAB|@A<]ٌcxKHlaA<}~B.\~p>=~ExKٴ~7K!2HlR*|@@ (!*<]<}<٨cް%׸:sK|ex:}@x~$x~FxK@X<]8880~xK(@<]ٌ~p?}Kר?}K?]K|yx<]<<<bElޘh>Kp<]88K?}K|exxDxK|ex#x~xKא#xK(AX<]B;`<]׈?]#xexK|xx\?]xxKٴ?]K`<]؂>xK|exx~xK؃VxK|exxDxKA @<]<}<٨cްE׸A K|ex>xDxxK?]#xxK\~p?]xKٴ?]K`א(#xKR((A?}{;`<]<}׈ƒ#xexK|zxA @<]א?C0#xKaD<]@`<]"A@($ 2Hj <]אs*#xK8C|@@ (* <]<}<٨cް׸>K|exxxFxKא;{#xK|@A;`<]א;{#xK|@A<]א#xK(@<]A<]<}٬cޠ;`Kap<]at?]ax;a|:a:pa|uxaa~tٌcxK|tx~ųxx~xK(AԀAxB;(:A|wxAxB|@A<]ٌcxKHgŀAt<}\~.~t>}~ųxKٴ>}K!x$<]<٨bްe׸:;)K|ex~x~dx~ƳxK@t<]88p8~xK(@<<]א;`~xK|zxa<]a?a:a:a:Гa*aa쀂ٌ~xK|{x~x~x~dzxK(AA<Ѓ:::(:`A|sx~xA؀B|@A<]ٌ~xKHfeA<}~".\>~x~%xKٴ~K!Hf*|@@ (!*<]<}<٨cް׸:RK|ex:}@x~x~&xK@X<]888cxK(~@<]ٌ~t?}Kר?}K?]K|xx<]<<<bElޘh>Kp<]88K?}K|ex~xDxK|exx~ijxKאxK(AX<];`<]׈?]xexK|wx\?]x~xKٴ?]K@<]؂>~xK|exx~ijxK؃T`~xK|exxDxKA @<]<}<٨cްE׸A` K|ex>xDx~xK?]x~xK\?]~x~xKٴ?]K@א(xK((A?}[;`<]<}׈cxexK|zxAl<]א>C0xKa<<]8`<]"A8($ Hd `<]אR*xK8C|@@ (s* <]<}<٨cް׸>K|exx~xFxKא;{xK|@A;`<]א;{xK|@A<]א#xK(@<]A8@A0<}A4?}A8;APA<; A@;0ADAHALtxK|wxxFx'xK(A(A8<Ѓb;@(; A|yxA8B|@A<]txKHa݀A4<}ٴ|b.;9K;Z*(@<]8808P~xK(@<]אΈ(xK(A<];`<]<}Xcް?]exK|yx\?]x%xKٴ?]Kx$ Ha א*xK8C|@@ (1* <]<}<٨cްE׸?K|exxDx&xKא;{xK|@A@<] ?}xKאK(A<];`<] ?]xK׈?]exK|yx<]<XbްE\?exK|exhxDxK<]ٴKX A<]ڤxKTb>(@?]8axH`58a$xH`<]dx*AaA a$(,#xK^Z(A$<]ڀx%xKTb>(@<]ڸxK*<] ?]xKא;{K|@AtT>| ʁaA!؃䃡胁aA! aA!8! |N 8aPxH^XK>K<]\~p?ExKٴK$K<]\>~xExKٴK$K>Kh?]8apxH^a|8a$xH^EpK$|!0̒Ȓē!Aa|&T@>|~xH<]KTb>(Al<]$?xK4?}Kl?]K|yx ?]xK4?Kl?}K|xx{(ALEx<]?}xKTb>(@0xxK(A<]xxKH#xxK(At<]@?}?]Kd<]Z\(#xxK@88@A8<}A#x~xK@>K!p$<]<4b| aA!ĂȂ8!Ѐ|N <]\?xKxKT>| aA!ĂȂ8!Ѐ|N T>| aA!ĂȂ8!Ѐ|N |!@!Aa|~xH<]K(A<]xK(A<]?xK?}K|zxxKK|@@`8@A8<}AxKx>~xK|ux>x~xK|wx>xK >~xKV>KTb>|@@D;9;Z|@AP?}h8888XxK(|{x@ ;H;taA!8!|N |!`!Aa!|Axatplh`|~xH?<]<Hb؃E?=K?=K|exCxdxK|{x?]Ԁz;K|wxԀz?]K;!::|txHxK||x ~x&x~dzxK(AA<īB; (;A|xxAB|@A<]HxKHUA<}~.hx~ųxKTb>(A<<]>xKTb>(@X8aP~ijxHV\*;;9(@p<] 888xK(@88@A<}A?A;A A ; A;AAAHxK|vx xFx'xK(AA;@(; A|yxAB|@A<]HxKHTA<}.H>xK>xK|sxh>xxK|rx>xKVB>(ATb>(@ 8apxHT|?8@ p$?><]Ѐu؃>]K|qxu>]~exK|fx~xx~%xK?u؃8K|excxxKHTb>(@8axHT!<]?<Ѐx؂>]K|qxx>]~exK|fx~x~x~%xK<]x؃8K|excxxK;9;Z(@0<] 888 ~óxK(@<]?x~xK?x~xKxexK`hlpatAx!|aA!8!|N ?ܫK8a@~ijxHRHK8a`xHRhK?8K8axHR!K|!`Aaxp|&T@>l|+x|}xH<\<|<DcfH]dK|exCxdxK(APx|~x<\<|<DcfH]lK|exCxdxK(AX<\?|K)xK@<\?xK ?xK|?C0K8CAD<\@L<\!@(xK<\Tc>2(@8aXxHQd<\"T$x(2 pHQ=lT>| pxaA8!|N ?ާP plT>| pxaA8!|N ?xKlT>| pxaA8!|N 8aHxHP!PK|!`Aaxp|&T@>l|+x|}xH<\<|<Ѐc(fԃ]`K|exCxdxK(APx|~x<\<|<Ѐc(fԃ]hK|exCxdxK(AX<\P?|K,)xK@<\0?xK?xK?C0K8CAD<\@<\!@(xK<\Tc>P2(@8aXxHNd<\"$x(2 pHNɀlT>| pxaA8!|N ?ޤH plT>| pxaA8!|N ?,xKlT>| pxaA8!|N 8aHxHMPK|!@!Aa|~xH8@A@<AD?AH;adAL;@AP;!@ATAXA\8K|xx%xfxGxK(AԀAH;b;@(; A|yxAHB|@A<]8xKHLMAD<}X|.;9xKTb>0b|C;Z(@<]88@8dxK(@pxaA!8!|N ;K|!pAa|HC[|+x||x(A\<^\?~xK|zx(|dx@ 8aH?~HKT;A \[(@\<^\?~xK|zx(|dx@8ahHKUt<^"A<^|xKTb>(A<^xK<^8xK<^<~x |\KTb>(@|aA8!|N 8a8?~HJ@;@<^(8xK<^xKKd8aXHJm`<^"@<^(8xK<^xKK <^x|\xK|aA8!|N |!A\aXTPL|3x|#x||xHhA!<[<{4Ԁ}\AKTb>8a(A8Ax<4\#C (,!0A4"B 8(A@<]<}< c E;\K|ex#xDxKTb>(A<]<]cxxKxA<]8?cxK?xK|zx?cxKTb>(@8aHDxHGLx*<]8?cxK;K|@@t<]<]|cxxKAL<]8?cxK?xK|~x?cxKTb>(@ 8ax?xHF!|8axHF<]1*cxK(@( xHEypA p!aăAȃ!8!Ѐ|N x?{\ pxK!aăAȃ!8!Ѐ|N pK8a8DxHE8Kh@pK@8aX?xHE!X8ahxHEpK|!0!̓Aȓaē!|+xH<]<C\|;x|{x|CxKTb>(A@<]<}< c E;\K|ex#xDxKTb>(A<]<]|cxxKxA<]8?cxK?xK|zx?cxKTb>(@8aHDxHDLx*<]8?cxK;K|@@t<]<]cxxKAL<]8?cxK?xK|~x?cxKTb>(@ 8ax?xHC!|8axHC<]1*cxK(@( xHBpA p!aăAȃ!8!Ѐ|N x?{\ pxK!aăAȃ!8!Ѐ|N pK8a8DxHB8Kh@pK@8aX?xHB!X8ahxHBpK|!|!xAtaplhd|&T@>`H<^<B\|;x|3x|+x|zx}Cx|ExKTb>(A@<^<~<c%\K|exx$xKTb>(A<^CxK?>xK||x<^CxKTb>(@\<^)CxK@(@ (Al<^CxK(@<^CxKK8C|@@<^(|dx@ 8aPH@\<^;CxxK<^ ?CxK;CxxKx`T>| dhlapAt!x|8!|N 8``T>| dhlapAt!x|8!|N ?z\exxxK`T>| dhlapAt!x|8!|N 8a@H?HK|!ALaHD@<|;x|3x|#xHh<[<\\|zx|CxKTb>(ADxx?{\CxH?=<@DaHAL8!P|N <[B":" : <@DaHAL8!P|N |!A|axtplH<^|+x||xKTb>(Al<^?~xK|zx?~xK$WB>(|dx@|8aPH>A\\(@<^"@<^`8B,B<Ad8a`LxH=lptaxA|8!|N 8a@H=HK|!`a!Aa|xtph`|&T@>\|+x|}xH<\<tpKTb>(@ <\pxKTb>(A p<\xK(A X](@ L<\<|<<(c`E&d`>xK|vx<\>xK|ex~óx~xK|exCxdxK|exx$xK$?|KK(|{x@<\cxK(A ;@<\hxK(@T<\T?<xxK}?KP8K}?KL8K8@A<|A?A;!A;A:A AA(xK|vx~x&xxK(A $A;";(:A|wxAB|@A<\(xKH:A<|~.Hx~xKTb>(A <\xK|@A~x:;(@<\888~óxK(@T(A ?<?xKD?K|wx:xKX?~ųxK?xKl?xK|ux>xK@?~ųxK>xKTy>xKV>((Ap|dxA8a8?<H9D<xKTb>(@<\?<xK|dx8aHH9PWB>(A<\8xK<\?<4y?Ky?K|vx<\0,>xK~óxxK?xK(>K$8@AX>\:`AX\A $>|X\WZ>K()xK|zx$~xxH8!h*x*ptpAt A$ptCxxK yKA8??\<\0ڧB xKxDxxfxK??|?\<\h{ڧb 8K|zx<\0xKxdxxFxKHWB>(A<\8xK<\?<4y?Ky?K|vx<\0,>xK~óxxK?xK(>K$>x:|>|Ax|A $WZ>x|)K(xK|zx$~xxH6!(x(A A$CxxK yKA8??\<\0ڧB xKxDxxfxK?x8xKH8a?<H6E<xKTb>(@<\?<xK|dx8aH6WB>(A<\8xK<\?<4y?Ky?K|vx<\0,>xK~óxxK?xK(>K$8@>A:A$ >|WZ>K()xK|zx$~xxH5!*x*ԃЀAԓ A$ЀCxxK yKA8??\<\0ڧB xKxDxxfxK??|?\<\h{ڧb 8K|zx<\0xKxdxxFxKHWB>(A<\8xK<\?<4y?Ky?K|vx<\0,>xK~óxxK?xK(>K$>:>|A؀ܐA $WB>؀)K(xK|zx$~xxH3U!(x(AaA a$CxxK yKA8<\<|<0çE xKxDxxfxK<\x8xK8@]?<\?|0B; ;xKx$xExxK<\<|<hcE; ?~xK|wx0xKx$xEx~xK0ܧ xKxxxxK\T>| `hptxa|A!a8!|N \T>| `hptxa|A!a8!|N ;@K\T>| `hptxa|A!a8!|N |!LHD|~xH<]88BlB<A<8a8?H0}?xKxKDHL8!P|N |!A\aXTPL|+x|}xH<\?|K|zx@8[܀B<AD8a@xH/Tb>(@8WB>(@T8`LPTaXA\8!`|N 8`LPTaXA\8!`|N ][0b|cLPTaXA\8!`|N |!a쓁蓡!A|~xH<]<}„  sH/Y A sH/E**<@@A<A8a`<]$(,0„8!;xH.d!`hlH-5! xxH-p@!H-!<]8aPAA$(,0?!?}xH.P<TX\T@8@A<`@A<]a<a?e8@ $(,=ȃ048<!AA@KA!؃䃁a8!|N ??8apH,p8axH,|8@A<A<]9`"Ȁ|쀄AA $(,AA048<!Aa@KA!؃䃁a8!|N |!p!Aa|xt|~xH<]8;AaA(a0,$?}!xxH+4xKTb>(@<]<}"hC<]a$"A$ <]`<}<$?}?]; ;*dh*lc0A`dhlA $(,`dhlK,z\ A(,04<\ 8!<@xxK,z\ A(,04<\ 8![>AD<\;#xxH&8>xK|exx~xxK?4>xK|ex8Հx~xK<\0>xK|ex8Հx~xK<\,>xK|ex8Ձx~xK<\(>xK|ex8Ձx~xK<\$>xK|ex8ց$x~xK<\<| >xK|ex8ց4x~xK<\>xK|ex8ׁDxxKڎ<\@{aD<#xH$|exxxK@[AD#xxH$eHLPaTAX!\`dhl8!p|N |!#x~xK8H|,?>K|wx؇8|xK|ex?>~x~ijxK8Hi|,?>K|wx؇8| xK|ex?>~x~ijxK8H%|,?K|{xX8|0xK|ex?cxDxK8H<@DaHAL!PTX\8!`|N |!|+x988tHm8!@|N |!88tH8!@|N |!|+x988xH8!@|N |!88xHm8!@|N |!aLHD@|~xH?~t?}K~x;LK8<]8a8>z4T8a8Hz488a@HD:H:`tL>]P>=T>AHaLPTA a$(,=HLPT=x~xKx~exKÀl~t?~xKz4h~t>K~t:xKd~t>}K~t9XKt=~xKz,;hK|zxtցT>}}{xxH̀z8`X9pxHz8h3o}{xHp*!t*x;x|?=?!Axa|A a$(,x|Cx~ijxKxxKÀl~x~xKz8h~xK~xxK`~xK~xKt~xKt@xKx@xKH??]z,?=K|xx>>z]>=>AaA a$(,==x~xKx~exKÀl~t?~xKzK~t:xKd~t>}K~t9Kt=~xKz,;K|zxtցT>}}{xxHMz@9xH1z@3o}{xHp*!*;x?=?!ԀAȀàЀԐA a$(,Ȁ̀ЁCx~ijxKxxKÀl~x~xKz@h~xK~xxK`~xK~xKt~xKt@xKx@xK~`! a$A(!,048<@aDAH!LPTX\8!`|N |!P!Aa|~xHܐؐԐ<]~t8axHa<]dhlp~xK(AX<]~xK(@?~|~t<@AA`?`@ad?]A`a$A ;!h`d?K~t~|^xh#xxHp!h<]*p(xha|Axa$A x|CxxKlx*ldp*d<]{?xK~x^dhlpA $(,dhlpxKaA!8!|N ?~|~t<@@A@?`@@aD?]A@a$A ;!H@D?K~t~|^x>#xxHyP!Hh*7h$p(*X<]a\hAXa$A X\CxxKlx*ldp*dK|!a|xtp|~xH<]|;K(Ah<]{8aX\A$(9?}xHxht8a8HAXa\AaA8a<@DA a$(,\aX8<@DHyTb>(@(<]xhx8aHHAXa\AaAHaLPTA a$(,\aXHLPTH Tb>(@<]h8BB<Al8ah{\A $HEptxa|8!|N <]`;‚?d8a`{ $Hptxa|8!|N ~tptxa|8!|N ~xptxa|8!|N |!!\AXaTPLH|+x|}xH<\@8BDB<AD8a@v?|H%<\ybx?\xK|ex8idxdxK<\?|y[vx?<xK|ex8itxDxK<\y{vx?xK|ex8ixdxKHLPaTAX!\8!`|N 8`N N 8`N N 8`N clN lN |!LHD|+xH<]a88BHB<A<8a8ulH (||xApx<]<<u\x|8hK|exxxK<]v\8xK8@\hxDHL8!P|N xDHL8!P|N |!\XT!PALaHD@<|~xH?<]sb{K|{xsxK|@@<]<}<<sc{sz?}K|exxxK|~x?r|z?]K|yx?<]rr8gxK|ex>#x~xK8l4H r|z?=K|wxrr8gxK|ex?=~x~ijxK8l0H r|z?=K|wxrr8gxK|ex?=~x~ijxK8l8H ir|z?=K|wxrr8gxK|ex?=~x~ijxK8l(H %r|z?K|{xrXr8hxK|ex?cxDxK8l,H <@DaHAL!PTX\8!`|N <@DaHAL!PTX\8!`|N |!H|Hlhd`8h<a88d| c=ggg(@Alahd`A$a <^9@a`dhlA8@"\9@H!p|aA8!|N 8aPHQT KAlahd`A$a ?8@a`dhlA8@>\D9@Hp|aA8!|N |!aLHD@|+x|}xH<\88BwB<A<8a8m?|H=<\păbm?xK|et8`xdxK@DHaL8!P|N |!<8H<^mD?K<^m@=ZD8K8<8!@|N |!LHD8H|xtp<^<lȀl|}xKTb>(AX<^l?xKl<^Y,8Kp@(<^"Y,<^<~l考lt8xK<^l?xKlKTb>(At<^l?xK<^lԀlKTb>(AD<^l?xKl8K8DHL8!P|N 8DHL8!P|N <@`B@C8C N |!LHH<^a@8BuPB<AD8a@kDH(|}xAh<^<~kLkHxKTb>(AD<^"W<^<~klj8xKxHL8!P|N xHL8!P|N |!\!XATaPLHD|~xH<]<}lcp?Kl?KmxK(A0||x<]lKTb>(A<]mxKTb>(A<]lxK(A<]l?}xK|zx<]<hbpekK|exCxdxKTb>(@<]<}<hcpekK|exxdxKTb>(AH<]m?}xK|zx<]<hbpekK|exCxdxKTb>(A<]<}<hcpekK|exxdxKTb>(@<]lxK||xH?m;CxK(Al?m?CxK|yx<]<hbpk;K|ex#xxKTb>(A?mCxK||x|{xx(@t?mcxxKH<]ixxK<]mxKDHLaPAT!X\8!`|N <]mxKK|!!\AXaTPLH}>Kx|}xH|H?i;`AaA,a40(;@A8aK(||xA8?cxK8c@DHaL8!P|N x<]<gdXK|exxxK@DHaL8!P|N |!aLHD@H;HT<^g ?~xK|}x<^<b|bjeeK|exxdxKTb>(Axx|}x<^<~<b|cjeeK|exxdxKTb>(@ (@lx@DHaL8!P|N |!aLHD@H(|+x||xAp(A<(@<^f;`xexK<^fxexKH\<^f8xK<^f8xKH0<^f;`xexK<^fxexKT<^d8xK@DHaL8!P|N |H|H(ADxx<[c8|X pK8@DHaL8!P|N p8@DHaL8!P|N |!aLHD@8|;x|+x||xHh<[<{ba|XKTb>(ADxx<[b|X pK8@DHaL8!P|N p8@DHaL8!P|N |!LHD|+x|}xHxt<\<|aH`P}XKTb>(AP8At?aH}X$(xKDHL8!P|N <\b`xKDHL8!P|N |!aLHD@|3x|+x||xHh<[<{a_||XKTb>(A<xx<[a|XK@DHaL8!P|N 8`@DHaL8!P|N |!aLHD@8|;x|+x||xHh<[<{`,^Ȁ|XKTb>(ADxx<[`,|X pK8@DHaL8!P|N p8@DHaL8!P|N |!ALaHD@<|;x|3x|+x|{xHH(ADxxx(A<xx<[^؀|XK@DHaL8!P|N 8`@DHaL8!P|N cXN |!|dx8@X|+x|ExK8!@|N CR|CtN RN CP|CtN PN CQ|CtN cTN |!LHDH|xtp<^a88BfhB<A<8a8ZAt|xpA$,( t|xpH}(|}xAp<^<~^cb?K^?K_;xxK<^_xxKxDHL8!P|N xDHL8!P|N |!p!A|axtpl`XH<^<~??Gd#H[X|aH?~@pK[?^K8RH<^[X|aH"H?^@pK[;ZRKDxH<^[X|aH"G?^@pK[;:RK$xH<^[X|aH"H ?>@pK[;RKxHU<^[X|aHH$? x@pK[:RK~xH![X|aH> x@pK[:RK~ijxH<^[X|aHBG> pK[:RK~ijxH<^[X|aH"H(>@pK[:RK~ijxH<^<~Yxcal>K<@?݁wR䁘RR܀R؀^t`B/;@<<A$A(A0A4G\FH,? ?$(!0A48aDAPA8a(A8Ax<YPX#C (,!0A4"B 8cxKVx(((|dx@8aH?>C0x**?Y8adxH?Ap ăaȃA8!Ѐ|N <]<}X,V{XKTb>(@l<]BE":" : ăaȃA8!Ѐ|N 8apHpKx?X,XCxxHăaȃA8!Ѐ|N |!aLHD@|~xH<]W?K|{xWK|@@cx<]S8K<]88B^B<A<8a8S|HՃ@DHaL8!P|N |!a|xtpHQ<^<BSPUT>(||x@8aXx|ExH`<@Ah;`AlahA$a hlxxK<^bK<^U\8xKptxa|8!|N 8a@x|ExHH<@AP;`ATaPA$a PTxxKK|!lhd`!\AXaTPLH@80!(|~xH<]Q\?KQK(A;?}Q\?]xKQ;@ExKA?=A;ؓA:A:A|uxA̓AГAԀQ\xK|{xR ~ųxx~xK(AĀAB; (;A|xxAB|@A<]Q\xKHA<}~.U>~xKQ<]8F|KTb>(@4<]U>~xKQ<]8FKTb>(A>R8aX~xH!R`X8ah~xH Rp!h8ax~xH<]<}x"? UQ*op*~xA~xA8~xK>R8a~xH>U8axH!>U*/p*AP8~xK~ճx;;9(@<]R 888cxK(@L(Ad<]U?}~xKQ<]8F|KTb>(@<]U?}~xKQ<]8FKTb>(@!(08@HLPaTAX!\`dhl8!p|N !(08@HLPaTAX!\`dhl8!p|N 8~xKKh8~xK~ճxK\| A a$(<]<} B?D#? 8aH<]<}<RT؃J8a~xH!8*Aa $PA(a,04T! A$8<@xxK!(08@HLPaTAX!\`dhl8!p|N |!P!Aa|~xHܐؐԐ<]P;xxH午^Q(@Ѐ\| A a$(<]<} B:4#:,8aPHP`TdXh\l<]<}OcE<]`dhl $(,";`dhlK^Q(@@<]<}OcE8@ (,048<\ 8A(A <@@Ap<]?}"EQ <]aptx|a $(,?]ptx|:dxKApatx|Aa $(::4ptx|8a@pH<]"EQ AaA a$(,xK<]Q\| A a$(, xK^Q(AaA!8!|N <\ |<]a`b:dd*!hlKp<]<}OcE8@ (,048<\ 8A(@H<@?]`]dxHL8!P|N xHL8!P|N 8@]`]dxHL8!P|N |!\|~xH|HL|~xH<]D`?KG ?K<]GDC;KTb>(Ah?}D`?}xKG ?}KGDKT{>(A4;`<]<}Fc;<] $(,"0 ?]K?=<]D`F;:xK\ A(,04:<\ a8<@>~xx~x~xKD`F;WsxK\ A(,04)<\ a8<@~xx~ųx~ƳxKD`YF4;xK\ A(,04<\ a8<@#xDx~ųx~ƳxKA?]?=<]D`F;:xK\ A(,04:<\ a8<@>~xx~x~xKD`F;xK\ A(,04<\ a8<@~xx~x~ƳxKD`YF4;xK\ A(,04<\ a8<@#xDx~x~ƳxKWb(@<]D`?}xK<]GxCKTb>(A<]D`?}xKGxKTb>(Ax<]<}<D`cFE;; xK\ A(,048<\ a8!(@LT>| PTXa\A`!dhlptxa|8!|N ;`K?]?=<]D`F;:xK\ A(,04:<\ a8<@>~xx~x~xKD`F;xK\ A(,04<\ a8<@~xx~x~ƳxKD`YF4;xK\ A(,04<\ a8<@#xDx~x~ƳxKKh<]<}<D`Fe;;@xK\ A(,048<\ a8| PTXa\A`!dhlptxa|8!|N |!<~(8C5A <^8B5b<8!@|N |!<~(8C4A <^8B4Āb<8!@|N |!!\AXaTPLH|~xH<]<}:cBt?K;?K:?K|{x(+4K|ex<]+@cxDxK<]4\;cxKcxHLPaTAX!\8!`|N |!`!Aa|xph`H<^<~??'<#';0|A ?~@pK:?^K82Hѽ<^;0|A "'?>@pK:;2KxHэ<^;0|A '? x@pK::2K~xHY;0|A > x@pK::3K~ijxH-><^9PbAD>K<@?݁w3222>L`B/;@<<A$A(A0A4'4F(? ?$(!0A48aDAPAp x`K82HЉ<^;0|A "'?>@pK:;92K$xHY<^;0|A "'?>@pK:;92K$xH)<^;0|A B(?> xK:;92K$xH<^;0|A B'?> pK:;92K$xH<^;0|A B(?> xK:;92K$xHϙ<^;0|A "( ?>@pK:;2KxHi<^?>ty2'D?> K:;92K$xH5<^;0|A "($?>@pK::2K~xH>ty2?> K:;92K$xH<^;0|A B((?> xK:;92K$xHέ<^;0|A "(?>@pK:;y2KdxH}<^9PbA,?~K:?~K82HU<^;\{2<@AX<A\?XA$ (,X\K;0|A >p2 p@xK|exxxK`hpx|aA!8!|N |!|!xAtaplhd}^Sx|+x||xHh!<[6?[xK5`<[8&KTb>;A(A4<[6<@A A@ADa@A$a @DxK<[6xKTb>(A<[9xK(@<[6xK(AT<[<{9ȃ#6?xK|exx$xK|}x98K<[<{7c.\K<[X8B@ԀB<{A\<[6<{  $(B" #"8aHHـAHaLPTA$a(,08aXHLP!TxxxH5dhlapAt!x|8!|N |!\XT|~xH|H!̀c<aL8a848H!$,0!(?!?H˕A8a<@DAa $(] 8<@D< xHɕTX\8!`|N |!\XT|~xH<]H8B=܀B<AL8aH6(?AA$,( Hʍ3xKTb>(A;<]<}4 c+h?K68a8\ A$(,0;< xHUA8a<@DAa $a8<@DxHȝTX\8!`|N TX\8!`|N |!!AܓaؓԓГ!Aa|&T@>|3x|+x||xHhA$! <[3A(Aa$ A(a0,$;!!$ ;p#xDxHAa$ A a($,$ V>xHƽp0(!t!!x! !|!$AL<[5LCxKTb>(A<["*H(<["@*H<["@*<[ 38a`Y A$(,0W>9 )DxH`dhl APo\?C0X?!X(V>(@?=,(*HL?[?3x8 >K3o€oA<D?C0K8@<[3x8 K8!@3x(x(K$p$V>(@H9 O*.*1(`<[<{5Hc80?K|}x<[5D>?K5@**?AaA a$?[?{xK5| aA!̃Ѓԃa؃A܃!8!|N ?,(p*PTK09.*/*A(`K|!`!Aa|xph|+x|}xH?|1D;@ExK<\1@?<K1DlxxExK1K+?<K|vx1L?K.(y3 K|yxT!P?.$W>|^4>: p@xK<\Wz|14|%.xP#xK.$@pP#x xK<\.?#xKP!T?AXA\!`d1DxExK10AX\`dA $(,X\`dK1H~óxK~óxhpx|aA!8!|N |!l!hAda`\XT|+x|}xH<\+l8a8xH(A8<\!h8aPxH<\!XAb(?\!h8a`xH]!hd8apxHI|;*(!AaAa $aHTb>(@t<\%9 AaA a$(,xxKaA8!|N aA8!|N |(@A |(@@|(@8`A8`N 8`N |!LHD|~xH<]#@?K$<]8xKDHL8!P|N |!LHD|~xH<]<} ,c&4?K#?K<] #\8xK<]!dxKDHL8!P|N |!H|H(A<\<|c$?|K?|K|zx<\"\b?<xK|exxdxK"X?xExKxExxKHLPaTAX!\8!`|N HLPaTAX!\8!`|N |!A\aXTPL@H<^<~?? D# H8|#(?~@pK?^K8 H<^8|#(" L?^@pK;ZKDxH<^8|#(" P?@pK;KxHe@LPTaXA\8!`|N |!p|!xAtaplhdX|~xH<]8a@AA(0,$?!xH]xKDa@|\|@l|zx; <]CxxKTb>(A4<]8aH>xxHT7d<]*T?x",>KDx",>K8>>K>>(t" 46 D>@pK|vx(t"7 H>@pK|ux<]Hb"<>Kl>~ųx~xK<>K<]HLPT $(,"ȀHLPT>KЀx",K;9|@@XdhlapAt!x|8!|N |!LH|~xH|xtp<]KTb>(At8Ap<}@8c$|c<aD8a@ $(, HHL8!P|N HL8!P|N |!lhd`!\AXaTPLH}>Kx|}xH<\p?|K<\8HKTb>;a(@\<\?\xKTb>z(A<\K|zx?<<\b?KL?K>K|vx<\>xK>8|+xK|ex~óx~xK>>~óxExK<\<|<ĀcW5 K|ex>~óxDxKwH?\K|yx<\pB>xK|ex#xDx~ƳxKK|exxK<\;<\!(;8B#;<*8a@@BAD[ A $(, xH1HLPaTAX!\`dhl8!p|N <\<<B%KK |!!\AXaTPLH}^Sx}=Kx||xHh<[88aAA(0,$;@!?;xH\08Y!@<{BADA,8a@!$,(! ;`A8<xxH՛|0HLPaTAX!\8!`|N |!!lAhad`\X}^Sx}=Kx||xHh<[8aAA(0,$;@!?;xHU\08Y蓁P<{BATAa!a$,(! 8aP8A<@;`xxH|0X\`adAh!l8!p|N |!lhdX|#xH!<]H8BB<AL8A88H!$,0!(!||x|CxH^0(@8Ax<}8aP" $(,!0=]" HD!T (p@ (D<]LA<:<8<@D Xdhl8!p|N Ca|CtN aN C`|CtN `N |!LHH<^a@8BpB<AD8a@H(|}xAL<^<~cKTb>(@H<@?]d]hxHL8!P|N xHL8!P|N 8@]d]hxHL8!P|N |!\|~xH|HL|~xH<]P?K?K<]4;KTb>(A?}P?}xK?}K4KT{>(A;`<]<}c<] $(,"Ѐ ?]K?=<]P:xK\ A(,04:<\ a8<@>~xx~x~xKPWsxK\ A(,04)<\ a8<@~xx~ųx~ƳxKPY4xK\ A(,04<\ a8<@#xDx~ųx~ƳxKAP?]?=<]P$:xK\ A(,04:<\ a8<@>~xx~x~xKP(xK\ A(,04<\ a8<@~xx~x~ƳxKPY4(xK\ A(,04<\ a8<@#xDx~x~ƳxKWb(@l<]P?}xK<]hKTb>(A<<]P?}xKhKTb>(Ax<]<}<PcE; xK\ A(,048<\ a8!(Ax<]<}<PcE; xK\ A(,048<\ a8| PTXa\A`!dhlptxa|8!|N ;`K?]?=<]P:xK\ A(,04:<\ a8<@>~xx~x~xKP xK\ A(,04<\ a8<@~xx~x~ƳxKPY4 xK\ A(,04<\ a8<@#xDx~x~ƳxKK|!<~(8CdA <^8B`b<8!@|N |!<~(8CA <^8Bb<8!@|N |!!\AXaTPLH|~xH<]<}cp?K?K?K|{xp<]@8BB<AD8a@t?]H|excxxK?<] ̃\"4xK|ex?cxDxK<]<}<lc\>0K|ex<]<cxDxK<]cxKcxHLPaTAX!\8!`|N |!`!Aa|xph`H<^<~??8#󴀝,| ?~@pK?^K8DH<^,| "?>@pK;HKxH<^,| ? x@pK:LK~xHU,| > x@pK:PK~ijxH)><^Lb @>K<@?݁wPLHD H`B/;@<<A$A(A0A40F? ?$(!0A48aDAPAp x`K8 H<^,| "?>@pK;9 K$xHU<^,| "?>@pK;9K$xH%<^,| B?> xK;9$K$xH<^,| B|?> pK;9K$xH<^,| B?> xK;9@pK;(KxHe<^? py(@?> K;9,K$xH1<^,| " ?>@pK:0K~xH py0?> K;94K$xH<^,| B$?> xK;9K$xH<^,| "?>@pK;yKdxHy<^Lb (?~K?~K88HQ<^X{8<@AX<A\?^XA$ (X\?>K,|  l8?~ p@xK|exxxK<^<T{ P ?~K|exxxK|}xL{ ?K|{x<^<~HD80xK|ex?cxxK8@Ha`hpx|aA!8!|N |!p!Aa|xth|~xH<]xK(A$;|{x<] ?]K<]8,KTb>(A4<]<@A APATaPA$a PTcxK<]cxKTb>(A0<]<}@CxK|excxDxK|{x<]<}pc$?]K|yx<]\ l:?]?K<]hZT$?]#x pKd?#xK<]`\8aX\ A$(,0<]< xHAXa\`dA a$(,8@| a048 `hl8!p|N |!|xtp!lAhad`\XP|~xH<]!B**H<]<<d$?]K|exxdxK||x<]Tb?}K|zx<]AP;?}?=K<]L[89?}CxKH?}CxK<]tb?}K`?}xK;LT~> rH(@;<]?}*L<]"똀AHaLA a$<]y a(,04;LH9Y 8>x pKL<]p(L>bT>K|ux^ P6?K<]L^8?~x pKH>~xKAHaLA a$Yy A(a,04LH9Y 8x pK<~xKH~xK<](A;<]<}c?K8a8\ A$(,0;< xH=A8a<@DAa $a8<@DxHTX\8!`|N TX\8!`|N |!lhd`!\AXaTPLH|&T@>D|~xH<]p;xxHY<]?}xK|zx?}xKKTb>(@ <] xK|{x<]H?=xK?=K<]B)|CxK@hTb>(@ <]?=xKlK\| Aa $8| HHdTb>(@ D<]?=xKlK\| Aa $8| H<]?=xK|xx9 <]8bHa|exx$xKTb>(A <]?=xKH?=KK(A `; >\<]?xKH?K|wx%xK|@@>; \| A(a,04;<\ 8!Cxx&xK>\| A(a,04<\ 8<@Cxx&xKxKKTb>(@ \| ,A0a4(:; <\ 8Cxx~xK>\| A(a,04<\ 8<@Cxx~xKxKKTb>(@ \| A,a04(; <\ 8!Cxx&xKĀ\| A(a,04<\ 8<@Cx%x&xKă\\| A(A,a04<\ 8!<@cx%x&xKă\\| A(A,a04<\ 8!(A\| A,a04(; <\ 8!Cxx&xKĀ\| A(a,04<\ 8!<@Cxx&xKĀ\| A(a,04<\ 8<@Cx%x&xKĀ\| A(a,04<\ 8\?:\| A(a,04<\ 8<@Cx%x~xKĀ\| A(a,04<\ 8| HLPaTAX!\`dhl8!p|N <]xKK4<]?=xKlKK|<]?=xKlKK\| ,A0a4(:; <\ 8!<@?Cx%x~xKĀ\| A(a,04<\ 8| HLPaTAX!\`dhl8!p|N |!0A̒aȒĒ!Aa!xH;C\||x(@<^?~xK$?~K<^Te>Pb(@ <^88ڀ(@?~(xK|{x?<^lb ?^K?>K`?K|wx>><^Pv<8K|ex>~xxK<^<~<pc@84tK|ex>~xxKltH?K;@K`>K|sxx?AX>^\<^X$ >X\xK؀v<>K鐂 pK|ex~cxxK8?~x~exKlx?K8?ex~xK`;a`K|yxL<^} a$(? pcx$xHxH{Uh=Ҝl= !H{u!p1H{e!t<^HApatA a$pt#xK!xaA!ĂaȂA8!Ѐ|N  = !HP<^<~<LTPc8pKK<^@8ڀDKK|!LHH<^a@8B B<AD8a@4Hy(|}xAL<^<~开cKTb>(@H<@?]\]`xHL8!P|N xHL8!P|N 8@]\]`xHL8!P|N |!\|~xH|H#xdx~x~xKă|t6>xKAA,40(?Aa8<@!:#xdxx~xKă|t6xKAA,40(Aa8<@!#xdxx~xKă|txKAA,40(Aa8<@!xdx~x~xKătvxKAA,40(Aa8<@!cxx~x~xKătxKAA,40(Aa8<@!xx~x~xKX\`adAh!lptx|8!|N |!H|H!plhd=dlph$(  x@pK4;KxHr<^܌||"?@pK4:K~xHr<^܌||">@pK4:K~ijxHr<^<~ڬc>KWԁxЁ̀Ȁߨ=?;@<<A$A(0A4ȐF? ?$(!0A4a8ADAP|~xH8@AX<A\?A`;a|Ad;@Ah;!XAlApAtK|xx%xfxGxK(AA`;`(;@A|zxA`B|@A<]xKHpA\<}<ظ$~.8a@~xHpuH<@AP;ZAT;{aPA$a )PT~x$xK@|<]88X8|xK(@DT>| ăȃãAЃ!ԃ؂8!|N T>| ăȃãAЃ!ԃ؂8!|N |!LHD8|~xH<]<}考(~? pK<]$0~ p8K<]<}א׀~KTb>(A8<]א~8K8DHL8!P|N 8DHL8!P|N |!\XT!PALaHD@<|+x|}xH?|?\zL?<K,?K>K|vxzL?|K,;DK?K|{xh;Tx~ųxxKhxexxK<@DaHAL!PTX\8!`|N |!LHD|~xH<]<}<"H~ĨK<]<|8|;x|;xKDHL8!P|N |!LHD|~xH<]<~$8K<]ٴ|KDHL8!P|N |!LHD|+xHC ||x(A|<}<@Ԭ|CxKTb>(AXx<]<}@<| K(Ad?8xxKDHL8!P|N <]8xxKDHL8!P|N DHL8!P|N c N cN cN |!A\aXTPL|+xH<]a@8B B<AD8a@PHk!(||xA?}ӌ<]8LxK|zxӌ<]8\xK|~x?Ӵ;`CxKxexKÀӴ;xKxxKxLPTaXA\8!`|N xLPTaXA\8!`|N |!|+x88|;xHj8!@|N |!|+x88|;xHje8!@|N |!|+x88 |;xHj58!@|N |!H|H(@4<^l8xKxHL8!P|N xHL8!P|N |!aLHD@|~xH??}K<];8K?xK<]լKTb>(ADx<]?Kլ8K@DHaL8!P|N @DHaL8!P|N |!LHD8H|xtp<^<($|}xKTb>(AX<^D?xK<<^¼8Kp@(<^"<^<~H8xK<^D?xK8KTb>(At<^D?xK<^4$KTb>(AD<^D?xK48K8DHL8!P|N 8DHL8!P|N <@`B@C8C N |!LHH<^a@8BۀB<AD8a@ΤHf5(|}xAh<^<~άΨxKTb>(AD<^"<^<~̀X8xKxHL8!P|N xHL8!P|N |!aLHD@|~xH??}K<];8K?xK<]҄KTb>(ADx<]?K҄8K@DHaL8!P|N @DHaL8!P|N |!LHD8H|xtp<^<|}xKTb>(AX<^?xK<^¹d8Kp@(<^"d<^<~ ̬8xK<^?xKKTb>(At<^?xK<^ KTb>(AD<^?xK 8K8DHL8!P|N 8DHL8!P|N <@`B@C8C N |!LHH<^a@8B؈B<AD8a@|Hc (|}xAh<^<~˄ˀxKTb>(AD<^"<^<~ˤ08xKxHL8!P|N xHL8!P|N |!\!XATaPLHD|3x|+x||xHh<[<{c\?[K|yx<[lBh?xK|ex#xDxK|zxd?;xK<[`\?;xK|exCxxK<[Xˀ?xK|exCxxK<[<˄bT?K|exCxxK<[PL?xK|exCxxK CxKDHLaPAT!X\8!`|N |!PAa!Aa|ph|&T@>d|+xH<]<}Xcπ?KT?K<]DŽb$?Kȼ?Kx?K|{xT?@@?@@AD<]@A$ @Dp$K<]ɔ8cxK<]; cxK!H<]!LP?@`!T*X>\>vϤ̼>K|tx̴>}AHLA $<]HLpK̰p$APaTA a$>]PTW>~xK̰)AXa\A a$X\~xK̰AHaLA a$HL~xK!HLPTXA\̼vϤK|~x̴AHLA $HLK̰APaTA a$PTxK̰AXa\A a$X\xK̰AHaLA a$HLxKrT@<]h?K<]̨<`?K?K?xK<]<}c<~xK<]cxKcxdT>| hp|aA!aA8!|N <]?K<]̨T@.TP>H,@8K8!@|N 8KK|!!Aaܓؓ|&T@>}>Kx|}xH<\<|cT@.P>TBP>,|{x@<\?<<|±ɰc?Ex pKɰx?x pKɰxex pK<\ɨ?xKɤ9888K<\"@<\"AT>| ȃԃ؃܃aA!8!|N <\?<<|±ɰcx?Ex pKɰx|?x pKɰxex pKK<\<|<<<<tcxD|%ɸg?KŘ?K?Ѐ}$?K<}$?K8 K<\ɴ?CxKȀ}$KT>| ȃԃ؃܃aA!8!|N |!H|H$&%T@.'P>T@.P>TP>,A8<a88d̨cK>Ex&xK8 HT<^<<D|ĜbxE(&,?^pK|yx<^<D|Ĝz0B4%8?^pK|vx̀x;ZK>%x~ƳxKDxHTM<^D|ĜU<"@?^`xpK|yx<^D|ĜZD"H?^`pK|vx̀x;ZK>%x~ƳxKDxHS<^<D|ĜBL%P?^`pK|yx<^<D|Ĝ:BT%X?^`pK|vx̀x;ZK>%x~ƳxKDxHSE<^<D|Ĝu\B`%?^pK|yx<^<D|ĜzdBh%l?^pK|vx̀x;ZK>%x~ƳxKDxHR<^D|ĜUp"t?^`pK|yx<^D|ĜZx"|?^`pK|vx̀x;ZK>%x~ƳxKDxHRE<^<D|Ĝu8B%?^pK|yx<^<D|ĜzB%?^pK|vx̀x;ZK?%x~ƳxKDxHQ̀xĨ?~K?~K8HQ<^<~<cȃE؃;?K;K$8?><^><^<~"C><^;¶Tc@.P>TBPb>,A<\t!T*T<\<|\c?|KX?|KA<\@x<\?xK|dxD8a@APTX\A$(,0PTX!\HO@PDTHXL\PTX\ hptxa|8!|N |!a\XTPHC$&%TB@.'P>T@.P>TBP>,|}x@P?~@;{{<^aD8a@dHN|{xcxPTXa\8!`|N <^<~c`?K?K?K|{x`<^H;<^L?d8aHHM|ex,cxxK<^?xcxKKL|!|xthH<^a`8BøB<Ad8a`AA$,( HM=(|}xA<^8xK?8a@xHMIH8aPxHM5\<^$"`AT8@]xxhtx|8!|N xhtx|8!|N 8@]xxhtx|8!|N |!LH<^<~􀃭p8a@HLq<^@"<^B* *L8!P|N |!LH<^<~8a@HL<^@"<^B* *L8!P|N |!@!Aa!AaxpH<^<~<<$c\ ?~K|exxxK|}x?|?^K|yx?<^8pxK|ex>#x~xK8HJ=|?>K|wx8xK|ex?>~x~xK8HI|>K|ux8xK|ex>~x~xK8HI|>K|txx8xK|ex>~x~dxK8HIq|>K|txx8xK|ex>~x~dxK8pHI-|>K|txx8xK|ex>~x~dxK8HH逛|>K|txx8xK|ex>~x~dxK8HH|>K|sxX8xK|ex>~cx~DxK8HHa|>~K|rx88xK|ex>~~Cx~$xK8HH|>^K|qx8xK|ex>^~#x~xK8HGـ|>^K|qx8xK|ex>^~#x~xK8HG|?K|{xX8 xK|ex?cxDxK8??HGI<^<~c]< ?K?K8tHG?􀖬8a@HG􀙬D8aHHGL􀗬8aPHG<^T.x*¢*p*<^x8aX;`HGe􀔬X;ahxHGM`􀓬*cxHG5h<^*p*|pxaA!aA!8!|N |!a쓁蓡H(|}xA |#x<^8` |BT:|c.|C|IN ?xxHFY؃䃁a8!|N <^88axxHF\x(Al<^?~xK.rHF)ۧ<^|pAxKp( rHE?P*Hh<^?~xK.rHE<^xxAxKx( rHE?^*] ؃䃁a8!|N <^|x(@8aX?~xHD݀`8ahxHD?<^\<At?~LB((B*d(=}] ؃䃁a8!|N ?ޝ>=> = ؃䃁a8!|N ?ޝ>=> = ؃䃁a8!|N ?~88axHC88axHC88axHCyx(@?\A?> ** (Н=н ؃䃁a8!|N <^88axHB\x(@0<^B\?a!c(]}= ؃䃁a8!|N <^B"=" = ؃䃁a8!|N 8a8?~xHB%@8aHxHB?<^<\AT?~LB((B(d*KH!?Aa(("*Kx<^\?!^a!(K(h4|!a\XTP|3x|#x||xHh<[H8B B<AL8a8X8HHA<[\xxxHA PTXa\8!`|N |!\X|~xH<]88aHxH@^x(A<]<}<"܁؀?AHaLPTAa $8@9@aHLPTA8A@=H9@H=݃X\8!`|N <]<}<"<]aHLPTa $9`9@aHLPTa8A@"HH=aX\8!`|N |!\X|~xH<]88aHxH?q^x(A<]<}<"p䠀?AHaLPTAa $8@9@aHLPTA8A@=9@H<X\8!`|N <]<}<"䠈<]aHLPTa $9`9@aHLPTa8A@"H A8a<@DAa $a8<@DH<5^x(A<]08aH?xH=<]T<<}B*<]#*B0*@d<]`?xK\<]’xKp@?XxKhtx|8!|N ^x(@<]08aX?xH<`<<](<}B(#4*@d<]`?xK\<]’xKp@4<]XxKhtx|8!|N htx|8!|N |!|xthH<^a`8BB<Ad8a`4H;(|}xA<^L8xK?8a@xH;рH8aPxH;\<^$"AT8@]xxhtx|8!|N xhtx|8!|N 8@]xxhtx|8!|N |!A\aXTPL|~xH<]<}cD?K?K?K|{xD<]@8BB<AD8a@H?H:]|excxxK<]?<tb`ܢ\EK|ex?]cxxK<]b4?KTb>~dܢ\(@<]<@<"K|excxxK<]B<}< \cxKcxLPTaXA\8!`|N <]<<"K|excxxKK|!LHH<^<~c?K,?K8H8u<^}8@A@<@AD@A$ @DKHL8!P|N |!aLHD@HCH|}x|(@A8|+x<~?~|CxK;`HxKxexKÀ}H(A$<^<^8KTb>(A\<^<~<c|?KK|exxxK@DHaL8!P|N <^쀽HxK@DHaL8!P|N |!LHD|+xH<]a88B܀B<A<8a8H7A(||xATx<]<<Ť8LK|exxxKxDHL8!P|N xDHL8!P|N |!88HH68!@|N |!LHD|~xH<]Ѐ~H?K88\B<A<8a8H6EDHL8!P|N |!aLHD@|+x|}xH<\88BtB<A<8a80?|H5<\lb(?xK|ex8ܓxdxK@DHaL8!P|N |!LHDH;xH2]||xxxH2mH2 |}xxH2<^0xKDHL8!P|N |!(@<]<}hc?K|{x<]<}<ldE`xK|exxxK|excxDxK<@DaHAL8!P|N <@DaHAL8!P|N c\N |!LHD|+xH<]a88BB<A<8a80H1(||xATx<]<<,ş|8K|exxxKxDHL8!P|N xDHL8!P|N |!|+x988\H18!@|N |!LHD|~xH<]H~\?K88\B<A<8a8#xDx~x~xK<^b?^K=d;AxK|yx tCxxH!ՀAxa|A(a,04x|!A8<@#xxx~xKK??~ [t=`8axH!aAaA(a,04;!A8<@:#xDx~x~xK<^<~c?K=h;K|zx txxH ɃAa(A,a04!A8<@Cxxx~xK̃Ѓԃa؃A܃!8!|N |!!\AXaTPLH|+x|}xH<\@8B؀B<AD8a@?|H?\z?<xK|ex8}xdxK<\z?<xK|ex8}xdxK<\z?<xK|ex8}xdxK<\z?<xK|ex8~xdxK<\z?\xK|ex8~xdxK<\?|[?<xK|ex8~(xDxK<\[?<xK|ex8~8xDxK<\[?<xK|ex8~HxDxK<\{?\xK|ex8~XxdxK<\?||[x?<xK8~hxDxK<\t{x?xK8~xxdxKHLPaTAX!\8!`|N |!2(|~xA,(AP<]"g<]<}{ 8xKxLPTaXA\8!`|N xLPTaXA\8!`|N |!|+x88D|;xH98!@|N |!|+x988HH 8!@|N |!88HHa8!@|N |!P!Aax!p}>Kx|}xHܐؐԐ?|?\wz}?<K{?<K|0?xK}l?K|0?<xK}h?Kz?<xK|wxv9}`8a@xHŀA@aDHLA$a(,08aP@DH!L;~x%x xH}wz}!T?<K}\<\x("d((`zd<\`d $;"`d?Kh8ahY?AlwAԀ܀؀АA$,( ԁ܀؀xH wz}K{K!pxaA!8!|N |!`!Aa|xph|~xH<]u?KudK(A8<]zxKTb>(A?z?}xK{K|vxsȀ{{?K|{x{8w?xK|ux{:xK|fxcx$x~xKs?}K|zxy$b~óxKd!`w|?P?}T?=!X?\APaTX\A a$(,PTX\Cx pKy ~óxK{4y{~ųxK|exzxKhpx|aA!8!|N hpx|aA!8!|N |!A\aXTPL|~xH<]<}qcx?Kr@?Kp?K|{xr<]@8BB<AD8a@r?]H |excxxKx?xexKxxKLPTaXA\8!`|N |!!\AXaTPLH|~xH<]<}p$cw?Kq\?Kp?K|{xq<]@8BB<AD8a@qH|excxxK^1(AP<]wxK(A8<]<}<wpE`xK|excxxK<]<p~H8hK(A?<]p~H;BhExK|yx<]pwcxExK|ex#xxKTb>(@<<]"^<]<}wqP8xK<]wxexKcxHLPaTAX!\8!`|N |!A\aXTPL|~xH?o~D?}Ko~H;{~Ko~@?Ko~<;A@Ko~8Ko~4K@[ADnCxHLPTaXA\8!`|N |!aLHD@|~xH<]88B~0B<A<8a8u H(||xA<]nX~H;`HKxexK?o$~D;`DKxexKÀo$~4;`4KxexKÀo$~8;`8KxexKÀo$~<;`?(\)??zG?%?}?^YYBBBHHA@A?J?*?r?f?>>x?? C0>L>33= >>?@´B?ZH>># >>>AA@>?{?l?s>?= ? =q>B =?'>l>?~?d?Y?z?T?C?8?$?G?>?j?b?]?N>>>>?x>?i><>(? >>>? >?K>>h?y?v?S?dZ1A  4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4a(     P p   K@  @`$$  0P0P0Pp" "   P p $ $/ // 0 0 0 000P0g0p!0!44 4! 404P4p4566 6@6`6::;;0;P;pA@A`AAAA[6G+ H HUJ" J0O0OP'O!OO'P!P0PP)P PP)Q R Sx WWW WXX0XPXdXXX]]$]@]`]]]]G?     ,` H X 0      + > J _( m             0'D H  ` |      7nQp?b+:Ro{J  ?.Y9>R}>.EZ`Yf>IT?!,@TFg08>JRqY'P<@h;F^EZF < Y2&l.F<,EF4FBFT  `4S5Gh !! 1!M!c!t!!!!""9"a-x"k""""#.#?#JN #h#y###$$5$W$$$S$%%:%m86%%%%%& &*&6&D&M&Z&{&&&&&'1f''R'j''-<''''( (2(B(Z(n((((()F)J)U)e))))8)))***'/N*>*R*f*o*******+S00011!1(1:1F1S1111S<1222'20 2F2M2]2g42x332267<|7707G7d77777+8):P888F8V8p888;Fv< Y>>%>0>M>Y>>?F?~ABBLB[BjBsBBBBBBCCC4CWCdCmD#DODDDDDEFGGGGGHH>HLHfB'HI0I<IXIjItIIJKAKUKLLYxL"L1L<LRL`LMMM1MJM_MMMN+N@NMNVNeN|QHQcQQR5RCRRRRRRRSSTT T4TB[T[TnTVTTTTTUU%U8ZUIU]UpUUUUZXXZ:XZFZT[Z$ZYY YPYaYYYYYZZ\DZZZ [ g p+.ULGuF'T[ +8+&+7+J+i2-4+=???C}EFJK^LlSS#S)Q HH Q pH 8!\IPhUPUP d'-6\J(:D0X-m\J:uDlz`G '%CL\JHlX\x++h-\C2|83h4pxl5tU6P8U+J\H:2h-;Ph;:<D 2 @ChD([6C}4HEXl;plXEG FL%HH`H-HdH<HD0HUI PPx2JJdKtKxKUKPUKPH8KLxLhLLLMLl(NNK^|O*[6Q!0@Q<(QQLTQX-S2`SU:SDUUp8V8 Y d'[6[FL4[2Q 02Q p02!02U02U02 02-602:02-m02:u02lz02G '02CL020(2++0<2C20P240d2U602U+J0x2-;P02:<02202C02[6C}02l;p02G F02HH02-H02<H02UI 022JJ02KtK02UK02UK02KL02LL02MLl02NK^02[6Q!0H2QQ02-S202:S02UU02 Y 02[6[F0  $2F         \    2F     `  <    H&!` 385x30 ' 3L*$  -hQRHbQ@Q8 1h 2 4 96H +97\  59 ":Y9=9L,9<9QC ELTF\TQfd9 P, SI@V(,G<9GTQI`SJ,TQJLGhGxKPx5KH Jh Q MRD;=L =@KTGhGxTx5T;=YHY2=@] S`M^l38Rh TGhGx`x5` ``h k0<,lhf$=@` =@c GhGxnx5nGxn`r85(rRs8~38n|5N,tx5dvPTQnM*>38,3L****$*5)30*o3L)38&38"T" ""k "-x 4'\-< ,;d+ \ 9* * D*' /N ,*R +*3L+38!5D! 90%9$59!9X!9P"38h"99$,Y$,Yl&p,m30#y#L#9 $,$W,$,$,%,%:96,%ʸ,%d&9& '3L%m30~@'38}&ZN},%9} %|(29|'38|4(n {(B30z#38z(Z(y|Jy$(,)e,h),<9xTTQ330(23 H2p2x  9038P0383?P1F3L3V5V(,23it1S9192g5\430TTQ0 2g5430`L5(~385N,L5d55530GhGxx5TTQSV(,<9TTQ030<8838083L(8F388V3L:P3877 6, $,\#9 p$,%,! 9$,X$W,%:9 95h8p3L8)  630 738 99 P7,7=@ V(,#<9T(TQ) :D7G3L+HF38+<703L+4<^38+(Y,(%,TQ+P ;=;Fv 4<,=<h 5(,GhGx-,x5-$RI> I0?bIX: I I> I J  J8?.?J` ?J 3LGx38Gl 9JTKTQM8 GC,UCQS0C RD  RC,WCmS8D#EJ[lDOE\D]Y2=@X7G3L_XF38_L703L_D<^38_8Y`8%`TQ_` =@orTFv h<,sh i,4N@N¸N+N NM9ȜNe9V(,TQ8 :h \Q Ҁ 9ҨQМTTQѼRR 4 90SD9ؤS@TTTQ<<9S38 13L =@h T ߈T ߀T xV pT hUV `T4NXTV PTNHU]3L@Tn384UI3L,T[38 Z3L[38 U83LTB38 9dUp<U݀UUULV38DV(,T@TQߐZlX (XZ: hXZF Z3L,[38<lZT ([3LZ$38hZ3LY38Z$38ZT Z3LY38YLZ Z|\D ZF Z: [38X <[3LZ3L ZdXXY2=@Z9<9Y 9h  9Z[TTTQxhxxxy(yXyyyzzHzxzz{{8{h{{{|(\x|X|||}}H}x}}~~8~h~~~(XHxK@K@K@K@K@K@K@K@K@K@K@ K@0K@@K@PK@`K@pK@K@K@K@K@K@K@K@K@K@K@ K@0K@@K@PK@`K@pK@K@K@K@K@K@K@K@K@K@K@ K@0K@@K@PK@`K@pK@K@K@K@5@RbDt+H+LNP2TNX5Nh*R[^T*>NX+NY)NZ&N[+J\/N+`*'+d*+h*+l"+p"k+t-x+x)2|+V-<3$,N42\32`22d33$t2x3$x5Nh42l8FNP88NQ:PNR2T7JXFN\<^N];;`>+:+>Q  Q ?NE4N0FN`<^Na;;dHN\;;\J\JbJnJb*fJ )JNxQQHRQ\ T[^PT[^TT[^XV[^\T[^`T4VdTVhTnNlT[Nm[NnTBNo Z$N0YN1[N2ZT[^4ZF[^8Z:[^<X[^@Z[iD\D+HTo@+-$-<-Q-x-"k-".&.]).).*.*.*'/'/N/X+/*>/*R/2x33333457:8:P:e8F:88::<^;F;@ @+ @l>@:@>@<^;F;*fJJ\JJnKQQRSZ TBVJ[[T[VgTnVTVT4VTVVWTW1TWNTWs X[[[Z:[ZF\#\D\WZ\Y\ZT\Z$\        H `    l9N\l9Vhl9gl9oDl9Xl9Tl9838ll9`l96CCRl9Tl9jl9,KCl9NNNNDl9l9=L =[4=BT=Ut=?=+&= g)=?>c>CF^QFLB'38O4 B4OhB[9RTB Q79Q`Qc ӼRP38ՄRd380Rw38R38Ԉ'384H>38`@` @`@`@`@`@` @`$@`(@`,@`0@`4@`8@`<@`@@`D@`H@`L@`P@`T@`X@`\@``@`d@`h@`l@`p@`t@`x@`|@`@` @`@`@`@`@`@a@a@a @a0@a@@aP@a`@ap@a@a@a@a@a@a@a@a@b@b@b @b0@b@@bP@b`@bp@b@b@b@b@b@b@b@b@c@c@c @c0@c@@cP@c`@cp@c@c@c@c@c@c@c@c@d@d@d @d0@d@@dP@d`@dp@d@d@d@d@d@d@d@d@e@e@e @e0@e@@eP@e`@ep@e@e@e@e@e@e@e@e@f@f@f @f0@f@@fP@f`@fp@f@f@f@f@f@f@f@f@g@g@g @g0@g@@gP@g`@gp@g@g@g@g@g@g@g@g@h@h@h @h0@h@@hP@h`@hp@h@h@p@p@p@p @p@p@p@p@p @p$@p(@p,@p0@p4@p8@p<@p@@pD@pH@pL@pP@pT@pX@p\@p`@pd@ph@pl@pp@pt@px@p|@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@q@q@q@q @q@q@q@q@q @q$@q(@q,@q0@q4@q8@q<@q@@qD@qH@qL@qP@qT@qX@q\@q`@qd@qh@ql@qp@qt@qx@q|@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@r@r@r@r @r@r@r@r@r @r$@r(@r,@r0@r4@r8@r<@r@@rD@rH@rL@rP@rT@rX@r\@r`@rd@rh@rl@rp@rt@rx@r|@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@s@s@s@s @s@s@s@s@s @s$@s(@s,@s0@s4@s8@s<@s@@sD@sH@sL@sP@sT@sX@s\@s`@sd@sh@sl@sp@st@sx@s|@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@t@t@t@t @t@t@t@t@t @t$@t(@t,@t0@t4@t8@t<@t@@tD@tH@tL@tP@tT@tX@t\@t`@td@th@tl@tp@tt@tx@t|@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@u@u@u@u @u@u@u@u@u @u$@u(@u,@u0@u4@u8@u<@u@@uD@uH@uL@uP@uT@uX@u\@u`@ud@uh@ul@up@ut@ux@u|@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@v@v@v@v @v@v@v@v@v @v$@v(@v,@v0@v4@v8@v<@v@@vD@vH@vL@vP@vT@vX@v\@v`@vd@vh@vl@vp@vt@vx@v|@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@w@w@w@w @w@w@w@w@w @w$@w(@w,@w0@w4@w8@w<@w@@wD@wH@wL@wP@wT@wX@w\@w`@wd@wh@wl@wp@wt@wx@w|@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@x@x@x@x @x@x@x@x@x @x$@x(@x,@x0@x4@x8@x<@x@@xD@xH@xL@xP@xT@xX@x\@x`@xd@xh@xl@xp@x@x@x@x@x@x@x@x@x@x@x@x@x@x@x@x@y@y@y @y(@y,@y0@yD@yP@yX@y\@y`@yt@y@y@y@y@y@y@y@y@y@y@y@y@y@z@z@z@z @z4@z@@zH@zL@zP@zp@zx@z|@z@z@z@z@z@z@z@z@z@z@z@z@{@{@{ @{@{ @{$@{0@{4@{8@{<@{@@{P@{T@{`@{d@{h@{l@{p@{@{@{@{@{@{@{@{@{@{@{@{@{@{@{@{@{@{@|@|@|@| @|$@|(@|,@|0@|D@|P@|X@|\@|`@|p@|t@|@|@|@|@|@|@|@|@|@|@|@|@|@|@|@|@}@}@}@}@}@}@} @}4@}@@}H@}L@}P@}`@}d@}p@}x@}|@}@}@}@}@}@}@}@}@}@}@}@}@}@~@~@~ @~@~ @~$@~4@~8@~<@~@@~T@~`@~h@~l@~p@~@~@~@~@~@~@~@~@~@~@~@~@~@@@ @(@,@0@D@P@X@\@`@p@t@@@@@@@@@@@@@@@@@@@@@@@ @4@@@H@L@P@`@d@p@t@x@|@@@@@@@@@@@@@@@ @@8@<@@@h@l@p@@@@@@@@@@(@,@0@D@X@\@`@@@@@@@@@@@@@@ @H@L@P@d@x@|@@@@@@@@@@@@ @@8@<@@@T@h@l@p@@@@@@@@@@@@(@,@0@X@\@`@@@@@@@@@@@@@ @4@H@L@P@x@|@@@@@@@@@@ @@8@<@@@h@l@p@@@@@@@@@@@@@(@,@0@X@\@`@@@@@@@@@@@@ @P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@$@(@,@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@ @$@(@,@0@4@8@<@@@D@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@8@<@@@D@H@L@X@\@`@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@ @$@(@,@0@4@8@<@@@D@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@H@L@P@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@ @@,@<@L@\@l@|@@@@@@@@@ @@,@<@L@\@l@|@@@@@@@@@ @@,@<@L@\@l@|@@@@@@@@@@@@@@ @@@(@,@8@<@H@L@X@\@h@l@x@|@@@@@@@@@@@@@@@@@@ @@@(@,@8@<@H@L@X@\@h@l@x@|@@@@@@@@@@@@@@@@@@ @@@(@,@8@<@H@L@X@\@h@l@x@|@@@@@@@@@@@@@@@@@@@@@@ @(@,@4@8@@@D@L@P@\@`@l@p@x@|@@@@@@@@@@@@@@@@@@@@@@@@ @@@ @$@,@0@<@@@H@L@T@X@`@d@l@p@|@@@@@@@@@@@@@@@@@@@@@@ @@@@$@(@0@4@<@@@L@P@\@`@h@l@t@x@@@@@@@@@@@@@@@@@@@@ @@@ @$@,@0@8@<@D@H@P@T@\@`@h@l@t@x@@@@@@@@@@@@@@@@@@@@@@@@ @@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@ @$@(@,@0@4@8@<@@@D@P@T@X@\@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@X@d@p@|@@@@@@@@@@@@@@ @@@ @$@0@4@8@D@H@L@X@\@`@l@p@t@@@@@@@@@@@@@@@@@@@@@@@@@@@@$@(@,@0@4@8@<@@@D@P@T@X@\@`@d@x@|@@@@@@@@@@@@@@@@@(@,@0@<@@@D@H@L@P@\@`@d@h@l@p@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@cdcdcf KYn. d4$ $N.\dU$\$$N$.d$$$N$.d$$$N$.d$$8N8.d$$$N$.$e $$e/$$N$dcdeldef KYn.He$H$N.f$$$N$.<fG$<$$N$.`fg$`$$N$.f$$8N8.f$$$N$.f$$$N$dcdfdgf KYn.g~$$LNL.Pg$P$N.g$$N.g$$lNl.Lh$L$N. h@$ $N.hi$$N.h$$N.h$$N.h$$N.8i$8$N.@iQ$@$N.Hi$H$8N8.i$$0N0.j$$N.xj5$x$pNp.j^$$ N .j$$pNp.dj$d$N.j$$PNP.`k$`$0N0.k($$(N(.kF$$0N0.ku$$ N .'k$'$4N4.*$k$*$$DND.-hk$-h$N.1hl($1h$hNh.2lP$2$N.4l$4$N.6Hl$6H$N.7\l$7\$N.9 m $9 $N.:m5$:$N.=mm$=$N.Cm$C$XNX.ELm$EL$N.F\m$F\n$(N(n\ n& hn& hdcdndnf KYn.Go:$G$XNX.Go`$G$dNd.I@o$I@$ N .I`o$I`o˄$Ndcdp dpf KYn.J,p$J,$ N dcdpdpf KYn.JLq5$JLqX$Ndcdqdqf KYn.Jr.$J$XNX.KHrW$KH$N.KPr~$KP$N.KTr$KT$|N|.Lr$L$N.N\s$N\$N.Q s<$Q $8N8.RDsg$RDs$Ns& hs& ht& ht& ht& ht(& ht6& htC& hdcdtQdtmf KYn.Rt$R$xNx.S`u$S`$PNP.Tu?$T$N.Tuh$T$N.Tu$T$N.Vhu$Vh$N.YHu$YH$@N@.]v#$]$N.^lv^$^l$Nv& hv& hv& hv& hv& hv& hv& hdcdvdwf KYn.``w$``$XNX.`w$`$N.`w$`$N.`x!$`$N.cx\$c$N.f$x$f$$N.gx$g$8N8.k0x$k0$8N8.lhy&$lhyZ$Ny& hy& hy& hy& hy& hy& hy& hy& hz& hz& hdcdz#dz=f KYn.n|z$n|$N.nz$n$N.n{$n$N.n{?$n$N.n{j$n$N.oD{$oD$N.r8{$r8$N.r{$r$pNp.s8|*$s8$@N@.tx|V$tx$N.vP|{$vP|$xNx|& h}& i}& i}#& i}8& i }H& i}X& idcd}id}wf KYn.x}$x$\N\.y$~$y$$XNX.y|~$y|$N.z~B$z$\N\.z~o$z$N.{~${$N.|4~$|4$N.|~$|$`N`.} $} $ N .},0$},$\N\.}Q$}$N.~@v$~@$N.$$N.$$xNx.$$dNd.d.$d$N.Y$$N.$$N.$$HNH.$$N.p"$p$N.XE$X$pNp.$$hNh.0$0$N.$$8N8. $$N.%$$N.,:$,$N.S$$N.Dl$D$N.$$N.\$\$N.d$d$0N0.$$ N . $$ N ./$$N.U$$N.~$$N.$$N.$$ N .$$N.X $X$<N<.&$$0N0.C$$0N0.`$$0N0.$|$$$0N0.T$T$0N0.$$(N(.$$0N0.6$$(N(.f$$0N0.4$4$(N(.\$\$0N0.$$(N(.$$N./$$N.DP$D$lNl.p$$N.P$P$N.h$h$HNH.$$HNH.=$$tNt.l`$l$tNt.$$lNl.L$L$@N@.$$HNH.$$N.R$$N.$$N.$$N.ʸ $ʸ$ N .:$$ N .|Y$|$N.w$$N.$$hNh.h$h$N.$$N.$'$Nh& hu& i& i& i & i$& i(& i,dcddf KYn.^$$DND.\~$\$|N|.$$N.$$N.($($N.0$0$$N$.T6$T$N.U$$0N0.Hw$H$(N(.p$p$0N0.$$(N(.$$N.P$P$N.$$N.PC$P$N.d$$N.$$0N0.$$N.t$t$PNP.$$ N & i0& i4-& i8@& i<dcdRdif KYn.$$N.$$N.,$$N.V$$N.$$N.$$N.$$N.$$N.%$$lNl.LH$L$N.$$pNp.L$L$HNH.$$ N .$$N,& i@9& iDF& iHV& iLf& iPdcdwdf KYn.T$T$XNX.'$$dNd.H$$ N .0f$0$Ndcddf KYn.$$N. <$ $lNl. Pu$ P$N. $ $N. $ $N. $ $N.h$h$N.lG$l$(N(.m$$N.X$X$N.$$N.3$$N.h$$N.\$\$N. $ $N.?$$N.h$$0N0.$$ N .$$N.$$ N .($($N.0;$0$ N .<]$<$N.D$D$N.`$`$N.p$p$HNH.$$4N4.b$$N.$$N.$$N.#$#$N.($($8N8.)"$)H$dNd& iT& iX& i\& i`& id& ih& il& ip& it& ix(& i|;& idcdHd[f KYn.+($+($ N .+4$+4$N.+< $+<$ N .+HF$+H$N.+Pp$+P$N.,($,($|N|.,$,$Ndcddf KYn.-$Z$-$$N.-,~$-,$N.-0$-0$4N4.-d$-d$N.4x $4x$XNX.4+$4$XNX.5(N$5($XNX.6v$6$N.;$;$ N .=<$=<$N.>,$>,$tNt'& i5& iH& iX& ip& i& i& i& i& i& i& i& i& i& i& i)& i4& idcd?dUf KYn.?$?+$<N<dcdpdf KYn.C$C$pNp.FL5$FLe$ N dcddf KYn.Gl>$Gl$ N .Gxp$Gx$N.G$G$N.I$I$0N0.I0$I0$(N(.IX8$IX$0N0.Iq$I$(N(.I$I$0N0.I$I$(N(.J $J$0N0.J8:$J8$(N(.J`f$J`$<N<.J$J$PNP.J$J$N.K$K$N.M8$M8K$Ndcddf KYn.O4T$O4$4N4.Ohz$Oh$Ndcddf KYn.Q45$Q4$,N,.Q`C$Q`$dNd.Qi$Q$N.RT$RT$4N4dcddf KYn.RC$R$8N8.Rg$R$$N$.R$R$LNL.S0$S0$N.S8$S8$\N\.T'$T$N.UL$U$hNh.W$W$N& i& i& idcd#d@f KYn.X$X$N.[l$[l$0N0.\C$\$8N8.]$]$dNddcddf KYn._8Z$_8$ N ._D$_D$N._L$_L$ N ._X$_X$N._`$_`$N.`88$`8$|N|.`W$`$Ndcd{df KYn.a4$a4$N.a<<$a<$N.a@i$a@$4N4.at$at$N.h|$h|$XNX.h $h$XNX.i,3$i,$XNX.j`$j$$N$.o$o$N.rT$rT$@N@.s$s$$N$.t"$t$N.xDQ$xD$tNt& i& i& i& i& i& i& i& i& i,& i?& iS& jb& jp& j& j & j& j& jdcddf KYn.y)$y$N.TC$T$Ndcdcdxf KYn.@$@$N.$$|N|..$$NdcdOdhf KYn.$$N.$$xNx.,H$,$Nm& j{& j & j$& j(& j,& j0& j4& j8& j<& j@dcddf KYn.$$Ndcddf KYn.C$$N.e$$N.$$N.T$T$pNp.$$N.$$N.$$N.8$$N.Z$$N.~$$0N0. $ $0N0.P$P$0N0dcddf KYn.y$$8N8.$Մ$Ndcdd.f KYn.t$t$N.L$L$dNd.$$ N .$$Ndcd(d>f KYn.$$N.t$t$dNd.$$ N .$$Ndcd=dPf KYn.$$pNpdcdDd\f KYn.4$4$N.$$pNp.-$$N.pa$p$N.$$dNd.`$`$N.H$H$8N8& jD&& jH5& jLI& jP\& jTj& jX& j\& j`& jddcddf KYn.\$$dNd.$$`N`.D$D$`N`.$$N.¸$¸$TNT. +$ $N.ȜY$Ȝ$@N@.{$$@N@.$$N.8$8$$N$& jh& jl& jp& jt,& jx5& j|A& jK& j_& jj& js& j& j& j& j& jdcddf KYn.\T$\$N.‚$«$N& jdcddf KYn.МÆ$М$ N .Ѽì$Ѽ$N.Ҁ$Ҁ$(N(.Ҩ$Ҩ$tNt.$$Ndcd)d@f KYn.Ӽķ$Ӽ݄$xNxdcdd f KYn.4ł$4$TNT.Ԉū$Ԉ$TNT.$$TNT.0$0$TNT.Մ+$ՄW$TNTdcdƁdƕf KYn. $$hNh.@+$@$N.4R$4$N.<q$<$N.Ǖ$$0N0.0Ǹ$0$tNt.ؤ$ؤ$N.T$T$Ndcd!d9f KYn.ȱ$$N.$$N. $ $N./$$0N0dcdXdhf KYn.D$D$N.L$L$N.$$N.9$$N.݀^$݀$N.<ʂ$<$N.ʩ$$ N .$$N. $ $ N .$$N. '$ $ N .,H$,$N.4m$4$ N .@ˋ$@$N.H˭$H$N.P$P$N.X$X$N.`$`$N.h7$h$N.pZ$p$N.xz$x$N.߀̕$߀$N.߈̶$߈$N.ߐ$ߐ$N.d$d$N.$$$N$.@-$@$hNhdcdOdcf KYn.$$DND.$$|N|.h$h$DND.<$$|N|.(c$($DND.l΄$l$|N|.Ω$$DND.,$,$|N|.$$DND.$$|N|.h9$h$DND.Z$$|N|.($($DND.lϟ$l$|N|dcddf KYn.S$$ N .y$$N.Ф$$N.d$d$N. $ $N.$$4N4.I$$N.r$$N.і$$ N .ѻ$$N.$$N.$$N.'$$ N .J$$N.q$$N.Җ$$ N .ҽ$$TNT.L$L$0N0.| $|$0N0.9$$(N(.e$$4N4.Ӝ$$N.$$N.$$N.$$N.T3$T$PNP.Z$$NdcdԄdԠf KYn.$$tNtd 4- dE lX y\0$SHs<`%GnPL  2\8@PHx'S~d`>r'*$-h1h2[46H7\9 :6=ZCELF\G G %I@ EI` mJ, JL J KH KP 'KT ]L N\ Q RD R GS` rT T T Vh YH V] ^l `` ` $` T` c f$ g)k0Ylhn|nnn@njoDr8rs8,txQvPxy$y|z z4{V|4{|} },}~@;jd*WpX#T0, D":\[dInX$6Tm94j\D5Pphl!BLm-|ʸ|8Yh\ 0W(z0THp<XPP0tMr  D h   L!!DL!f!!T!""!0"G"k " P" " #, #Mh#vl##X$&$b$$\%3 %n%%%& &C(&j0&<&D&`&p'G'''(#()((Q)(w+((+4(+<(+H)+P)<,()V,)u-$)-,)-0)-d*$4x*F4*i5(*6*;*=<+>,+B?+C+FL, Gl,=Gx,sG,I,I0-IX->I-sI-I-J.J8.3J`.hJ.J.K.M8/O4/>Oh/oQ`/Q/RT/R0R0+R0eS00S80T0U1W1RX1[l1\2+]2__82_D2_L2_X3_`3=`83\`3a43a<3a@4 at4Qh|4xh4i,4j4o5-rT5^s5t5xD5y6 T6+@6P6l666,77E7g77T7888:8\88 8P899Ct9fL9999t: :+:Q:4::;!p;R;v`;H;;<-DҨ>7>YӼ>4>Ԉ>>0?(Մ?T?v@?4?<?@0@ ؤ@FT@l@@ @ADA.LAMAtA݀A<ABB$ BABb B,B4B@BHC PC0XCO`CrhCpCxC߀C߈DߐD4dDMDh@DDDhDE(E7lE\E},EEEhF F2(FRlFvFFFdG GAGlGGGHH*HJHmHHHILI,|I\IIIJ J5JVTJ}JJ hJ hJ hK hK hK" hK1 hK> hKK hKX hKf hKs hK hK hK hK hK hK hK hK hK hL hL  hL hL$ hL4 hLA hLM hL] hLj hLw iL iL iL i L iL iL iL iL i M  i$M i(M0 i,MB i0MS i4Md i8Mw i<M i@M iDM iHM iLM iPM iTM iXM i\M i`N idN% ihN7 ilNH ipNX itNb ixNr i|N iN iN iN iN iN iN iO iO iO' iO: iOM iOa iOp iO~ iO iO iO iO iO iO iO iO iO iP iP iP3 iPC iPT iPf iPy iP iP jP jP jP j P jP jP jP jQ j Q j$Q% j(Q2 j,QD j0QO j4QZ j8Qe j<Qp j@Q~ jDQ jHQ jLQ jPQ jTQ jXQ j\R j`R/ jdR; jhRM jlR^ jpRm jtR{ jxR j|R jR jR jR jR jR jR jR jR jS  jSSCSkSSST T4~hTXxT~T{T{T{U|(U6|U]}U}HUHUUVyXV1y(VTxVy|XV~V{VxWW.{8WP{hWv(W~W~WWxhX%xXMyXryXyXzXzHYzxYE~8YnXYzYzY|Z |Z7Zc}xZ}Z}Z`[Q4[[9 [] [|[[ [[ \ \! \: \T \r\ \ \ \ ] ]]9]d]]]] ^ ^% ^? ^] ^y ^ ^ ^^ _ _$ _A _^ _ _ _ _ ` ` `7`U`n ` ` ````aaa4aSa\ acav a a aaaaab  b b0 bG bf bbbbbbbbbbcc'c:cScgcy` fP` fP` fP` fP` fP` fPa fPa fPa( fPa8 fPaH fPaX fPah fPax fPa fPa fPa fPa fPa fPa fPa fPa fPb fPb fPb( fPb8 fPbH fPbX fPbh fPbx fPb fPb fPb fPb fPb fPb fPb fPb fPc fPc fPc( fPc8 fPcH fPcX fPch fPcx fPc fPc fPc fPc fPc fPc fPc fPc fPd fPd fPd( fPd8 fPdH fPdX fPdh fPdx fPd fPd fPd fPd fPd fPd fPd fPd fPe fPe fPe( fPe8 fPeH fPeX fPeh fPex fPe fPe fPe fPe fPe fPe fPe fPe fPf fPf fPf( fPf8 fPfH fPfX fPfh fPfx fPf fPf fPf fPf fPf fPf fPf fPf fPg fPg fPg( fPg8 fPgH fPgX fPgh fPgx fPg fPg fPg fPg fPg fPg fPg fPg fPh fPh fPh( fPh8 fPhH fPhX fPhh fPhx fP N O P Q R S T U W X [ \ ] ^ _ ` a g h i j k l m n o p q r s t U g O N Q P ] m \ a [ _ k h j i ` ^ R T S t q X W n r o s p l d Y Z e b V c                       H 6 ~@                                                          ! " # $ % & ' ( ) * + , - . / 0 1 2 3 4 5 6 7 8 9 : ; < = > ? @ A B C D E F G H I J K L M N O P Q R S T U V W X Y Z [ \ ] ^ _ ` a b c d e f g h i j k l m n o p q r s t __mh_dylib_headerdyld_stub_binding_helpercfm_stub_binding_helper__dyld_func_lookup-[BWToolbarShowColorsItem image]-[BWToolbarShowColorsItem itemIdentifier]-[BWToolbarShowColorsItem label]-[BWToolbarShowColorsItem paletteLabel]-[BWToolbarShowColorsItem target]-[BWToolbarShowColorsItem action]-[BWToolbarShowColorsItem toolTip]-[BWToolbarShowFontsItem image]-[BWToolbarShowFontsItem itemIdentifier]-[BWToolbarShowFontsItem label]-[BWToolbarShowFontsItem paletteLabel]-[BWToolbarShowFontsItem target]-[BWToolbarShowFontsItem action]-[BWToolbarShowFontsItem toolTip]-[BWSelectableToolbar documentToolbar]-[BWSelectableToolbar editableToolbar]-[BWSelectableToolbar awakeFromNib]-[BWSelectableToolbar selectFirstItem]-[BWSelectableToolbar selectInitialItem]-[BWSelectableToolbar toggleActiveView:]-[BWSelectableToolbar identifierAtIndex:]-[BWSelectableToolbar setEnabled:forIdentifier:]-[BWSelectableToolbar validateToolbarItem:]-[BWSelectableToolbar enabledByIdentifier]-[BWSelectableToolbar toolbarDefaultItemIdentifiers:]-[BWSelectableToolbar toolbarAllowedItemIdentifiers:]-[BWSelectableToolbar toolbar:itemForItemIdentifier:willBeInsertedIntoToolbar:]-[BWSelectableToolbar toolbarSelectableItemIdentifiers:]-[BWSelectableToolbar selectedIndex]-[BWSelectableToolbar setSelectedIndex:]-[BWSelectableToolbar isPreferencesToolbar]-[BWSelectableToolbar setDocumentToolbar:]-[BWSelectableToolbar setEditableToolbar:]-[BWSelectableToolbar initWithCoder:]-[BWSelectableToolbar setHelper:]-[BWSelectableToolbar helper]-[BWSelectableToolbar setEnabledByIdentifier:]-[BWSelectableToolbar switchToItemAtIndex:animate:]-[BWSelectableToolbar labels]-[BWSelectableToolbar setIsPreferencesToolbar:]-[BWSelectableToolbar selectableItemIdentifiers]-[BWSelectableToolbar windowDidResize:]-[BWSelectableToolbar setSelectedItemIdentifierWithoutAnimation:]-[BWSelectableToolbar setSelectedItemIdentifier:]-[BWSelectableToolbar dealloc]-[BWSelectableToolbar setItemSelectors]-[BWSelectableToolbar selectItemAtIndex:]-[BWSelectableToolbar toolbarIndexFromSelectableIndex:]-[BWSelectableToolbar initialSetup]-[BWSelectableToolbar initWithIdentifier:]-[BWSelectableToolbar _defaultItemIdentifiers]-[BWSelectableToolbar encodeWithCoder:]-[BWAddRegularBottomBar awakeFromNib]-[BWAddRegularBottomBar drawRect:]-[BWAddRegularBottomBar bounds]-[BWAddRegularBottomBar initWithCoder:]-[BWRemoveBottomBar bounds]-[BWInsetTextField initWithCoder:]-[BWTransparentButtonCell interiorColor]-[BWTransparentButtonCell controlSize]-[BWTransparentButtonCell setControlSize:]-[BWTransparentButtonCell drawBezelWithFrame:inView:]-[BWTransparentButtonCell drawImage:withFrame:inView:]+[BWTransparentButtonCell initialize]-[BWTransparentButtonCell _textAttributes]-[BWTransparentButtonCell drawTitle:withFrame:inView:]-[BWTransparentCheckboxCell isInTableView]-[BWTransparentCheckboxCell interiorColor]-[BWTransparentCheckboxCell controlSize]-[BWTransparentCheckboxCell setControlSize:]-[BWTransparentCheckboxCell _textAttributes]+[BWTransparentCheckboxCell initialize]-[BWTransparentCheckboxCell drawImage:withFrame:inView:]-[BWTransparentCheckboxCell drawInteriorWithFrame:inView:]-[BWTransparentCheckboxCell drawTitle:withFrame:inView:]-[BWTransparentPopUpButtonCell interiorColor]-[BWTransparentPopUpButtonCell controlSize]-[BWTransparentPopUpButtonCell setControlSize:]-[BWTransparentPopUpButtonCell drawImageWithFrame:inView:]-[BWTransparentPopUpButtonCell drawBezelWithFrame:inView:]-[BWTransparentPopUpButtonCell imageRectForBounds:]+[BWTransparentPopUpButtonCell initialize]-[BWTransparentPopUpButtonCell _textAttributes]-[BWTransparentPopUpButtonCell titleRectForBounds:]-[BWTransparentSliderCell _usesCustomTrackImage]-[BWTransparentSliderCell setTickMarkPosition:]-[BWTransparentSliderCell controlSize]-[BWTransparentSliderCell setControlSize:]-[BWTransparentSliderCell initWithCoder:]+[BWTransparentSliderCell initialize]-[BWTransparentSliderCell stopTracking:at:inView:mouseIsUp:]-[BWTransparentSliderCell startTrackingAt:inView:]-[BWTransparentSliderCell knobRectFlipped:]-[BWTransparentSliderCell drawKnob:]-[BWTransparentSliderCell drawBarInside:flipped:]-[BWSplitView awakeFromNib]-[BWSplitView setDelegate:]-[BWSplitView subviewIsCollapsible:]-[BWSplitView collapsibleSubviewIsCollapsed]-[BWSplitView collapsibleSubviewIndex]-[BWSplitView collapsibleSubview]-[BWSplitView hasCollapsibleSubview]-[BWSplitView setCollapsibleSubviewCollapsedHelper:]-[BWSplitView animationEnded]-[BWSplitView animationDuration]-[BWSplitView hasCollapsibleDivider]-[BWSplitView collapsibleDividerIndex]-[BWSplitView setCollapsibleSubviewCollapsed:]-[BWSplitView setMinSizeForCollapsibleSubview:]-[BWSplitView removeMinSizeForCollapsibleSubview]-[BWSplitView restoreAutoresizesSubviews:]-[BWSplitView splitView:shouldHideDividerAtIndex:]-[BWSplitView splitView:canCollapseSubview:]-[BWSplitView splitView:constrainSplitPosition:ofSubviewAt:]-[BWSplitView splitViewWillResizeSubviews:]-[BWSplitView subviewIsResizable:]-[BWSplitView validateAndCalculatePreferredProportionsAndSizes]-[BWSplitView clearPreferredProportionsAndSizes]-[BWSplitView splitView:resizeSubviewsWithOldSize:]-[BWSplitView setColorIsEnabled:]-[BWSplitView setColor:]-[BWSplitView color]-[BWSplitView minValues]-[BWSplitView maxValues]-[BWSplitView minUnits]-[BWSplitView maxUnits]-[BWSplitView secondaryDelegate]-[BWSplitView setSecondaryDelegate:]-[BWSplitView collapsibleSubviewCollapsed]-[BWSplitView dividerCanCollapse]-[BWSplitView setDividerCanCollapse:]-[BWSplitView collapsiblePopupSelection]-[BWSplitView setCollapsiblePopupSelection:]-[BWSplitView setCheckboxIsEnabled:]-[BWSplitView colorIsEnabled]-[BWSplitView initWithCoder:]+[BWSplitView initialize]-[BWSplitView setMinValues:]-[BWSplitView setMaxValues:]-[BWSplitView setMinUnits:]-[BWSplitView setMaxUnits:]-[BWSplitView setResizableSubviewPreferredProportion:]-[BWSplitView resizableSubviewPreferredProportion]-[BWSplitView setNonresizableSubviewPreferredSize:]-[BWSplitView nonresizableSubviewPreferredSize]-[BWSplitView setStateForLastPreferredCalculations:]-[BWSplitView stateForLastPreferredCalculations]-[BWSplitView setToggleCollapseButton:]-[BWSplitView toggleCollapseButton]-[BWSplitView dealloc]-[BWSplitView checkboxIsEnabled]-[BWSplitView setDividerStyle:]-[BWSplitView resizeAndAdjustSubviews]-[BWSplitView correctCollapsiblePreferredProportionOrSize]-[BWSplitView validatePreferredProportionsAndSizes]-[BWSplitView recalculatePreferredProportionsAndSizes]-[BWSplitView subviewMaximumSize:]-[BWSplitView subviewMinimumSize:]-[BWSplitView resizableSubviews]-[BWSplitView splitViewDidResizeSubviews:]-[BWSplitView splitView:effectiveRect:forDrawnRect:ofDividerAtIndex:]-[BWSplitView splitView:constrainMinCoordinate:ofSubviewAt:]-[BWSplitView splitView:constrainMaxCoordinate:ofSubviewAt:]-[BWSplitView splitView:shouldCollapseSubview:forDoubleClickOnDividerAtIndex:]-[BWSplitView splitView:additionalEffectiveRectOfDividerAtIndex:]-[BWSplitView mouseDown:]-[BWSplitView toggleCollapse:]-[BWSplitView adjustSubviews]-[BWSplitView subviewIsCollapsed:]-[BWSplitView drawDimpleInRect:]-[BWSplitView drawGradientDividerInRect:]-[BWSplitView drawDividerInRect:]-[BWSplitView encodeWithCoder:]-[BWTexturedSlider trackHeight]-[BWTexturedSlider setTrackHeight:]-[BWTexturedSlider setSliderToMinimum]-[BWTexturedSlider setSliderToMaximum]-[BWTexturedSlider indicatorIndex]-[BWTexturedSlider initWithCoder:]+[BWTexturedSlider initialize]-[BWTexturedSlider setMinButton:]-[BWTexturedSlider minButton]-[BWTexturedSlider setMaxButton:]-[BWTexturedSlider maxButton]-[BWTexturedSlider dealloc]-[BWTexturedSlider resignFirstResponder]-[BWTexturedSlider becomeFirstResponder]-[BWTexturedSlider scrollWheel:]-[BWTexturedSlider setEnabled:]-[BWTexturedSlider setIndicatorIndex:]-[BWTexturedSlider drawRect:]-[BWTexturedSlider hitTest:]-[BWTexturedSlider encodeWithCoder:]-[BWTexturedSliderCell controlSize]-[BWTexturedSliderCell setControlSize:]-[BWTexturedSliderCell numberOfTickMarks]-[BWTexturedSliderCell setNumberOfTickMarks:]-[BWTexturedSliderCell _usesCustomTrackImage]-[BWTexturedSliderCell trackHeight]-[BWTexturedSliderCell setTrackHeight:]-[BWTexturedSliderCell initWithCoder:]+[BWTexturedSliderCell initialize]-[BWTexturedSliderCell stopTracking:at:inView:mouseIsUp:]-[BWTexturedSliderCell startTrackingAt:inView:]-[BWTexturedSliderCell drawKnob:]-[BWTexturedSliderCell drawBarInside:flipped:]-[BWTexturedSliderCell encodeWithCoder:]-[BWAddSmallBottomBar awakeFromNib]-[BWAddSmallBottomBar drawRect:]-[BWAddSmallBottomBar bounds]-[BWAddSmallBottomBar initWithCoder:]-[BWAnchoredButtonBar awakeFromNib]-[BWAnchoredButtonBar drawResizeHandleInRect:withColor:]-[BWAnchoredButtonBar viewDidMoveToSuperview]-[BWAnchoredButtonBar isInLastSubview]-[BWAnchoredButtonBar dividerIndexNearestToHandle]-[BWAnchoredButtonBar splitView]-[BWAnchoredButtonBar setSelectedIndex:]+[BWAnchoredButtonBar wasBorderedBar]-[BWAnchoredButtonBar splitView:constrainMinCoordinate:ofSubviewAt:]-[BWAnchoredButtonBar splitView:constrainMaxCoordinate:ofSubviewAt:]-[BWAnchoredButtonBar splitView:resizeSubviewsWithOldSize:]-[BWAnchoredButtonBar splitView:canCollapseSubview:]-[BWAnchoredButtonBar splitView:constrainSplitPosition:ofSubviewAt:]-[BWAnchoredButtonBar splitView:shouldCollapseSubview:forDoubleClickOnDividerAtIndex:]-[BWAnchoredButtonBar splitView:shouldHideDividerAtIndex:]-[BWAnchoredButtonBar splitViewDelegate]-[BWAnchoredButtonBar setSplitViewDelegate:]-[BWAnchoredButtonBar handleIsRightAligned]-[BWAnchoredButtonBar setHandleIsRightAligned:]-[BWAnchoredButtonBar isResizable]-[BWAnchoredButtonBar setIsResizable:]-[BWAnchoredButtonBar isAtBottom]-[BWAnchoredButtonBar selectedIndex]-[BWAnchoredButtonBar initWithFrame:]+[BWAnchoredButtonBar initialize]-[BWAnchoredButtonBar splitView:effectiveRect:forDrawnRect:ofDividerAtIndex:]-[BWAnchoredButtonBar splitView:additionalEffectiveRectOfDividerAtIndex:]-[BWAnchoredButtonBar dealloc]-[BWAnchoredButtonBar setIsAtBottom:]-[BWAnchoredButtonBar drawLastButtonInsetInRect:]-[BWAnchoredButtonBar drawRect:]-[BWAnchoredButtonBar encodeWithCoder:]-[BWAnchoredButtonBar initWithCoder:]-[BWAnchoredButton isAtRightEdgeOfBar]-[BWAnchoredButton setIsAtRightEdgeOfBar:]-[BWAnchoredButton isAtLeftEdgeOfBar]-[BWAnchoredButton setIsAtLeftEdgeOfBar:]-[BWAnchoredButton initWithCoder:]-[BWAnchoredButton frame]-[BWAnchoredButton mouseDown:]-[BWAnchoredButtonCell controlSize]-[BWAnchoredButtonCell setControlSize:]-[BWAnchoredButtonCell highlightRectForBounds:]-[BWAnchoredButtonCell drawBezelWithFrame:inView:]-[BWAnchoredButtonCell textColor]-[BWAnchoredButtonCell imageColor]-[BWAnchoredButtonCell _textAttributes]+[BWAnchoredButtonCell initialize]-[BWAnchoredButtonCell drawImage:withFrame:inView:]-[BWAnchoredButtonCell titleRectForBounds:]-[BWAnchoredButtonCell drawWithFrame:inView:]-[NSColor(BWAdditions) bwDrawPixelThickLineAtPosition:withInset:inRect:inView:horizontal:flip:]-[NSImage(BWAdditions) bwRotateImage90DegreesClockwise:]-[NSImage(BWAdditions) bwTintedImageWithColor:]-[BWSelectableToolbarHelper isPreferencesToolbar]-[BWSelectableToolbarHelper setIsPreferencesToolbar:]-[BWSelectableToolbarHelper init]-[BWSelectableToolbarHelper setContentViewsByIdentifier:]-[BWSelectableToolbarHelper contentViewsByIdentifier]-[BWSelectableToolbarHelper setWindowSizesByIdentifier:]-[BWSelectableToolbarHelper windowSizesByIdentifier]-[BWSelectableToolbarHelper setSelectedIdentifier:]-[BWSelectableToolbarHelper selectedIdentifier]-[BWSelectableToolbarHelper setOldWindowTitle:]-[BWSelectableToolbarHelper oldWindowTitle]-[BWSelectableToolbarHelper setInitialIBWindowSize:]-[BWSelectableToolbarHelper initialIBWindowSize]-[BWSelectableToolbarHelper dealloc]-[BWSelectableToolbarHelper encodeWithCoder:]-[BWSelectableToolbarHelper initWithCoder:]-[NSWindow(BWAdditions) bwIsTextured]-[NSWindow(BWAdditions) bwResizeToSize:animate:]-[NSView(BWAdditions) bwBringToFront]-[NSView(BWAdditions) bwAnimator]-[NSView(BWAdditions) bwTurnOffLayer]+[BWTransparentTableView cellClass]-[BWTransparentTableView backgroundColor]-[BWTransparentTableView _alternatingRowBackgroundColors]-[BWTransparentTableView _highlightColorForCell:]-[BWTransparentTableView addTableColumn:]+[BWTransparentTableView initialize]-[BWTransparentTableView highlightSelectionInClipRect:]-[BWTransparentTableView drawBackgroundInClipRect:]-[BWTransparentTableViewCell drawInteriorWithFrame:inView:]-[BWTransparentTableViewCell editWithFrame:inView:editor:delegate:event:]-[BWTransparentTableViewCell selectWithFrame:inView:editor:delegate:start:length:]-[BWTransparentTableViewCell drawingRectForBounds:]-[BWAnchoredPopUpButton isAtRightEdgeOfBar]-[BWAnchoredPopUpButton setIsAtRightEdgeOfBar:]-[BWAnchoredPopUpButton isAtLeftEdgeOfBar]-[BWAnchoredPopUpButton setIsAtLeftEdgeOfBar:]-[BWAnchoredPopUpButton initWithCoder:]-[BWAnchoredPopUpButton frame]-[BWAnchoredPopUpButton mouseDown:]-[BWAnchoredPopUpButtonCell controlSize]-[BWAnchoredPopUpButtonCell setControlSize:]-[BWAnchoredPopUpButtonCell highlightRectForBounds:]-[BWAnchoredPopUpButtonCell drawBorderAndBackgroundWithFrame:inView:]-[BWAnchoredPopUpButtonCell textColor]-[BWAnchoredPopUpButtonCell imageColor]-[BWAnchoredPopUpButtonCell _textAttributes]+[BWAnchoredPopUpButtonCell initialize]-[BWAnchoredPopUpButtonCell drawImageWithFrame:inView:]-[BWAnchoredPopUpButtonCell imageRectForBounds:]-[BWAnchoredPopUpButtonCell titleRectForBounds:]-[BWAnchoredPopUpButtonCell drawArrowInFrame:]-[BWAnchoredPopUpButtonCell drawWithFrame:inView:]-[BWCustomView drawRect:]-[BWCustomView drawTextInRect:]-[BWUnanchoredButton initWithCoder:]-[BWUnanchoredButton frame]-[BWUnanchoredButton mouseDown:]-[BWUnanchoredButtonCell drawBezelWithFrame:inView:]-[BWUnanchoredButtonCell highlightRectForBounds:]+[BWUnanchoredButtonCell initialize]-[BWUnanchoredButtonContainer awakeFromNib]-[BWSheetController awakeFromNib]-[BWSheetController encodeWithCoder:]-[BWSheetController openSheet:]-[BWSheetController closeSheet:]-[BWSheetController messageDelegateAndCloseSheet:]-[BWSheetController delegate]-[BWSheetController sheet]-[BWSheetController parentWindow]-[BWSheetController initWithCoder:]-[BWSheetController setParentWindow:]-[BWSheetController setSheet:]-[BWSheetController setDelegate:]+[BWTransparentScrollView _verticalScrollerClass]-[BWTransparentScrollView initWithCoder:]-[BWAddMiniBottomBar awakeFromNib]-[BWAddMiniBottomBar drawRect:]-[BWAddMiniBottomBar bounds]-[BWAddMiniBottomBar initWithCoder:]-[BWAddSheetBottomBar awakeFromNib]-[BWAddSheetBottomBar drawRect:]-[BWAddSheetBottomBar bounds]-[BWAddSheetBottomBar initWithCoder:]-[BWTokenFieldCell setUpTokenAttachmentCell:forRepresentedObject:]-[BWTokenAttachmentCell arrowInHighlightedState:]-[BWTokenAttachmentCell pullDownImage]-[BWTokenAttachmentCell drawTokenWithFrame:inView:]-[BWTokenAttachmentCell interiorBackgroundStyle]+[BWTokenAttachmentCell initialize]-[BWTokenAttachmentCell pullDownRectForBounds:]-[BWTokenAttachmentCell _textAttributes]-[BWTransparentScroller initWithFrame:]+[BWTransparentScroller scrollerWidthForControlSize:]+[BWTransparentScroller scrollerWidth]+[BWTransparentScroller initialize]-[BWTransparentScroller rectForPart:]-[BWTransparentScroller _drawingRectForPart:]-[BWTransparentScroller drawKnob]-[BWTransparentScroller drawKnobSlot]-[BWTransparentScroller drawRect:]-[BWTransparentScroller initWithCoder:]-[BWTransparentTextFieldCell _textAttributes]+[BWTransparentTextFieldCell initialize]-[BWToolbarItem setIdentifierString:]-[BWToolbarItem initWithCoder:]-[BWToolbarItem identifierString]-[BWToolbarItem dealloc]-[BWToolbarItem encodeWithCoder:]+[NSString(BWAdditions) bwRandomUUID]+[NSEvent(BWAdditions) bwShiftKeyIsDown]+[NSEvent(BWAdditions) bwCommandKeyIsDown]+[NSEvent(BWAdditions) bwOptionKeyIsDown]+[NSEvent(BWAdditions) bwControlKeyIsDown]+[NSEvent(BWAdditions) bwCapsLockKeyIsDown]-[BWHyperlinkButton awakeFromNib]-[BWHyperlinkButton openURLInBrowser:]-[BWHyperlinkButton urlString]-[BWHyperlinkButton initWithCoder:]-[BWHyperlinkButton setUrlString:]-[BWHyperlinkButton dealloc]-[BWHyperlinkButton resetCursorRects]-[BWHyperlinkButton encodeWithCoder:]-[BWHyperlinkButtonCell drawBezelWithFrame:inView:]-[BWHyperlinkButtonCell setBordered:]-[BWHyperlinkButtonCell isBordered]-[BWHyperlinkButtonCell _textAttributes]-[BWGradientBox isFlipped]-[BWGradientBox setFillColor:]-[BWGradientBox setFillStartingColor:]-[BWGradientBox setFillEndingColor:]-[BWGradientBox setTopBorderColor:]-[BWGradientBox setBottomBorderColor:]-[BWGradientBox hasFillColor]-[BWGradientBox setHasFillColor:]-[BWGradientBox hasGradient]-[BWGradientBox setHasGradient:]-[BWGradientBox hasBottomBorder]-[BWGradientBox setHasBottomBorder:]-[BWGradientBox hasTopBorder]-[BWGradientBox setHasTopBorder:]-[BWGradientBox bottomInsetAlpha]-[BWGradientBox setBottomInsetAlpha:]-[BWGradientBox topInsetAlpha]-[BWGradientBox setTopInsetAlpha:]-[BWGradientBox bottomBorderColor]-[BWGradientBox topBorderColor]-[BWGradientBox fillColor]-[BWGradientBox fillEndingColor]-[BWGradientBox fillStartingColor]-[BWGradientBox initWithCoder:]-[BWGradientBox dealloc]-[BWGradientBox drawRect:]-[BWGradientBox encodeWithCoder:]-[BWStyledTextField hasShadow]-[BWStyledTextField setHasShadow:]-[BWStyledTextField shadowIsBelow]-[BWStyledTextField setShadowIsBelow:]-[BWStyledTextField shadowColor]-[BWStyledTextField setShadowColor:]-[BWStyledTextField hasGradient]-[BWStyledTextField setHasGradient:]-[BWStyledTextField startingColor]-[BWStyledTextField setStartingColor:]-[BWStyledTextField endingColor]-[BWStyledTextField setEndingColor:]-[BWStyledTextField solidColor]-[BWStyledTextField setSolidColor:]-[BWStyledTextFieldCell changeShadow]-[BWStyledTextFieldCell setStartingColor:]-[BWStyledTextFieldCell setEndingColor:]-[BWStyledTextFieldCell setSolidColor:]-[BWStyledTextFieldCell setHasGradient:]-[BWStyledTextFieldCell setShadowIsBelow:]-[BWStyledTextFieldCell setShadowColor:]-[BWStyledTextFieldCell solidColor]-[BWStyledTextFieldCell hasGradient]-[BWStyledTextFieldCell endingColor]-[BWStyledTextFieldCell startingColor]-[BWStyledTextFieldCell shadow]-[BWStyledTextFieldCell hasShadow]-[BWStyledTextFieldCell setHasShadow:]-[BWStyledTextFieldCell shadowColor]-[BWStyledTextFieldCell shadowIsBelow]-[BWStyledTextFieldCell initWithCoder:]-[BWStyledTextFieldCell setShadow:]-[BWStyledTextFieldCell setPreviousAttributes:]-[BWStyledTextFieldCell previousAttributes]-[BWStyledTextFieldCell drawInteriorWithFrame:inView:]-[BWStyledTextFieldCell applyGradient]-[BWStyledTextFieldCell awakeFromNib]-[BWStyledTextFieldCell _textAttributes]-[BWStyledTextFieldCell dealloc]-[BWStyledTextFieldCell copyWithZone:]-[BWStyledTextFieldCell encodeWithCoder:]+[NSApplication(BWAdditions) bwIsOnLeopard]dyld__mach_header_scaleFactor_documentToolbar_editableToolbar_enabledColor_disabledColor_buttonFillN_buttonLeftP_buttonFillP_buttonRightP_buttonLeftN_buttonRightN_enabledColor_disabledColor_contentShadow_checkboxOffN_checkboxOnP_checkboxOnN_checkboxOffP_enabledColor_disabledColor_popUpFillN_popUpLeftP_popUpFillP_pullDownRightP_popUpRightP_popUpLeftN_pullDownRightN_popUpRightN_thumbPImage_thumbNImage_triangleThumbPImage_triangleThumbNImage_trackFillImage_trackLeftImage_trackRightImage_gradient_borderColor_dimpleImageBitmap_dimpleImageVector_gradientStartColor_gradientEndColor_smallPhotoImage_largePhotoImage_quietSpeakerImage_loudSpeakerImage_thumbPImage_thumbNImage_trackFillImage_trackLeftImage_trackRightImage_wasBorderedBar_gradient_topLineColor_borderedTopLineColor_resizeHandleColor_resizeInsetColor_bottomLineColor_sideInsetColor_topColor_middleTopColor_middleBottomColor_bottomColor_fillGradient_bottomBorderColor_sideInsetColor_borderedTopBorderColor_borderedSideBorderColor_topBorderColor_sideBorderColor_enabledTextColor_disabledTextColor_enabledImageColor_disabledImageColor_contentShadow_pressedColor_fillStop1_fillStop2_fillStop3_fillStop4_rowColor_altRowColor_highlightColor_fillGradient_bottomBorderColor_sideInsetColor_borderedTopBorderColor_borderedSideBorderColor_topBorderColor_sideBorderColor_enabledTextColor_disabledTextColor_enabledImageColor_disabledImageColor_contentShadow_pressedColor_pullDownArrow_fillStop1_fillStop2_fillStop3_fillStop4_fillGradient_topInsetColor_topBorderColor_borderColor_bottomInsetColor_fillStop1_fillStop2_fillStop3_fillStop4_pressedColor_highlightedArrowColor_arrowGradient_blueStrokeGradient_blueInsetGradient_blueGradient_highlightedBlueStrokeGradient_highlightedBlueInsetGradient_highlightedBlueGradient_textShadow_slotVerticalFill_backgroundColor_minKnobHeight_minKnobWidth_slotTop_slotBottom_slotLeft_slotHorizontalFill_slotRight_knobTop_knobVerticalFill_knobBottom_knobLeft_knobHorizontalFill_knobRight_textShadow.objc_category_name_NSApplication_BWAdditions.objc_category_name_NSColor_BWAdditions.objc_category_name_NSEvent_BWAdditions.objc_category_name_NSImage_BWAdditions.objc_category_name_NSString_BWAdditions.objc_category_name_NSView_BWAdditions.objc_category_name_NSWindow_BWAdditions.objc_class_name_BWAddMiniBottomBar.objc_class_name_BWAddRegularBottomBar.objc_class_name_BWAddSheetBottomBar.objc_class_name_BWAddSmallBottomBar.objc_class_name_BWAnchoredButton.objc_class_name_BWAnchoredButtonBar.objc_class_name_BWAnchoredButtonCell.objc_class_name_BWAnchoredPopUpButton.objc_class_name_BWAnchoredPopUpButtonCell.objc_class_name_BWCustomView.objc_class_name_BWGradientBox.objc_class_name_BWHyperlinkButton.objc_class_name_BWHyperlinkButtonCell.objc_class_name_BWInsetTextField.objc_class_name_BWRemoveBottomBar.objc_class_name_BWSelectableToolbar.objc_class_name_BWSelectableToolbarHelper.objc_class_name_BWSheetController.objc_class_name_BWSplitView.objc_class_name_BWStyledTextField.objc_class_name_BWStyledTextFieldCell.objc_class_name_BWTexturedSlider.objc_class_name_BWTexturedSliderCell.objc_class_name_BWTokenAttachmentCell.objc_class_name_BWTokenField.objc_class_name_BWTokenFieldCell.objc_class_name_BWToolbarItem.objc_class_name_BWToolbarShowColorsItem.objc_class_name_BWToolbarShowFontsItem.objc_class_name_BWTransparentButton.objc_class_name_BWTransparentButtonCell.objc_class_name_BWTransparentCheckbox.objc_class_name_BWTransparentCheckboxCell.objc_class_name_BWTransparentPopUpButton.objc_class_name_BWTransparentPopUpButtonCell.objc_class_name_BWTransparentScrollView.objc_class_name_BWTransparentScroller.objc_class_name_BWTransparentSlider.objc_class_name_BWTransparentSliderCell.objc_class_name_BWTransparentTableView.objc_class_name_BWTransparentTableViewCell.objc_class_name_BWTransparentTextFieldCell.objc_class_name_BWUnanchoredButton.objc_class_name_BWUnanchoredButtonCell.objc_class_name_BWUnanchoredButtonContainer_BWSelectableToolbarItemClickedNotification_compareViews.objc_class_name_NSAffineTransform.objc_class_name_NSAnimationContext.objc_class_name_NSApplication.objc_class_name_NSArchiver.objc_class_name_NSArray.objc_class_name_NSBezierPath.objc_class_name_NSBundle.objc_class_name_NSButton.objc_class_name_NSButtonCell.objc_class_name_NSColor.objc_class_name_NSCursor.objc_class_name_NSCustomView.objc_class_name_NSDictionary.objc_class_name_NSEvent.objc_class_name_NSFont.objc_class_name_NSGradient.objc_class_name_NSGraphicsContext.objc_class_name_NSImage.objc_class_name_NSMutableArray.objc_class_name_NSMutableAttributedString.objc_class_name_NSMutableDictionary.objc_class_name_NSNotificationCenter.objc_class_name_NSNumber.objc_class_name_NSObject.objc_class_name_NSPopUpButton.objc_class_name_NSPopUpButtonCell.objc_class_name_NSScreen.objc_class_name_NSScrollView.objc_class_name_NSScroller.objc_class_name_NSShadow.objc_class_name_NSSlider.objc_class_name_NSSliderCell.objc_class_name_NSSortDescriptor.objc_class_name_NSSplitView.objc_class_name_NSString.objc_class_name_NSTableView.objc_class_name_NSTextField.objc_class_name_NSTextFieldCell.objc_class_name_NSTokenAttachmentCell.objc_class_name_NSTokenField.objc_class_name_NSTokenFieldCell.objc_class_name_NSToolbar.objc_class_name_NSToolbarItem.objc_class_name_NSURL.objc_class_name_NSUnarchiver.objc_class_name_NSValue.objc_class_name_NSView.objc_class_name_NSWindowController.objc_class_name_NSWorkspace_CFMakeCollectable_CFRelease_CFUUIDCreate_CFUUIDCreateString_CGContextRestoreGState_CGContextSaveGState_CGContextSetShouldSmoothFonts_Gestalt_NSApp_NSClassFromString_NSDrawThreePartImage_NSFontAttributeName_NSForegroundColorAttributeName_NSInsetRect_NSIntegralRect_NSIsEmptyRect_NSOffsetRect_NSPointInRect_NSRectFill_NSRectFillUsingOperation_NSShadowAttributeName_NSUnderlineStyleAttributeName_NSWindowDidResizeNotification_NSZeroRect___CFConstantStringClassReference_ceilf_floorf_fmaxf_fminf_modf_objc_assign_global_objc_copyStruct_objc_enumerationMutation_objc_getProperty_objc_msgSendSuper_objc_msgSendSuper_stret_objc_msgSend_stret_objc_setProperty_roundf/Users/brandon/Temp/bwtoolkit/BWToolbarShowColorsItem.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWToolbarShowColorsItem.o-[BWToolbarShowColorsItem image]-[BWToolbarShowColorsItem itemIdentifier]-[BWToolbarShowColorsItem label]-[BWToolbarShowColorsItem paletteLabel]-[BWToolbarShowColorsItem target]-[BWToolbarShowColorsItem action]-[BWToolbarShowColorsItem toolTip]/System/Library/Frameworks/AppKit.framework/Headers/NSMenu.hBWToolbarShowFontsItem.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWToolbarShowFontsItem.o-[BWToolbarShowFontsItem image]-[BWToolbarShowFontsItem itemIdentifier]-[BWToolbarShowFontsItem label]-[BWToolbarShowFontsItem paletteLabel]-[BWToolbarShowFontsItem target]-[BWToolbarShowFontsItem action]-[BWToolbarShowFontsItem toolTip]BWSelectableToolbar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWSelectableToolbar.o-[BWSelectableToolbar documentToolbar]-[BWSelectableToolbar editableToolbar]-[BWSelectableToolbar awakeFromNib]-[BWSelectableToolbar selectFirstItem]-[BWSelectableToolbar selectInitialItem]-[BWSelectableToolbar toggleActiveView:]-[BWSelectableToolbar identifierAtIndex:]-[BWSelectableToolbar setEnabled:forIdentifier:]-[BWSelectableToolbar validateToolbarItem:]-[BWSelectableToolbar enabledByIdentifier]-[BWSelectableToolbar toolbarDefaultItemIdentifiers:]-[BWSelectableToolbar toolbarAllowedItemIdentifiers:]-[BWSelectableToolbar toolbar:itemForItemIdentifier:willBeInsertedIntoToolbar:]-[BWSelectableToolbar toolbarSelectableItemIdentifiers:]-[BWSelectableToolbar selectedIndex]-[BWSelectableToolbar setSelectedIndex:]-[BWSelectableToolbar isPreferencesToolbar]-[BWSelectableToolbar setDocumentToolbar:]-[BWSelectableToolbar setEditableToolbar:]-[BWSelectableToolbar initWithCoder:]-[BWSelectableToolbar setHelper:]-[BWSelectableToolbar helper]-[BWSelectableToolbar setEnabledByIdentifier:]-[BWSelectableToolbar switchToItemAtIndex:animate:]-[BWSelectableToolbar labels]-[BWSelectableToolbar setIsPreferencesToolbar:]-[BWSelectableToolbar selectableItemIdentifiers]-[BWSelectableToolbar windowDidResize:]-[BWSelectableToolbar setSelectedItemIdentifierWithoutAnimation:]-[BWSelectableToolbar setSelectedItemIdentifier:]-[BWSelectableToolbar dealloc]-[BWSelectableToolbar setItemSelectors]-[BWSelectableToolbar selectItemAtIndex:]-[BWSelectableToolbar toolbarIndexFromSelectableIndex:]-[BWSelectableToolbar initialSetup]-[BWSelectableToolbar initWithIdentifier:]-[BWSelectableToolbar _defaultItemIdentifiers]-[BWSelectableToolbar encodeWithCoder:]/System/Library/Frameworks/Foundation.framework/Headers/NSNotification.h_BWSelectableToolbarItemClickedNotification_documentToolbar_editableToolbarBWAddRegularBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWAddRegularBottomBar.o-[BWAddRegularBottomBar awakeFromNib]-[BWAddRegularBottomBar drawRect:]-[BWAddRegularBottomBar bounds]-[BWAddRegularBottomBar initWithCoder:]/System/Library/Frameworks/Foundation.framework/Headers/NSURL.hBWRemoveBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWRemoveBottomBar.o-[BWRemoveBottomBar bounds]BWInsetTextField.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWInsetTextField.o-[BWInsetTextField initWithCoder:]/System/Library/Frameworks/AppKit.framework/Headers/NSTextField.hBWTransparentButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWTransparentButtonCell.o-[BWTransparentButtonCell interiorColor]-[BWTransparentButtonCell controlSize]-[BWTransparentButtonCell setControlSize:]-[BWTransparentButtonCell drawBezelWithFrame:inView:]-[BWTransparentButtonCell drawImage:withFrame:inView:]+[BWTransparentButtonCell initialize]-[BWTransparentButtonCell _textAttributes]-[BWTransparentButtonCell drawTitle:withFrame:inView:]/System/Library/Frameworks/Foundation.framework/Headers/NSFormatter.h_enabledColor_disabledColor_buttonFillN_buttonLeftP_buttonFillP_buttonRightP_buttonLeftN_buttonRightNBWTransparentCheckboxCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWTransparentCheckboxCell.o-[BWTransparentCheckboxCell isInTableView]-[BWTransparentCheckboxCell interiorColor]-[BWTransparentCheckboxCell controlSize]-[BWTransparentCheckboxCell setControlSize:]-[BWTransparentCheckboxCell _textAttributes]+[BWTransparentCheckboxCell initialize]-[BWTransparentCheckboxCell drawImage:withFrame:inView:]-[BWTransparentCheckboxCell drawInteriorWithFrame:inView:]-[BWTransparentCheckboxCell drawTitle:withFrame:inView:]_enabledColor_disabledColor_contentShadow_checkboxOffN_checkboxOnP_checkboxOnN_checkboxOffPBWTransparentPopUpButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWTransparentPopUpButtonCell.o-[BWTransparentPopUpButtonCell interiorColor]-[BWTransparentPopUpButtonCell controlSize]-[BWTransparentPopUpButtonCell setControlSize:]-[BWTransparentPopUpButtonCell drawImageWithFrame:inView:]-[BWTransparentPopUpButtonCell drawBezelWithFrame:inView:]-[BWTransparentPopUpButtonCell imageRectForBounds:]+[BWTransparentPopUpButtonCell initialize]-[BWTransparentPopUpButtonCell _textAttributes]-[BWTransparentPopUpButtonCell titleRectForBounds:]/System/Library/Frameworks/Foundation.framework/Headers/NSValue.h_enabledColor_disabledColor_popUpFillN_popUpLeftP_popUpFillP_pullDownRightP_popUpRightP_popUpLeftN_pullDownRightN_popUpRightNBWTransparentSliderCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWTransparentSliderCell.o-[BWTransparentSliderCell _usesCustomTrackImage]-[BWTransparentSliderCell setTickMarkPosition:]-[BWTransparentSliderCell controlSize]-[BWTransparentSliderCell setControlSize:]-[BWTransparentSliderCell initWithCoder:]+[BWTransparentSliderCell initialize]-[BWTransparentSliderCell stopTracking:at:inView:mouseIsUp:]-[BWTransparentSliderCell startTrackingAt:inView:]-[BWTransparentSliderCell knobRectFlipped:]-[BWTransparentSliderCell drawKnob:]-[BWTransparentSliderCell drawBarInside:flipped:]/System/Library/Frameworks/Foundation.framework/Headers/NSDictionary.h_thumbPImage_thumbNImage_triangleThumbPImage_triangleThumbNImage_trackFillImage_trackLeftImage_trackRightImageBWSplitView.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWSplitView.o-[BWSplitView awakeFromNib]-[BWSplitView setDelegate:]-[BWSplitView subviewIsCollapsible:]-[BWSplitView collapsibleSubviewIsCollapsed]-[BWSplitView collapsibleSubviewIndex]-[BWSplitView collapsibleSubview]-[BWSplitView hasCollapsibleSubview]-[BWSplitView setCollapsibleSubviewCollapsedHelper:]-[BWSplitView animationEnded]-[BWSplitView animationDuration]-[BWSplitView hasCollapsibleDivider]-[BWSplitView collapsibleDividerIndex]-[BWSplitView setCollapsibleSubviewCollapsed:]-[BWSplitView setMinSizeForCollapsibleSubview:]-[BWSplitView removeMinSizeForCollapsibleSubview]-[BWSplitView restoreAutoresizesSubviews:]-[BWSplitView splitView:shouldHideDividerAtIndex:]-[BWSplitView splitView:canCollapseSubview:]-[BWSplitView splitView:constrainSplitPosition:ofSubviewAt:]-[BWSplitView splitViewWillResizeSubviews:]-[BWSplitView subviewIsResizable:]-[BWSplitView validateAndCalculatePreferredProportionsAndSizes]-[BWSplitView clearPreferredProportionsAndSizes]-[BWSplitView splitView:resizeSubviewsWithOldSize:]-[BWSplitView setColorIsEnabled:]-[BWSplitView setColor:]-[BWSplitView color]-[BWSplitView minValues]-[BWSplitView maxValues]-[BWSplitView minUnits]-[BWSplitView maxUnits]-[BWSplitView secondaryDelegate]-[BWSplitView setSecondaryDelegate:]-[BWSplitView collapsibleSubviewCollapsed]-[BWSplitView dividerCanCollapse]-[BWSplitView setDividerCanCollapse:]-[BWSplitView collapsiblePopupSelection]-[BWSplitView setCollapsiblePopupSelection:]-[BWSplitView setCheckboxIsEnabled:]-[BWSplitView colorIsEnabled]-[BWSplitView initWithCoder:]+[BWSplitView initialize]-[BWSplitView setMinValues:]-[BWSplitView setMaxValues:]-[BWSplitView setMinUnits:]-[BWSplitView setMaxUnits:]-[BWSplitView setResizableSubviewPreferredProportion:]-[BWSplitView resizableSubviewPreferredProportion]-[BWSplitView setNonresizableSubviewPreferredSize:]-[BWSplitView nonresizableSubviewPreferredSize]-[BWSplitView setStateForLastPreferredCalculations:]-[BWSplitView stateForLastPreferredCalculations]-[BWSplitView setToggleCollapseButton:]-[BWSplitView toggleCollapseButton]-[BWSplitView dealloc]-[BWSplitView checkboxIsEnabled]-[BWSplitView setDividerStyle:]-[BWSplitView resizeAndAdjustSubviews]-[BWSplitView correctCollapsiblePreferredProportionOrSize]-[BWSplitView validatePreferredProportionsAndSizes]-[BWSplitView recalculatePreferredProportionsAndSizes]-[BWSplitView subviewMaximumSize:]-[BWSplitView subviewMinimumSize:]-[BWSplitView resizableSubviews]-[BWSplitView splitViewDidResizeSubviews:]-[BWSplitView splitView:effectiveRect:forDrawnRect:ofDividerAtIndex:]-[BWSplitView splitView:constrainMinCoordinate:ofSubviewAt:]-[BWSplitView splitView:constrainMaxCoordinate:ofSubviewAt:]-[BWSplitView splitView:shouldCollapseSubview:forDoubleClickOnDividerAtIndex:]-[BWSplitView splitView:additionalEffectiveRectOfDividerAtIndex:]-[BWSplitView mouseDown:]-[BWSplitView toggleCollapse:]-[BWSplitView adjustSubviews]-[BWSplitView subviewIsCollapsed:]-[BWSplitView drawDimpleInRect:]-[BWSplitView drawGradientDividerInRect:]-[BWSplitView drawDividerInRect:]-[BWSplitView encodeWithCoder:]/System/Library/Frameworks/Foundation.framework/Headers/NSDate.h_scaleFactor_gradient_borderColor_dimpleImageBitmap_dimpleImageVector_gradientStartColor_gradientEndColorBWTexturedSlider.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWTexturedSlider.o-[BWTexturedSlider trackHeight]-[BWTexturedSlider setTrackHeight:]-[BWTexturedSlider setSliderToMinimum]-[BWTexturedSlider setSliderToMaximum]-[BWTexturedSlider indicatorIndex]-[BWTexturedSlider initWithCoder:]+[BWTexturedSlider initialize]-[BWTexturedSlider setMinButton:]-[BWTexturedSlider minButton]-[BWTexturedSlider setMaxButton:]-[BWTexturedSlider maxButton]-[BWTexturedSlider dealloc]-[BWTexturedSlider resignFirstResponder]-[BWTexturedSlider becomeFirstResponder]-[BWTexturedSlider scrollWheel:]-[BWTexturedSlider setEnabled:]-[BWTexturedSlider setIndicatorIndex:]-[BWTexturedSlider drawRect:]-[BWTexturedSlider hitTest:]-[BWTexturedSlider encodeWithCoder:]_smallPhotoImage_largePhotoImage_quietSpeakerImage_loudSpeakerImageBWTexturedSliderCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWTexturedSliderCell.o-[BWTexturedSliderCell controlSize]-[BWTexturedSliderCell setControlSize:]-[BWTexturedSliderCell numberOfTickMarks]-[BWTexturedSliderCell setNumberOfTickMarks:]-[BWTexturedSliderCell _usesCustomTrackImage]-[BWTexturedSliderCell trackHeight]-[BWTexturedSliderCell setTrackHeight:]-[BWTexturedSliderCell initWithCoder:]+[BWTexturedSliderCell initialize]-[BWTexturedSliderCell stopTracking:at:inView:mouseIsUp:]-[BWTexturedSliderCell startTrackingAt:inView:]-[BWTexturedSliderCell drawKnob:]-[BWTexturedSliderCell drawBarInside:flipped:]-[BWTexturedSliderCell encodeWithCoder:]_thumbPImage_thumbNImage_trackFillImage_trackLeftImage_trackRightImageBWAddSmallBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWAddSmallBottomBar.o-[BWAddSmallBottomBar awakeFromNib]-[BWAddSmallBottomBar drawRect:]-[BWAddSmallBottomBar bounds]-[BWAddSmallBottomBar initWithCoder:]BWAnchoredButtonBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWAnchoredButtonBar.o-[BWAnchoredButtonBar awakeFromNib]-[BWAnchoredButtonBar drawResizeHandleInRect:withColor:]-[BWAnchoredButtonBar viewDidMoveToSuperview]-[BWAnchoredButtonBar isInLastSubview]-[BWAnchoredButtonBar dividerIndexNearestToHandle]-[BWAnchoredButtonBar splitView]-[BWAnchoredButtonBar setSelectedIndex:]+[BWAnchoredButtonBar wasBorderedBar]-[BWAnchoredButtonBar splitView:constrainMinCoordinate:ofSubviewAt:]-[BWAnchoredButtonBar splitView:constrainMaxCoordinate:ofSubviewAt:]-[BWAnchoredButtonBar splitView:resizeSubviewsWithOldSize:]-[BWAnchoredButtonBar splitView:canCollapseSubview:]-[BWAnchoredButtonBar splitView:constrainSplitPosition:ofSubviewAt:]-[BWAnchoredButtonBar splitView:shouldCollapseSubview:forDoubleClickOnDividerAtIndex:]-[BWAnchoredButtonBar splitView:shouldHideDividerAtIndex:]-[BWAnchoredButtonBar splitViewDelegate]-[BWAnchoredButtonBar setSplitViewDelegate:]-[BWAnchoredButtonBar handleIsRightAligned]-[BWAnchoredButtonBar setHandleIsRightAligned:]-[BWAnchoredButtonBar isResizable]-[BWAnchoredButtonBar setIsResizable:]-[BWAnchoredButtonBar isAtBottom]-[BWAnchoredButtonBar selectedIndex]-[BWAnchoredButtonBar initWithFrame:]+[BWAnchoredButtonBar initialize]-[BWAnchoredButtonBar splitView:effectiveRect:forDrawnRect:ofDividerAtIndex:]-[BWAnchoredButtonBar splitView:additionalEffectiveRectOfDividerAtIndex:]-[BWAnchoredButtonBar dealloc]-[BWAnchoredButtonBar setIsAtBottom:]-[BWAnchoredButtonBar drawLastButtonInsetInRect:]-[BWAnchoredButtonBar drawRect:]-[BWAnchoredButtonBar encodeWithCoder:]-[BWAnchoredButtonBar initWithCoder:]/System/Library/Frameworks/AppKit.framework/Headers/NSSplitView.h_wasBorderedBar_gradient_topLineColor_borderedTopLineColor_resizeHandleColor_resizeInsetColor_bottomLineColor_sideInsetColor_topColor_middleTopColor_middleBottomColor_bottomColorBWAnchoredButton.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWAnchoredButton.o-[BWAnchoredButton isAtRightEdgeOfBar]-[BWAnchoredButton setIsAtRightEdgeOfBar:]-[BWAnchoredButton isAtLeftEdgeOfBar]-[BWAnchoredButton setIsAtLeftEdgeOfBar:]-[BWAnchoredButton initWithCoder:]-[BWAnchoredButton frame]-[BWAnchoredButton mouseDown:]BWAnchoredButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWAnchoredButtonCell.o-[BWAnchoredButtonCell controlSize]-[BWAnchoredButtonCell setControlSize:]-[BWAnchoredButtonCell highlightRectForBounds:]-[BWAnchoredButtonCell drawBezelWithFrame:inView:]-[BWAnchoredButtonCell textColor]-[BWAnchoredButtonCell imageColor]-[BWAnchoredButtonCell _textAttributes]+[BWAnchoredButtonCell initialize]-[BWAnchoredButtonCell drawImage:withFrame:inView:]-[BWAnchoredButtonCell titleRectForBounds:]-[BWAnchoredButtonCell drawWithFrame:inView:]_fillGradient_bottomBorderColor_sideInsetColor_borderedTopBorderColor_borderedSideBorderColor_topBorderColor_sideBorderColor_enabledTextColor_disabledTextColor_enabledImageColor_disabledImageColor_contentShadow_pressedColor_fillStop1_fillStop2_fillStop3_fillStop4NSColor+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/NSColor+BWAdditions.o-[NSColor(BWAdditions) bwDrawPixelThickLineAtPosition:withInset:inRect:inView:horizontal:flip:]/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBase.hNSImage+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/NSImage+BWAdditions.o-[NSImage(BWAdditions) bwRotateImage90DegreesClockwise:]-[NSImage(BWAdditions) bwTintedImageWithColor:]/System/Library/Frameworks/AppKit.framework/Headers/NSGraphics.hBWSelectableToolbarHelper.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWSelectableToolbarHelper.o-[BWSelectableToolbarHelper isPreferencesToolbar]-[BWSelectableToolbarHelper setIsPreferencesToolbar:]-[BWSelectableToolbarHelper init]-[BWSelectableToolbarHelper setContentViewsByIdentifier:]-[BWSelectableToolbarHelper contentViewsByIdentifier]-[BWSelectableToolbarHelper setWindowSizesByIdentifier:]-[BWSelectableToolbarHelper windowSizesByIdentifier]-[BWSelectableToolbarHelper setSelectedIdentifier:]-[BWSelectableToolbarHelper selectedIdentifier]-[BWSelectableToolbarHelper setOldWindowTitle:]-[BWSelectableToolbarHelper oldWindowTitle]-[BWSelectableToolbarHelper setInitialIBWindowSize:]-[BWSelectableToolbarHelper initialIBWindowSize]-[BWSelectableToolbarHelper dealloc]-[BWSelectableToolbarHelper encodeWithCoder:]-[BWSelectableToolbarHelper initWithCoder:]/System/Library/Frameworks/ApplicationServices.framework/Headers/../Frameworks/CoreGraphics.framework/Headers/CGGeometry.hNSWindow+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/NSWindow+BWAdditions.o-[NSWindow(BWAdditions) bwIsTextured]-[NSWindow(BWAdditions) bwResizeToSize:animate:]NSView+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/NSView+BWAdditions.o_compareViews-[NSView(BWAdditions) bwBringToFront]-[NSView(BWAdditions) bwAnimator]-[NSView(BWAdditions) bwTurnOffLayer]BWTransparentTableView.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWTransparentTableView.o+[BWTransparentTableView cellClass]-[BWTransparentTableView backgroundColor]-[BWTransparentTableView _alternatingRowBackgroundColors]-[BWTransparentTableView _highlightColorForCell:]-[BWTransparentTableView addTableColumn:]+[BWTransparentTableView initialize]-[BWTransparentTableView highlightSelectionInClipRect:]-[BWTransparentTableView drawBackgroundInClipRect:]/System/Library/Frameworks/AppKit.framework/Headers/NSTableColumn.h_rowColor_altRowColor_highlightColorBWTransparentTableViewCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWTransparentTableViewCell.o-[BWTransparentTableViewCell drawInteriorWithFrame:inView:]-[BWTransparentTableViewCell editWithFrame:inView:editor:delegate:event:]-[BWTransparentTableViewCell selectWithFrame:inView:editor:delegate:start:length:]-[BWTransparentTableViewCell drawingRectForBounds:]BWAnchoredPopUpButton.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWAnchoredPopUpButton.o-[BWAnchoredPopUpButton isAtRightEdgeOfBar]-[BWAnchoredPopUpButton setIsAtRightEdgeOfBar:]-[BWAnchoredPopUpButton isAtLeftEdgeOfBar]-[BWAnchoredPopUpButton setIsAtLeftEdgeOfBar:]-[BWAnchoredPopUpButton initWithCoder:]-[BWAnchoredPopUpButton frame]-[BWAnchoredPopUpButton mouseDown:]BWAnchoredPopUpButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWAnchoredPopUpButtonCell.o-[BWAnchoredPopUpButtonCell controlSize]-[BWAnchoredPopUpButtonCell setControlSize:]-[BWAnchoredPopUpButtonCell highlightRectForBounds:]-[BWAnchoredPopUpButtonCell drawBorderAndBackgroundWithFrame:inView:]-[BWAnchoredPopUpButtonCell textColor]-[BWAnchoredPopUpButtonCell imageColor]-[BWAnchoredPopUpButtonCell _textAttributes]+[BWAnchoredPopUpButtonCell initialize]-[BWAnchoredPopUpButtonCell drawImageWithFrame:inView:]-[BWAnchoredPopUpButtonCell imageRectForBounds:]-[BWAnchoredPopUpButtonCell titleRectForBounds:]-[BWAnchoredPopUpButtonCell drawArrowInFrame:]-[BWAnchoredPopUpButtonCell drawWithFrame:inView:]_fillGradient_bottomBorderColor_sideInsetColor_borderedTopBorderColor_borderedSideBorderColor_topBorderColor_sideBorderColor_enabledTextColor_disabledTextColor_enabledImageColor_disabledImageColor_contentShadow_pressedColor_pullDownArrow_fillStop1_fillStop2_fillStop3_fillStop4BWCustomView.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWCustomView.o-[BWCustomView drawRect:]-[BWCustomView drawTextInRect:]BWUnanchoredButton.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWUnanchoredButton.o-[BWUnanchoredButton initWithCoder:]-[BWUnanchoredButton frame]-[BWUnanchoredButton mouseDown:]BWUnanchoredButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWUnanchoredButtonCell.o-[BWUnanchoredButtonCell drawBezelWithFrame:inView:]-[BWUnanchoredButtonCell highlightRectForBounds:]+[BWUnanchoredButtonCell initialize]_fillGradient_topInsetColor_topBorderColor_borderColor_bottomInsetColor_fillStop1_fillStop2_fillStop3_fillStop4_pressedColorBWUnanchoredButtonContainer.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWUnanchoredButtonContainer.o-[BWUnanchoredButtonContainer awakeFromNib]BWSheetController.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWSheetController.o-[BWSheetController awakeFromNib]-[BWSheetController encodeWithCoder:]-[BWSheetController openSheet:]-[BWSheetController closeSheet:]-[BWSheetController messageDelegateAndCloseSheet:]-[BWSheetController delegate]-[BWSheetController sheet]-[BWSheetController parentWindow]-[BWSheetController initWithCoder:]-[BWSheetController setParentWindow:]-[BWSheetController setSheet:]-[BWSheetController setDelegate:]BWTransparentScrollView.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWTransparentScrollView.o+[BWTransparentScrollView _verticalScrollerClass]-[BWTransparentScrollView initWithCoder:]/System/Library/Frameworks/AppKit.framework/Headers/NSRulerMarker.hBWAddMiniBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWAddMiniBottomBar.o-[BWAddMiniBottomBar awakeFromNib]-[BWAddMiniBottomBar drawRect:]-[BWAddMiniBottomBar bounds]-[BWAddMiniBottomBar initWithCoder:]BWAddSheetBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWAddSheetBottomBar.o-[BWAddSheetBottomBar awakeFromNib]-[BWAddSheetBottomBar drawRect:]-[BWAddSheetBottomBar bounds]-[BWAddSheetBottomBar initWithCoder:]BWTokenFieldCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWTokenFieldCell.o-[BWTokenFieldCell setUpTokenAttachmentCell:forRepresentedObject:]/System/Library/Frameworks/AppKit.framework/Headers/NSImage.hBWTokenAttachmentCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWTokenAttachmentCell.o-[BWTokenAttachmentCell arrowInHighlightedState:]-[BWTokenAttachmentCell pullDownImage]-[BWTokenAttachmentCell drawTokenWithFrame:inView:]-[BWTokenAttachmentCell interiorBackgroundStyle]+[BWTokenAttachmentCell initialize]-[BWTokenAttachmentCell pullDownRectForBounds:]-[BWTokenAttachmentCell _textAttributes]_highlightedArrowColor_arrowGradient_blueStrokeGradient_blueInsetGradient_blueGradient_highlightedBlueStrokeGradient_highlightedBlueInsetGradient_highlightedBlueGradient_textShadowBWTransparentScroller.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWTransparentScroller.o-[BWTransparentScroller initWithFrame:]+[BWTransparentScroller scrollerWidthForControlSize:]+[BWTransparentScroller scrollerWidth]+[BWTransparentScroller initialize]-[BWTransparentScroller rectForPart:]-[BWTransparentScroller _drawingRectForPart:]-[BWTransparentScroller drawKnob]-[BWTransparentScroller drawKnobSlot]-[BWTransparentScroller drawRect:]-[BWTransparentScroller initWithCoder:]_slotVerticalFill_backgroundColor_minKnobHeight_minKnobWidth_slotTop_slotBottom_slotLeft_slotHorizontalFill_slotRight_knobTop_knobVerticalFill_knobBottom_knobLeft_knobHorizontalFill_knobRightBWTransparentTextFieldCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWTransparentTextFieldCell.o-[BWTransparentTextFieldCell _textAttributes]+[BWTransparentTextFieldCell initialize]/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileDescriptor.h_textShadowBWToolbarItem.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWToolbarItem.o-[BWToolbarItem setIdentifierString:]-[BWToolbarItem initWithCoder:]-[BWToolbarItem identifierString]-[BWToolbarItem dealloc]-[BWToolbarItem encodeWithCoder:]NSString+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/NSString+BWAdditions.o+[NSString(BWAdditions) bwRandomUUID]/usr/include/objc/objc.hNSEvent+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/NSEvent+BWAdditions.o+[NSEvent(BWAdditions) bwShiftKeyIsDown]+[NSEvent(BWAdditions) bwCommandKeyIsDown]+[NSEvent(BWAdditions) bwOptionKeyIsDown]+[NSEvent(BWAdditions) bwControlKeyIsDown]+[NSEvent(BWAdditions) bwCapsLockKeyIsDown]/Users/brandon/Temp/bwtoolkit//BWHyperlinkButton.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWHyperlinkButton.o-[BWHyperlinkButton awakeFromNib]-[BWHyperlinkButton openURLInBrowser:]-[BWHyperlinkButton urlString]-[BWHyperlinkButton initWithCoder:]-[BWHyperlinkButton setUrlString:]-[BWHyperlinkButton dealloc]-[BWHyperlinkButton resetCursorRects]-[BWHyperlinkButton encodeWithCoder:]BWHyperlinkButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWHyperlinkButtonCell.o-[BWHyperlinkButtonCell drawBezelWithFrame:inView:]-[BWHyperlinkButtonCell setBordered:]-[BWHyperlinkButtonCell isBordered]-[BWHyperlinkButtonCell _textAttributes]BWGradientBox.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWGradientBox.o-[BWGradientBox isFlipped]-[BWGradientBox setFillColor:]-[BWGradientBox setFillStartingColor:]-[BWGradientBox setFillEndingColor:]-[BWGradientBox setTopBorderColor:]-[BWGradientBox setBottomBorderColor:]-[BWGradientBox hasFillColor]-[BWGradientBox setHasFillColor:]-[BWGradientBox hasGradient]-[BWGradientBox setHasGradient:]-[BWGradientBox hasBottomBorder]-[BWGradientBox setHasBottomBorder:]-[BWGradientBox hasTopBorder]-[BWGradientBox setHasTopBorder:]-[BWGradientBox bottomInsetAlpha]-[BWGradientBox setBottomInsetAlpha:]-[BWGradientBox topInsetAlpha]-[BWGradientBox setTopInsetAlpha:]-[BWGradientBox bottomBorderColor]-[BWGradientBox topBorderColor]-[BWGradientBox fillColor]-[BWGradientBox fillEndingColor]-[BWGradientBox fillStartingColor]-[BWGradientBox initWithCoder:]-[BWGradientBox dealloc]-[BWGradientBox drawRect:]-[BWGradientBox encodeWithCoder:]BWStyledTextField.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWStyledTextField.o-[BWStyledTextField hasShadow]-[BWStyledTextField setHasShadow:]-[BWStyledTextField shadowIsBelow]-[BWStyledTextField setShadowIsBelow:]-[BWStyledTextField shadowColor]-[BWStyledTextField setShadowColor:]-[BWStyledTextField hasGradient]-[BWStyledTextField setHasGradient:]-[BWStyledTextField startingColor]-[BWStyledTextField setStartingColor:]-[BWStyledTextField endingColor]-[BWStyledTextField setEndingColor:]-[BWStyledTextField solidColor]-[BWStyledTextField setSolidColor:]BWStyledTextFieldCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWStyledTextFieldCell.o-[BWStyledTextFieldCell changeShadow]-[BWStyledTextFieldCell setStartingColor:]-[BWStyledTextFieldCell setEndingColor:]-[BWStyledTextFieldCell setSolidColor:]-[BWStyledTextFieldCell setHasGradient:]-[BWStyledTextFieldCell setShadowIsBelow:]-[BWStyledTextFieldCell setShadowColor:]-[BWStyledTextFieldCell solidColor]-[BWStyledTextFieldCell hasGradient]-[BWStyledTextFieldCell endingColor]-[BWStyledTextFieldCell startingColor]-[BWStyledTextFieldCell shadow]-[BWStyledTextFieldCell hasShadow]-[BWStyledTextFieldCell setHasShadow:]-[BWStyledTextFieldCell shadowColor]-[BWStyledTextFieldCell shadowIsBelow]-[BWStyledTextFieldCell initWithCoder:]-[BWStyledTextFieldCell setShadow:]-[BWStyledTextFieldCell setPreviousAttributes:]-[BWStyledTextFieldCell previousAttributes]-[BWStyledTextFieldCell drawInteriorWithFrame:inView:]-[BWStyledTextFieldCell applyGradient]-[BWStyledTextFieldCell awakeFromNib]-[BWStyledTextFieldCell _textAttributes]-[BWStyledTextFieldCell dealloc]-[BWStyledTextFieldCell copyWithZone:]-[BWStyledTextFieldCell encodeWithCoder:]NSApplication+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/NSApplication+BWAdditions.o+[NSApplication(BWAdditions) bwIsOnLeopard]single moduleunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/0000755006131600613160000000000012050210655032027 5ustar bcpiercebcpierce././@LongLink0000000000000000000000000000016200000000000011564 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWTransparentButton.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWTransp0000644006131600613160000000035311361646373033471 0ustar bcpiercebcpierce// // BWTransparentButton.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTransparentButton : NSButton { } @end ././@LongLink0000000000000000000000000000015700000000000011570 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWInsetTextField.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWInsetT0000644006131600613160000000035011361646373033425 0ustar bcpiercebcpierce// // BWInsetTextField.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWInsetTextField : NSTextField { } @end ././@LongLink0000000000000000000000000000016200000000000011564 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/NSColor+BWAdditions.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/NSColor+0000644006131600613160000000112211361646373033356 0ustar bcpiercebcpierce// // NSColor+BWAdditions.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface NSColor (BWAdditions) // Use this method to draw 1 px wide lines independent of scale factor. Handy for resolution independent drawing. Still needs some work - there are issues with drawing at the edges of views. - (void)bwDrawPixelThickLineAtPosition:(int)posInPixels withInset:(int)insetInPixels inRect:(NSRect)aRect inView:(NSView *)view horizontal:(BOOL)isHorizontal flip:(BOOL)shouldFlip; @end ././@LongLink0000000000000000000000000000015200000000000011563 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWSplitView.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWSplitV0000644006131600613160000000276011361646373033447 0ustar bcpiercebcpierce// // BWSplitView.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) and Fraser Kuyvenhoven. // All code is provided under the New BSD license. // #import @interface BWSplitView : NSSplitView { NSColor *color; BOOL colorIsEnabled, checkboxIsEnabled, dividerCanCollapse, collapsibleSubviewCollapsed; id secondaryDelegate; NSMutableDictionary *minValues, *maxValues, *minUnits, *maxUnits; NSMutableDictionary *resizableSubviewPreferredProportion, *nonresizableSubviewPreferredSize; NSArray *stateForLastPreferredCalculations; int collapsiblePopupSelection; float uncollapsedSize; // Collapse button NSButton *toggleCollapseButton; BOOL isAnimating; } @property (retain) NSMutableDictionary *minValues, *maxValues, *minUnits, *maxUnits; @property (retain) NSMutableDictionary *resizableSubviewPreferredProportion, *nonresizableSubviewPreferredSize; @property (retain) NSArray *stateForLastPreferredCalculations; @property (retain) NSButton *toggleCollapseButton; @property (assign) id secondaryDelegate; @property BOOL collapsibleSubviewCollapsed; @property int collapsiblePopupSelection; @property BOOL dividerCanCollapse; // The split view divider color @property (copy) NSColor *color; // Flag for whether a custom divider color is enabled. If not, the standard divider color is used. @property BOOL colorIsEnabled; // Call this method to collapse or expand a subview configured as collapsible in the IB inspector. - (IBAction)toggleCollapse:(id)sender; @end ././@LongLink0000000000000000000000000000016200000000000011564 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWSelectableToolbar.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWSelect0000644006131600613160000000230211361646373033435 0ustar bcpiercebcpierce// // BWSelectableToolbar.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @class BWSelectableToolbarHelper; // Notification that gets sent when a toolbar item has been clicked. You can get the button that was clicked by getting the object // for the key @"BWClickedItem" in the supplied userInfo dictionary. extern NSString * const BWSelectableToolbarItemClickedNotification; @interface BWSelectableToolbar : NSToolbar { BWSelectableToolbarHelper *helper; NSMutableArray *itemIdentifiers; NSMutableDictionary *itemsByIdentifier, *enabledByIdentifier; BOOL inIB; // For the IB inspector int selectedIndex; BOOL isPreferencesToolbar; } // Call one of these methods to set the active tab. - (void)setSelectedItemIdentifier:(NSString *)itemIdentifier; // Use if you want an action in the tabbed window to change the tab. - (void)setSelectedItemIdentifierWithoutAnimation:(NSString *)itemIdentifier; // Use if you want to show the window with a certain item selected. // Programmatically disable or enable a toolbar item. - (void)setEnabled:(BOOL)flag forIdentifier:(NSString *)itemIdentifier; @end ././@LongLink0000000000000000000000000000015700000000000011570 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWTokenFieldCell.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWTokenF0000644006131600613160000000035511361646373033412 0ustar bcpiercebcpierce// // BWTokenFieldCell.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTokenFieldCell : NSTokenFieldCell { } @end ././@LongLink0000000000000000000000000000016100000000000011563 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWUnanchoredButton.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWUnanch0000644006131600613160000000040211361646373033431 0ustar bcpiercebcpierce// // BWUnanchoredButton.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWUnanchoredButton : NSButton { NSPoint topAndLeftInset; } @end ././@LongLink0000000000000000000000000000015400000000000011565 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWToolbarItem.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWToolba0000644006131600613160000000040011361646373033433 0ustar bcpiercebcpierce// // BWToolbarItem.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWToolbarItem : NSToolbarItem { NSString *identifierString; } @end ././@LongLink0000000000000000000000000000017300000000000011566 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWTransparentPopUpButtonCell.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWTransp0000644006131600613160000000040611361646373033470 0ustar bcpiercebcpierce// // BWTransparentPopUpButtonCell.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTransparentPopUpButtonCell : NSPopUpButtonCell { } @end ././@LongLink0000000000000000000000000000015700000000000011570 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWAnchoredButton.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWAnchor0000644006131600613160000000056711361646373033443 0ustar bcpiercebcpierce// // BWAnchoredButton.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWAnchoredButton : NSButton { BOOL isAtLeftEdgeOfBar; BOOL isAtRightEdgeOfBar; NSPoint topAndLeftInset; } @property BOOL isAtLeftEdgeOfBar; @property BOOL isAtRightEdgeOfBar; @end ././@LongLink0000000000000000000000000000017000000000000011563 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/NSApplication+BWAdditions.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/NSApplic0000644006131600613160000000040111361646373033434 0ustar bcpiercebcpierce// // NSApplication+BWAdditions.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface NSApplication (BWAdditions) + (BOOL)bwIsOnLeopard; @end ././@LongLink0000000000000000000000000000016400000000000011566 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWStyledTextFieldCell.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWStyled0000644006131600613160000000107111361646373033464 0ustar bcpiercebcpierce// // BWStyledTextFieldCell.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWStyledTextFieldCell : NSTextFieldCell { BOOL shadowIsBelow, hasShadow, hasGradient; NSColor *shadowColor, *startingColor, *endingColor, *solidColor; NSShadow *shadow; NSMutableDictionary *previousAttributes; } @property BOOL shadowIsBelow, hasShadow, hasGradient; @property (nonatomic, retain) NSColor *shadowColor, *startingColor, *endingColor, *solidColor; @end ././@LongLink0000000000000000000000000000016600000000000011570 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWTransparentScrollView.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWTransp0000644006131600613160000000036711361646373033476 0ustar bcpiercebcpierce// // BWTransparentScrollView.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTransparentScrollView : NSScrollView { } @end ././@LongLink0000000000000000000000000000017100000000000011564 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWTransparentTextFieldCell.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWTransp0000644006131600613160000000040011361646373033462 0ustar bcpiercebcpierce// // BWTransparentTextFieldCell.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTransparentTextFieldCell : NSTextFieldCell { } @end ././@LongLink0000000000000000000000000000017000000000000011563 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWTransparentCheckboxCell.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWTransp0000644006131600613160000000043511361646373033472 0ustar bcpiercebcpierce// // BWTransparentCheckboxCell.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import #import "BWTransparentCheckbox.h" @interface BWTransparentCheckboxCell : NSButtonCell { } @end ././@LongLink0000000000000000000000000000016300000000000011565 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWTexturedSliderCell.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWTextur0000755006131600613160000000045711361646373033525 0ustar bcpiercebcpierce// // BWTexturedSliderCell.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTexturedSliderCell : NSSliderCell { BOOL isPressed; int trackHeight; } @property int trackHeight; @end ././@LongLink0000000000000000000000000000016400000000000011566 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWTransparentScroller.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWTransp0000644006131600613160000000040211361646373033464 0ustar bcpiercebcpierce// // BWTransparentScroller.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTransparentScroller : NSScroller { BOOL isVertical; } @end ././@LongLink0000000000000000000000000000015400000000000011565 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWGradientBox.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWGradie0000644006131600613160000000124711361646373033420 0ustar bcpiercebcpierce// // BWGradientBox.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWGradientBox : NSView { NSColor *fillStartingColor, *fillEndingColor, *fillColor; NSColor *topBorderColor, *bottomBorderColor; float topInsetAlpha, bottomInsetAlpha; BOOL hasTopBorder, hasBottomBorder, hasGradient, hasFillColor; } @property (nonatomic, retain) NSColor *fillStartingColor, *fillEndingColor, *fillColor, *topBorderColor, *bottomBorderColor; @property float topInsetAlpha, bottomInsetAlpha; @property BOOL hasTopBorder, hasBottomBorder, hasGradient, hasFillColor; @end ././@LongLink0000000000000000000000000000017100000000000011564 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWTransparentTableViewCell.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWTransp0000644006131600613160000000043411361646373033471 0ustar bcpiercebcpierce// // BWTransparentTableViewCell.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTransparentTableViewCell : NSTextFieldCell { BOOL mIsEditingOrSelecting; } @end ././@LongLink0000000000000000000000000000016600000000000011570 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWToolbarShowColorsItem.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWToolba0000644006131600613160000000037011361646373033441 0ustar bcpiercebcpierce// // BWToolbarShowColorsItem.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWToolbarShowColorsItem : NSToolbarItem { } @end ././@LongLink0000000000000000000000000000016200000000000011564 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWTransparentSlider.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWTransp0000644006131600613160000000035311361646373033471 0ustar bcpiercebcpierce// // BWTransparentSlider.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTransparentSlider : NSSlider { } @end ././@LongLink0000000000000000000000000000017000000000000011563 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWAnchoredPopUpButtonCell.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWAnchor0000644006131600613160000000040011361646373033425 0ustar bcpiercebcpierce// // BWAnchoredPopUpButtonCell.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWAnchoredPopUpButtonCell : NSPopUpButtonCell { } @end ././@LongLink0000000000000000000000000000016400000000000011566 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/NSTokenAttachmentCell.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/NSTokenA0000644006131600613160000000323111361646373033411 0ustar bcpiercebcpierce/* * Generated by class-dump 3.1.2. * * class-dump is Copyright (C) 1997-1998, 2000-2001, 2004-2007 by Steve Nygard. */ #import @interface NSTokenAttachmentCell : NSTextAttachmentCell { id _representedObject; id _textColor; id _reserved; struct { unsigned int _selected:1; unsigned int _edgeStyle:2; unsigned int _reserved:29; } _tacFlags; } + (void)initialize; - (id)initTextCell:(id)fp8; - (id)init; - (void)dealloc; - (id)representedObject; - (void)setRepresentedObject:(id)fp8; - (int)interiorBackgroundStyle; - (BOOL)_hasMenu; - (id)tokenForegroundColor; - (id)tokenBackgroundColor; - (id)textColor; - (void)setTextColor:(id)fp8; - (id)pullDownImage; - (id)menu; - (NSSize)cellSizeForBounds:(NSRect)fp8; - (NSSize)cellSize; - (NSRect)drawingRectForBounds:(NSRect)fp8; - (NSRect)titleRectForBounds:(NSRect)fp8; - (NSRect)cellFrameForTextContainer:(id)fp8 proposedLineFragment:(NSRect)fp12 glyphPosition:(NSPoint)fp28 characterIndex:(unsigned int)fp36; - (NSPoint)cellBaselineOffset; - (NSRect)pullDownRectForBounds:(NSRect)fp8; - (void)drawTokenWithFrame:(NSRect)fp8 inView:(id)fp24; - (void)drawInteriorWithFrame:(NSRect)fp8 inView:(id)fp24; - (void)drawWithFrame:(NSRect)fp8 inView:(id)fp24; - (void)drawWithFrame:(NSRect)fp8 inView:(id)fp24 characterIndex:(unsigned int)fp28 layoutManager:(id)fp32; - (void)encodeWithCoder:(id)fp8; - (id)initWithCoder:(id)fp8; - (BOOL)wantsToTrackMouseForEvent:(id)fp8 inRect:(NSRect)fp12 ofView:(id)fp28 atCharacterIndex:(unsigned int)fp32; - (BOOL)trackMouse:(id)fp8 inRect:(NSRect)fp12 ofView:(id)fp28 atCharacterIndex:(unsigned int)fp32 untilMouseUp:(BOOL)fp36; @end ././@LongLink0000000000000000000000000000016000000000000011562 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWHyperlinkButton.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWHyperl0000644006131600613160000000045611361646373033471 0ustar bcpiercebcpierce// // BWHyperlinkButton.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWHyperlinkButton : NSButton { NSString *urlString; } @property (copy, nonatomic) NSString *urlString; @end ././@LongLink0000000000000000000000000000016200000000000011564 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/NSImage+BWAdditions.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/NSImage+0000644006131600613160000000076311361646373033334 0ustar bcpiercebcpierce// // NSImage+BWAdditions.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface NSImage (BWAdditions) // Draw a solid color over an image - taking into account alpha. Useful for coloring template images. - (NSImage *)bwTintedImageWithColor:(NSColor *)tint; // Rotate an image 90 degrees clockwise or counterclockwise - (NSImage *)bwRotateImage90DegreesClockwise:(BOOL)clockwise; @end ././@LongLink0000000000000000000000000000016600000000000011570 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWTransparentButtonCell.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWTransp0000644006131600613160000000042711361646373033473 0ustar bcpiercebcpierce// // BWTransparentButtonCell.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import #import "BWTransparentButton.h" @interface BWTransparentButtonCell : NSButtonCell { } @end ././@LongLink0000000000000000000000000000016500000000000011567 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWToolbarShowFontsItem.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWToolba0000644006131600613160000000036711361646373033447 0ustar bcpiercebcpierce// // BWToolbarShowFontsItem.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWToolbarShowFontsItem : NSToolbarItem { } @end ././@LongLink0000000000000000000000000000016400000000000011566 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWTokenAttachmentCell.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWTokenA0000644006131600613160000000043611361646373033405 0ustar bcpiercebcpierce// // BWTokenAttachmentCell.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import #import "NSTokenAttachmentCell.h" @interface BWTokenAttachmentCell : NSTokenAttachmentCell { } @end ././@LongLink0000000000000000000000000000016100000000000011563 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/NSView+BWAdditions.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/NSView+B0000644006131600613160000000054511361646373033324 0ustar bcpiercebcpierce// // NSView+BWAdditions.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface NSView (BWAdditions) - (void)bwBringToFront; // Returns animator proxy and calls setWantsLayer:NO on the view when the animation completes - (id)bwAnimator; @end ././@LongLink0000000000000000000000000000015300000000000011564 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWTokenField.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWTokenF0000644006131600613160000000034111361646373033405 0ustar bcpiercebcpierce// // BWTokenField.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTokenField : NSTokenField { } @end ././@LongLink0000000000000000000000000000016300000000000011565 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/NSWindow+BWAdditions.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/NSWindow0000644006131600613160000000046711361646373033507 0ustar bcpiercebcpierce// // NSWindow+BWAdditions.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface NSWindow (BWAdditions) - (void)bwResizeToSize:(NSSize)newSize animate:(BOOL)animateFlag; - (BOOL)bwIsTextured; @end ././@LongLink0000000000000000000000000000016500000000000011567 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWUnanchoredButtonCell.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWUnanch0000644006131600613160000000043611361646373033440 0ustar bcpiercebcpierce// // BWUnanchoredButtonCell.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import #import "BWAnchoredButtonCell.h" @interface BWUnanchoredButtonCell : BWAnchoredButtonCell { } @end ././@LongLink0000000000000000000000000000016700000000000011571 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWTransparentPopUpButton.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWTransp0000644006131600613160000000037311361646373033473 0ustar bcpiercebcpierce// // BWTransparentPopUpButton.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTransparentPopUpButton : NSPopUpButton { } @end ././@LongLink0000000000000000000000000000016300000000000011565 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWAnchoredButtonCell.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWAnchor0000644006131600613160000000036211361646373033434 0ustar bcpiercebcpierce// // BWAnchoredButtonCell.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWAnchoredButtonCell : NSButtonCell { } @end ././@LongLink0000000000000000000000000000016000000000000011562 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWStyledTextField.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWStyled0000644006131600613160000000124311361646373033465 0ustar bcpiercebcpierce// // BWStyledTextField.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWStyledTextField : NSTextField { } - (BOOL)hasGradient; - (void)setHasGradient:(BOOL)flag; - (NSColor *)startingColor; - (void)setStartingColor:(NSColor *)color; - (NSColor *)endingColor; - (void)setEndingColor:(NSColor *)color; - (NSColor *)solidColor; - (void)setSolidColor:(NSColor *)color; - (BOOL)hasShadow; - (void)setHasShadow:(BOOL)flag; - (BOOL)shadowIsBelow; - (void)setShadowIsBelow:(BOOL)flag; - (NSColor *)shadowColor; - (void)setShadowColor:(NSColor *)color; @end ././@LongLink0000000000000000000000000000016000000000000011562 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWSheetController.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWSheetC0000644006131600613160000000170311361646373033375 0ustar bcpiercebcpierce// // BWSheetController.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWSheetController : NSObject { NSWindow *sheet; NSWindow *parentWindow; id delegate; } @property (nonatomic, retain) IBOutlet NSWindow *sheet, *parentWindow; @property (nonatomic, retain) IBOutlet id delegate; - (IBAction)openSheet:(id)sender; - (IBAction)closeSheet:(id)sender; - (IBAction)messageDelegateAndCloseSheet:(id)sender; // The optional delegate should implement the method: // - (BOOL)shouldCloseSheet:(id)sender // Return YES if you want the sheet to close after the button click, NO if it shouldn't close. The sender // object is the button that requested the close. This is helpful because in the event that there are multiple buttons // hooked up to the messageDelegateAndCloseSheet: method, you can distinguish which button called the method. @end ././@LongLink0000000000000000000000000000016400000000000011566 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWTransparentCheckbox.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWTransp0000644006131600613160000000035711361646373033475 0ustar bcpiercebcpierce// // BWTransparentCheckbox.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTransparentCheckbox : NSButton { } @end ././@LongLink0000000000000000000000000000015700000000000011570 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWTexturedSlider.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWTextur0000755006131600613160000000075711361646373033530 0ustar bcpiercebcpierce// // BWTexturedSlider.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTexturedSlider : NSSlider { int trackHeight, indicatorIndex; NSRect sliderCellRect; NSButton *minButton, *maxButton; } @property int indicatorIndex; @property (retain) NSButton *minButton; @property (retain) NSButton *maxButton; - (int)trackHeight; - (void)setTrackHeight:(int)newTrackHeight; @end ././@LongLink0000000000000000000000000000016500000000000011567 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWTransparentTableView.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWTransp0000644006131600613160000000036411361646373033473 0ustar bcpiercebcpierce// // BWTransparentTableView.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTransparentTableView : NSTableView { } @end ././@LongLink0000000000000000000000000000016600000000000011570 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWTransparentSliderCell.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWTransp0000644006131600613160000000040711361646373033471 0ustar bcpiercebcpierce// // BWTransparentSliderCell.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTransparentSliderCell : NSSliderCell { BOOL isPressed; } @end ././@LongLink0000000000000000000000000000016200000000000011564 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWAnchoredButtonBar.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWAnchor0000644006131600613160000000124011361646373033430 0ustar bcpiercebcpierce// // BWAnchoredButtonBar.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWAnchoredButtonBar : NSView { BOOL isResizable, isAtBottom, handleIsRightAligned; int selectedIndex; id splitViewDelegate; } @property BOOL isResizable, isAtBottom, handleIsRightAligned; @property int selectedIndex; // The mode of this bar with a resize handle makes use of some NSSplitView delegate methods. Use the splitViewDelegate for any custom delegate implementations // you'd like to provide. @property (assign) id splitViewDelegate; + (BOOL)wasBorderedBar; @end ././@LongLink0000000000000000000000000000016400000000000011566 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWAnchoredPopUpButton.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWAnchor0000644006131600613160000000060611361646373033435 0ustar bcpiercebcpierce// // BWAnchoredPopUpButton.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWAnchoredPopUpButton : NSPopUpButton { BOOL isAtLeftEdgeOfBar; BOOL isAtRightEdgeOfBar; NSPoint topAndLeftInset; } @property BOOL isAtLeftEdgeOfBar; @property BOOL isAtRightEdgeOfBar; @end ././@LongLink0000000000000000000000000000016100000000000011563 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWToolkitFramework.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWToolki0000644006131600613160000000267011361646373033467 0ustar bcpiercebcpierce// // BWToolkitFramework.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // // This is a convenience header for importing the BWToolkit framework into your classes. #import "BWAnchoredButton.h" #import "BWAnchoredButtonBar.h" #import "BWAnchoredButtonCell.h" #import "BWAnchoredPopUpButton.h" #import "BWAnchoredPopUpButtonCell.h" #import "BWGradientBox.h" #import "BWHyperlinkButton.h" #import "BWHyperlinkButtonCell.h" #import "BWInsetTextField.h" #import "BWSelectableToolbar.h" #import "BWSheetController.h" #import "BWSplitView.h" #import "BWStyledTextField.h" #import "BWStyledTextFieldCell.h" #import "BWTexturedSlider.h" #import "BWTexturedSliderCell.h" #import "BWTokenAttachmentCell.h" #import "BWTokenField.h" #import "BWTokenFieldCell.h" #import "BWToolbarItem.h" #import "BWToolbarShowColorsItem.h" #import "BWToolbarShowFontsItem.h" #import "BWTransparentButton.h" #import "BWTransparentButtonCell.h" #import "BWTransparentCheckbox.h" #import "BWTransparentCheckboxCell.h" #import "BWTransparentPopUpButton.h" #import "BWTransparentPopUpButtonCell.h" #import "BWTransparentScroller.h" #import "BWTransparentScrollView.h" #import "BWTransparentSlider.h" #import "BWTransparentSliderCell.h" #import "BWTransparentTableView.h" #import "BWTransparentTableViewCell.h" #import "BWTransparentTextFieldCell.h" #import "BWUnanchoredButton.h" #import "BWUnanchoredButtonCell.h" ././@LongLink0000000000000000000000000000016000000000000011562 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/NSTokenAttachment.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/NSTokenA0000644006131600613160000000061511361646373033414 0ustar bcpiercebcpierce/* * Generated by class-dump 3.1.2. * * class-dump is Copyright (C) 1997-1998, 2000-2001, 2004-2007 by Steve Nygard. */ #import @interface NSTokenAttachment : NSTextAttachment { id _delegate; } - (id)initWithDelegate:(id)fp8; - (void)encodeWithCoder:(id)fp8; - (id)initWithCoder:(id)fp8; - (id)attachmentCell; - (id)delegate; - (void)setDelegate:(id)fp8; @end ././@LongLink0000000000000000000000000000016400000000000011566 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWHyperlinkButtonCell.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Headers/BWHyperl0000644006131600613160000000036211361646373033465 0ustar bcpiercebcpierce// // BWHyperlinkButtonCell.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWHyperlinkButtonCell : NSButtonCell { } @end unison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/0000755006131600613160000000000012050210655032426 5ustar bcpiercebcpierce././@LongLink0000000000000000000000000000017700000000000011572 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/TransparentSliderTrackRight.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/Transp0000644006131600613160000000047411361646373033643 0ustar bcpiercebcpierceMM*>0 L*?0 & &@$,(=RS4iHH././@LongLink0000000000000000000000000000017600000000000011571 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/TransparentScrollerKnobLeft.tifunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/Transp0000644006131600613160000000720011361646373033635 0ustar bcpiercebcpierceMM* P8 BH0  A!\TST24L0J@Ic/D6|hH?T'1z?@ 7J+%*\LdM$7[H0O\ j&R.4@R D<#ja` 2U(12=RS0is H8HHAdobe Photoshop CS4 Macintosh2008:11:02 20:27:55 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000017500000000000011570 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/TexturedSliderSpeakerQuiet.pngunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/Textur0000644006131600613160000000044211361646373033662 0ustar bcpiercebcpiercePNG  IHDR {D!tEXtSoftwareGraphicConverter (Intel)wIDATxb` ī@[GnE754nkj*RVQrSEUU$Z 7<)  RUS] ++{SFAlY( RdhdAJZ򦤔K!X HGOwY7!(fĂ() x PHX"B&OIENDB`././@LongLink0000000000000000000000000000020000000000000011555 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/GradientSplitViewDimpleBitmap.tifunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/Gradie0000644006131600613160000000674611361646373033577 0ustar bcpiercebcpierceMM*Z6 MX# ,-!A`/bA6N<@@P2*'V^(1f2=Sis HHHAdobe Photoshop CS3 Macintosh2008:02:01 16:09:56 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000017200000000000011565 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/TransparentCheckboxOnP.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/Transp0000644006131600613160000000144611361646373033643 0ustar bcpiercebcpierceMM*( P8$ A@ B8 OϤI򅁁 aTo928+(!s\ GtoĒ_0FL ZV*%HK$J1D~l5-4!tT 5A 6 KºP*L a^G [ |<r 7++B=.`. [eXKC2Y-Y**pE^[A0x;`QyV{n7[e|M.7 oҁ4Oh z!nEx[#x&dFm  D@" BT@\y^0gx!$,@%"O\T 1uaZ'B#YRQK,̄/LjYqws: &%H&#`9Ӵ.J&n[zr(dTxfrd#(%S `E<(򁝨ހ& $(=RSiHH././@LongLink0000000000000000000000000000017300000000000011566 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/TransparentSliderThumbP.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/Transp0000644006131600613160000000126011361646373033635 0ustar bcpiercebcpierceMM*  P8 )9 K (#1g.W UZR?O$ pa5]& $UDO S* m6@o6K_pL'~PgµXL@ VGN{pO+3 X}m1xE{3P @$.L:1*.>3y 6(⁞   & (=RSiHH././@LongLink0000000000000000000000000000017200000000000011565 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/TransparentCheckboxOnN.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/Transp0000644006131600613160000000141611361646373033640 0ustar bcpiercebcpierceMM* P8$ A zEQg$ISif`@ : `0h5Tj$bZꔊAs\$m6b1T ,A+\q5`V!O'va1(zTV `c ko|.GHk_0'A`tF-{_{á۬0*E6U Ķ+#|xvpG; ۶uRֻJ[Q|.Qs z 9BQ)f" 8nPV+jᒍE~^0q6HFJ܁rg1b @J{gz g  & (=RSiHH././@LongLink0000000000000000000000000000017100000000000011564 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/ButtonBarPullDownArrow.pdfunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/Button0000644006131600613160000002471611361646373033654 0ustar bcpiercebcpierce%PDF-1.7 % 1 0 obj <> endobj 12 0 obj <>stream application/pdf Adobe Photoshop CS3 Macintosh 2008-06-14T20:29:08-04:00 2008-06-14T20:29:31-04:00 2008-06-14T20:29:31-04:00 JPEG 3 5 /9j/4AAQSkZJRgABAgAASABIAAD/7QAMQWRvYmVfQ00AAf/uAA5BZG9iZQBkgAAAAAH/2wCEAAwI CAgJCAwJCQwRCwoLERUPDAwPFRgTExUTExgRDAwMDAwMEQwMDAwMDAwMDAwMDAwMDAwMDAwMDAwM DAwMDAwBDQsLDQ4NEA4OEBQODg4UFA4ODg4UEQwMDAwMEREMDAwMDAwRDAwMDAwMDAwMDAwMDAwM DAwMDAwMDAwMDAwMDP/AABEIAAMABQMBIgACEQEDEQH/3QAEAAH/xAE/AAABBQEBAQEBAQAAAAAA AAADAAECBAUGBwgJCgsBAAEFAQEBAQEBAAAAAAAAAAEAAgMEBQYHCAkKCxAAAQQBAwIEAgUHBggF AwwzAQACEQMEIRIxBUFRYRMicYEyBhSRobFCIyQVUsFiMzRygtFDByWSU/Dh8WNzNRaisoMmRJNU ZEXCo3Q2F9JV4mXys4TD03Xj80YnlKSFtJXE1OT0pbXF1eX1VmZ2hpamtsbW5vY3R1dnd4eXp7fH 1+f3EQACAgECBAQDBAUGBwcGBTUBAAIRAyExEgRBUWFxIhMFMoGRFKGxQiPBUtHwMyRi4XKCkkNT FWNzNPElBhaisoMHJjXC0kSTVKMXZEVVNnRl4vKzhMPTdePzRpSkhbSVxNTk9KW1xdXl9VZmdoaW prbG1ub2JzdHV2d3h5ent8f/2gAMAwEAAhEDEQA/AMyv7J+2b4/YW79s0z/Sdm708jbz7Ps3qb/5 v9X+2/zv6r6KS89SSU//2Q== uuid:3233F5DEE23BDD1188A5F807AAD5B5AB uuid:d364bcf4-ecbc-9348-b5a9-7f85a6b611f5 uuid:72448EAFE13BDD1188A5F807AAD5B5AB uuid:72448EAFE13BDD1188A5F807AAD5B5AB 1 720000/10000 720000/10000 2 256,257,258,259,262,274,277,284,530,531,282,283,296,301,318,319,529,532,306,270,271,272,305,315,33432;5F3E335AFF780C9D7CD7E1ADA05DBE38 5 3 1 36864,40960,40961,37121,37122,40962,40963,37510,40964,36867,36868,33434,33437,34850,34852,34855,34856,37377,37378,37379,37380,37381,37382,37383,37384,37385,37386,37396,41483,41484,41486,41487,41488,41492,41493,41495,41728,41729,41730,41985,41986,41987,41988,41989,41990,41991,41992,41993,41994,41995,41996,42016,0,2,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18,20,22,23,24,25,26,27,28,30;DECD3C4701D62E29B6EB81157F585A9F 3 sRGB IEC61966-2.1 Adobe Photoshop for Macintosh endstream endobj 2 0 obj <> endobj 5 0 obj <> endobj 7 0 obj <>stream q q 5 0 0 3 0 0 cm q 0.5000026 -0.0002287 m 0.0000771 1.0002303 l 0.9999280 1.0002303 l 0.5000026 -0.0002287 l h W n /Im0 Do Q Q Q endstream endobj 8 0 obj <>/ColorSpace<>/ProcSet[/PDF/Text/ImageB/ImageC/ImageI]/ExtGState<>>>>> endobj 10 0 obj [/ICCBased 9 0 R] endobj 9 0 obj <>stream HyTSwoɞc [5, BHBK!aPVX=u:XKèZ\;v^N߽~w.MhaUZ>31[_& (DԬlK/jq'VOV?:OsRUzdWRab5? Ζ&VϳS7Trc3MQ]Ymc:B :Ŀ9ᝩ*UUZ<"2V[4ZLOMa?\⎽"?.KH6|zӷJ.Hǟy~Nϳ}Vdfc n~Y&+`;A4I d|(@zPZ@;=`=v0v <\$ x ^AD W P$@P>T !-dZP C; t @A/a<v}a1'X Mp'G}a|OY 48"BDH4)EH+ҍ "~rL"(*DQ)*E]a4zBgE#jB=0HIpp0MxJ$D1(%ˉ^Vq%],D"y"Hi$9@"m!#}FL&='dr%w{ȟ/_QXWJ%4R(cci+**FPvu? 6 Fs2hriStݓ.ҍu_џ0 7F4a`cfb|xn51)F]6{̤0]1̥& "rcIXrV+kuu5E4v}}Cq9JN')].uJ  wG x2^9{oƜchk`>b$eJ~ :Eb~,m,-Uݖ,Y¬*6X[ݱF=3뭷Y~dó Qti zf6~`{v.Ng#{}}c1X%6fmFN9NN8SΥ'g\\R]Z\t]\7u}&ps[6v_`) {Q5W=b _zžAe#``/VKPo !]#N}R|:|}n=/ȯo#JuW_ `$ 6+P-AܠԠUA' %8佐b8]+<q苰0C +_ XZ0nSPEUJ#JK#ʢi$aͷ**>2@ꨖОnu&kj6;k%G PApѳqM㽦5͊---SbhZKZO9uM/O\^W8i׹ĕ{̺]7Vھ]Y=&`͖5_ Ыbhו ۶^ Mw7n<< t|hӹ훩' ZL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km  endstream endobj 6 0 obj <>stream endstream endobj 11 0 obj <> endobj xref 0 13 0000000003 65535 f 0000000016 00000 n 0000006676 00000 n 0000000004 00001 f 0000000000 00000 f 0000006727 00000 n 0000009859 00000 n 0000006851 00000 n 0000007032 00000 n 0000007211 00000 n 0000007177 00000 n 0000010121 00000 n 0000000077 00000 n trailer <<10B89CB6AA9C4EF8AF41B07220157CA1>]>> startxref 10293 %%EOF ././@LongLink0000000000000000000000000000017100000000000011564 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/TransparentPopUpLeftP.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/Transp0000644006131600613160000000105411361646373033636 0ustar bcpiercebcpierceMM*. P0H% EtZ. @X" PdY|g'@# /7@ʕZ8t҉L+ZF]ԣTEAh4*4aQgvf $̿GF% oGXx`/k ]PpY񗅢^ $k Z>hB @+qo7鈘CTֳ%p_|7ܪ10Dp@ 'Ű0 Fp  &U(=RS$iHH././@LongLink0000000000000000000000000000017100000000000011564 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/TransparentPopUpLeftN.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/Transp0000644006131600613160000000105411361646373033636 0ustar bcpiercebcpierceMM*. P02 C>p@ JAlzL%,Lu*G0qܤ/+)ˊ9Yi98h.،&J>u>tzh61 B`. {Dؼ 'Ű0 H@p0 &U(=RS$iHH././@LongLink0000000000000000000000000000020600000000000011563 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/TransparentScrollerKnobVerticalFill.tifunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/Transp0000644006131600613160000000676411361646373033653 0ustar bcpiercebcpierceMM*X Ip=P-|D@B%|ѰR^<Ȁ Z2 &bj(1r2=RSis HHHAdobe Photoshop CS3 Macintosh2008:09:06 02:10:41 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000017100000000000011564 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/TransparentPopUpFillP.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/Transp0000644006131600613160000000057411361646373033644 0ustar bcpiercebcpierceMM*~-W ]2NɤA$K#Q4%GZ CO4?Nv;M#n7LQg33 #\&Xdl(=RStiHH././@LongLink0000000000000000000000000000017300000000000011566 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/TransparentButtonRightP.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/Transp0000644006131600613160000000137611361646373033645 0ustar bcpiercebcpierceMM* +Uu6[-vIg,v ,F_v8M'@,JAK5m.E>^Î?cĢY4``1}Te^cA$KPk@H*Q56f/g(zM'[x=o<Ѩ:,uQh} Q"a 2Ba@Ux%Rh CnR7V{Z/ $I?k@ `1Dyz=r4Ph4" M1s;Sp<7A$zn9qxfPپȘ5s @6{RGd9:#(5 M(>!(e-8n C 3h:rS:8g2Cl( .p'0\塺ᜎIXW rY}3yd9&j8l#ZȎ='+X(0  & (=RSiHH././@LongLink0000000000000000000000000000017100000000000011564 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/TransparentPopUpFillN.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/Transp0000644006131600613160000000057011361646373033640 0ustar bcpiercebcpierceMM*zOhZ.0bR*.rАH%,D""x<)Ҁd2&BbHL(#fD@tԂ S|:A4} 0X&S`h(=RSpiHH././@LongLink0000000000000000000000000000017300000000000011566 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/TransparentButtonRightN.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/Transp0000644006131600613160000000140611361646373033637 0ustar bcpiercebcpierceMM* +Uu6[-vIg,v ,F_v84 0P‚A 2y<˅dg3qz8* ^1$1bLT0WՌq EE%t"qHnL%Sbx& U^0DQ8iCbϗ\JX@[6T!|@U&@%,P %9f7҆Q%C!7}]A dZ5$iPXϢxc*c(GOd20Ǻ h: E|]̡L4@pv$!Gd9: d<HR4A(e-8nQzćx¸*9FnEN JZg"n8g#RxV~kFgIc|ᰎjD#8v#"8o#=.b8|8z#2LJ & (=RSiHH././@LongLink0000000000000000000000000000017700000000000011572 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/TransparentScrollerSlotRight.tifunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/Transp0000644006131600613160000000717611361646373033651 0ustar bcpiercebcpierceMM* Chu]0W0,}F^V ( ^ҷ JyN@d3?CG GELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000015100000000000011562 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/Info.plistunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/Info.p0000644006131600613160000000125711361646373033525 0ustar bcpiercebcpierce CFBundleDevelopmentRegion English CFBundleExecutable BWToolkitFramework CFBundleIdentifier com.brandonwalkin.BWToolkitFramework CFBundleInfoDictionaryVersion 6.0 CFBundlePackageType FMWK CFBundleSignature ???? CFBundleVersion 1.2.5 NSPrincipalClass BWToolkit ././@LongLink0000000000000000000000000000016400000000000011566 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/ToolbarItemFonts.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/Toolba0000644006131600613160000000561411361646373033615 0ustar bcpiercebcpierceMM* P8$ BaPd6DbQ8p,"F])HdP`䕴"޲܎]/A3nlrOO*c?DT0RB.bO#jU8H:vVP`_g8CjD6.wYSmk7@7qCg5{Dk U"9X}2;La0z\!6BaI=zzpgڮ$' Kߜ W!8:{Ht*CuDMb\)2r_J|%ΫqwrC 4<*?Q /,9''* q Fxx-1eL 7#gQ/r3D'|坣LMI \."7r:*B:PwQ.d%n '+\H%gYB' Poͨc1DFtQHO~0dH(\H2]̏F\2=ιZ H0FmX]3_֪VH ,Uc@Du 0"L_HJYD0kl!a4P_1_ )@g}46iWUOzÀO gOG1$9$wNF/yz@bbP @ GN@@ 2 (12=RS,is H4HHAdobe Photoshop CS3 Macintosh2008:09:06 02:03:44 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000017200000000000011565 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/TransparentButtonLeftP.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/Transp0000644006131600613160000000125411361646373033640 0ustar bcpiercebcpierceMM*  P8$Aca~.F"q8J h1 Q03s8 ? toW5G$39fGڭH!!S@דZ@j6ʎ' i@i.[x$VQ0*^KmS<yeEf+I%H{ӣ0Pa1S~|$@c2j` Oj, 1Wa.Elr EJ|=FPPD @va>@ 5>]!@PLl`3Wd4O3) `,("@.znS= bN ʸ/'Bsv;/',1 ǒڂ@q `}gn\%!C~h ; 4 8 1sLdA4e@z_)*`PaPVa FhNni ʴ0 ,IAN{Oy`tA `(h6 \sp+I%H:pK8nKUz]3h $E8u<ٌJb0 , I ju6KFj.(bb.eQRSfAb1mhd BB@mj9mFsj `0rpb H ` @j a `'6: @Z `J  & (=RSiHH././@LongLink0000000000000000000000000000017500000000000011570 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/TransparentScrollerSlotTop.tifunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/Transp0000644006131600613160000000717011361646373033643 0ustar bcpiercebcpierceMM*  P8  p0T v07- ѰH< '>eOxr!@`6h |'O03֌yR^p6l 7!jO=? ]~@ Nm@ hHozV4^tg1w@ *Cq]ں>A 2 (12=RS(is H0HHAdobe Photoshop CS3 Macintosh2008:09:06 02:04:47 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000017300000000000011566 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/TexturedSliderPhotoLarge.tifunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/Textur0000644006131600613160000000117211361646373033663 0ustar bcpiercebcpierceMM*| OT2 Db0 6 DBR_O@ Q#/lU4mQ8);$D[w@M@^ [)|e.?ֆ: ?= @ ۧAr͂ 6HD۰Z٠$_j4}8@>y!d^+C0/$2 A J$$BGP2$( 1#. I  Z&Vbj(=RSriHH././@LongLink0000000000000000000000000000017000000000000011563 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/TexturedSliderThumbN.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/Textur0000644006131600613160000000153011361646373033661 0ustar bcpiercebcpierceMM*  P8J L"8a!6,gFS HG"'e@0J>0Pa1S~|$@c2j` Oj, 1Wa.Elr EJ|=FPPD @v)d@Lf5vAs<2X,M$kc⭠w;k%OCX0/@V> $Psv;/', hc}npePi( @6hsfP^ F #XTH@ %In`)*~K: `X ggAasm [?AYCˑkg1piR8v  2 (12<=RSPiHHAdobe Photoshop CS3 Macintosh2008:03:22 17:01:03././@LongLink0000000000000000000000000000015200000000000011563 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/License.rtfunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/Licens0000644006131600613160000000434711361646373033614 0ustar bcpiercebcpierce{\rtf1\ansi\ansicpg1252\cocoartf1038\cocoasubrtf250 {\fonttbl\f0\fnil\fcharset0 Verdana;\f1\fnil\fcharset0 LucidaGrande;} {\colortbl;\red255\green255\blue255;\red73\green73\blue73;} {\*\listtable{\list\listtemplateid1\listhybrid{\listlevel\levelnfc23\levelnfcn23\leveljc0\leveljcn0\levelfollow0\levelstartat1\levelspace360\levelindent0{\*\levelmarker \{disc\}}{\leveltext\leveltemplateid1\'01\uc0\u8226 ;}{\levelnumbers;}\fi-360\li720\lin720 }{\listname ;}\listid1}} {\*\listoverridetable{\listoverride\listid1\listoverridecount0\ls1}} \deftab720 \pard\pardeftab720\sl400\sa280\ql\qnatural \f0\fs24 \cf2 Copyright (c) 2010, Brandon Walkin \f1 \uc0\u8232 \f0 All rights reserved.\ Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met:\ \pard\tx220\tx720\pardeftab720\li720\fi-720\sl400\sa20\ql\qnatural \ls1\ilvl0\cf2 {\listtext \'95 }Redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer.\ {\listtext \'95 }Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution.\ {\listtext \'95 }Neither the name of the Brandon Walkin nor the names of its contributors may be used to endorse or promote products derived from this software without specific prior written permission.\ \pard\pardeftab720\sl400\sa280\ql\qnatural \cf2 THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.}././@LongLink0000000000000000000000000000021000000000000011556 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/TransparentScrollerSlotHorizontalFill.tifunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/Transp0000644006131600613160000000676611361646373033655 0ustar bcpiercebcpierceMM*Z Cp~ f3 FaȠ=Pp@ \2'dl(1t2=RSis HHHAdobe Photoshop CS4 Macintosh2008:11:02 20:23:10 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000017200000000000011565 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/TransparentButtonFillP.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/Transp0000644006131600613160000000057411361646373033644 0ustar bcpiercebcpierceMM*~-W ]2NɤA$K#Q4%GZ CO4?Nv;M#n7LQg33 #\&Xdl(=RStiHH././@LongLink0000000000000000000000000000017300000000000011566 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/TransparentCheckboxOffP.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/Transp0000644006131600613160000000107611361646373033642 0ustar bcpiercebcpierceMM*@ P8$ BaP@! L*M34.-IQho/d^\&ABK$J1D~l5-} ( 0#M[.W Q0O,F%b5aWj(zC! U rx[]%"!(z_^KGGUʅFF.O) zRQgRx-VjsvaL&K&XA$L8 16 ~ tE[-2G d@0?o& $&.(=RS6iHH././@LongLink0000000000000000000000000000020100000000000011556 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/TransparentPopUpPullDownRightP.tifunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/Transp0000644006131600613160000000147011361646373033640 0ustar bcpiercebcpierceMM*-W  BaPd6{=_ 6ARmi%):M'BR( @pau@LY4hTh4nvH$jV*\N2#Q4^g "a,A6"Qh}C F qCw|$^1 / a1q>h:z^.$aGYbGe\p91gWv@Lf+ tCajӔt;|\v< 1gSvp7va3Zv H\Yv;dZF-ldtĒN,7C%"@&X5t `(,X3CT €ɐ  Ø2 <6DD? 1j :PT_)FD ꄈ(hHDjEg묤999ڃȃ9惝<2(12=RS0iHHAdobe Photoshop CS3 Macintosh2008:07:16 04:33:00././@LongLink0000000000000000000000000000017200000000000011565 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/TransparentButtonFillN.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/Transp0000644006131600613160000000057011361646373033640 0ustar bcpiercebcpierceMM*z-W Z.0bR*.rАH%,D""x<)Ҁd2&BbHL(#fD@tԂ S|:A4} 0X&S`h(=RSpiHH././@LongLink0000000000000000000000000000017300000000000011566 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/TransparentCheckboxOffN.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/Transp0000644006131600613160000000110211361646373033630 0ustar bcpiercebcpierceMM*D P8$ BaP@! L*M34.-IQh"EW#//Cau& Q#_gZzaGQSi(ΚV@ dN8jfI-Z%U$G MMJd0iq>9_<]+"p TwcI fX*:V?C,oB" KlIDÉso J[Ku!`c(;x6D  | ``n"& $*2(=RS:iHH././@LongLink0000000000000000000000000000020100000000000011556 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/TransparentPopUpPullDownRightN.tifunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/Transp0000644006131600613160000000145211361646373033640 0ustar bcpiercebcpierceMM*Oh BaPd6|n b0nw; E :M'BP(2 a@9RR,#fV,/hT:|@!@VQ "W@" GQ)XZ@2dLBbA jQ rآWD"" (,»<8ilacCB"Q3T0K4mF`_11y6A'\.M&q PELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000020300000000000011560 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/TransparentSliderTriangleThumbP.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/Transp0000644006131600613160000000240211361646373033634 0ustar bcpiercebcpierceMM* P0N'&C9F# `8Vnie4lڑhE(I"MgOñJ⊊U*ŒI d*D`0T'mxj_v2cN0K$kP&T^fWFZfA506Ta__;,aQ1vq8QrPF].VZϙfpYx[,p6TT_1W*x;9} 6AE!p&T9% V\500ؿXRU5 ȧH#=Hg>` fUgœ aC@80Fz98* at (1e#&i>TBH_%F2d- Q3SL-ˈ&(=RS҇is(HH(ADBEmntrRGB XYZ acspAPPLnone-ADBE cprt2desc0dwtptbkptrTRCgTRCbTRCrXYZgXYZbXYZtextCopyright 1999 Adobe Systems Incorporateddesc Apple RGBXYZ QXYZ curvcurvcurvXYZ yARXYZ V/XYZ &"p././@LongLink0000000000000000000000000000017700000000000011572 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/TransparentScrollerKnobRight.tifunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/Transp0000644006131600613160000000721411361646373033642 0ustar bcpiercebcpierceMM* I0CQ6,eF]Ḳ았+\CZ1g7fD@)%?2(NpNgQE45yJ:,_blUX&Z@ bo@ ټ:W7YŃA%Bqc9ւ߭{H$L>v aPȌB# 2U(1 2(=RSELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000020300000000000011560 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/TransparentSliderTriangleThumbN.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/Transp0000644006131600613160000000237011361646373033640 0ustar bcpiercebcpierceMM* P0N'&C9F# `8Vnie4lڑhE(߯/I&Q0 'إqEE*b$hdgOT_xW*6TZ\/KOEHRH M8f-e@jKE0v4%@1Q~U*|U)[B*.R~D|r`>F"WHiEEJrhvD >#|H!=B0{R& mhrKVic +\ &c OV @M=AhՀ b;. Y&"\ftTEdaQ 4r( f䢁D!r12&(=RSȇis(HH(ADBEmntrRGB XYZ acspAPPLnone-ADBE cprt2desc0dwtptbkptrTRCgTRCbTRCrXYZgXYZbXYZtextCopyright 1999 Adobe Systems Incorporateddesc Apple RGBXYZ QXYZ curvcurvcurvXYZ yARXYZ V/XYZ &"p././@LongLink0000000000000000000000000000017200000000000011565 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/Library-SheetController.tifunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/Librar0000644006131600613160000001605211361646373033606 0ustar bcpiercebcpierceMM*00 P8$ BaPd6DbQ8V-FcQv* cax ''# E _;M-)|-v=OT`B0bA C8 '}?@.7j?G$pͦ+`_fϩdrP1`>0A1]>=^@*PF@``X+?^\`dv4 H%WϭF兓D{ Krpdp` j~KYZZk{ajdyd@{^`IRIpz @d  w`p A`YAhк܇h2,0(spqI $r'f zB,y@P& m G J Sb4.,&+Hٯv^i`9x{1/fQVQ('"0u( GN/ uRSUDV̋Y.:.-G`Ix =C(p#`&uheMHD R9b vUr'Y^s2|_&^eZyΘ*Š6EJb((^ 6t{͸. nG(+ V&JS+Q{]hVV 4_+TEzf/~6N`.É&||@BC0y@ʀ>xL{ Fewh1dTn|@Pս*'p)-MPaЇ:d A(#.R 88! p9& BCpmH˹o B.e+F!H M 64#=#"i.P:GhPNrL{xq"b@ C xQvD` ~F3Y'#4E:XR;x-@ `c=lS/! gH\ü7\Lix|0EIg*L(T)BPNE AT#D@X#7q];9 U  f͂NS/K̊`r :xi<hiԨI4M 7D#~0 It 6@!>+9vhP,_`o!4`S ,7P= cH@蹳B0.bx5hȼ2:D4[*z@!17$XAVA$H`s 4LX<0 G&|bj}.^@ 1ӂe?xo*L]-N{4M2-ț)Lxr\gk KmP IZRFT"PV*r512^ p. ~ vsR&dF !m&ISg62g{2LK0r718ӌDI $32NBfn3r&& @j4a$J@sE]&eS&6^0&w0I8 *!  " K譴$):#_2k.CP `&@܅ op S4_.3%FfXw_%?2:gDZ`aHF A hFDRB1+EoS373s h VРf fMMn 6sHn2oFs?w?KGî!Q^VI d~9CBt2u(~~вn.5< jf%D@@xj`NESNs.j&n^v!Ak"Q 5"5%JRҶ"1S4 ri&/C[0v@@`Zj<AV&G]`@&:\A'#BR e)ρa4:Rb'Vj$bv-'ϯaRraS:'pZUS6)O(pmV2"002\(12=RSڇis HHHAdobe Photoshop CS3 Macintosh2008:07:04 16:58:08 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000017300000000000011566 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/TexturedSliderTrackLeft.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/Textur0000644006131600613160000000060211361646373033660 0ustar bcpiercebcpierceMM* Bp<PXGTTp4B %/1&MJG0^\? BR5dc|"~f,&  C@@b&U]jr(=RSziHH././@LongLink0000000000000000000000000000017600000000000011571 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/TransparentSliderTrackLeft.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/Transp0000644006131600613160000000047411361646373033643 0ustar bcpiercebcpierceMM*>`ES\0& &@$,(=RS4iHH././@LongLink0000000000000000000000000000020600000000000011563 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/TransparentScrollerSlotVerticalFill.tifunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/Transp0000644006131600613160000000676211361646373033651 0ustar bcpiercebcpierceMM*V  Cp=PL}FAx X2 #`h(1p2=RSis HHHAdobe Photoshop CS3 Macintosh2008:09:06 02:10:16 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000017300000000000011566 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/TexturedSliderPhotoSmall.tifunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/Textur0000644006131600613160000000072411361646373033665 0ustar bcpiercebcpierceMM* P8$ BaPd6DbQ8(o`j5?r4 xAʘ`ɣ_7@Te2\ndg)-u9<胚_,OmvZѩ=W@@ DW#@4G-faP &(=RṠiHH././@LongLink0000000000000000000000000000017200000000000011565 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/TransparentPopUpRightP.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/Transp0000644006131600613160000000145611361646373033644 0ustar bcpiercebcpierceMM*0-W  BaPd6{=_ 6ARmi%):M'BR( @pau@LY4hTh4nvH$jV*\N2#Q4^gr  EY lD|pY`b26 F Cuwt\ǎw3. $r9%0i8ht=]qEJ&AyWGATx<o& z=UPv&R:R j +p8c쫢cu'H6 +G(t\$-7Ct8>lf.&h0 ' $ Bh #X71sBπ(::QQ H$" (hHDjEg919ڃ@9惝K34r?p.DL&$,(=RS4iHH././@LongLink0000000000000000000000000000020000000000000011555 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/GradientSplitViewDimpleVector.pdfunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/Gradie0000644006131600613160000002662311361646373033573 0ustar bcpiercebcpierce%PDF-1.7 % 1 0 obj <> endobj 12 0 obj <>stream application/pdf Adobe Photoshop CS3 Macintosh 2008-02-16T21:30:46-05:00 2008-02-16T21:30:59-05:00 2008-02-16T21:30:59-05:00 JPEG 16 16 /9j/4AAQSkZJRgABAgAASABIAAD/7QAMQWRvYmVfQ00AAf/uAA5BZG9iZQBkgAAAAAH/2wCEAAwI CAgJCAwJCQwRCwoLERUPDAwPFRgTExUTExgRDAwMDAwMEQwMDAwMDAwMDAwMDAwMDAwMDAwMDAwM DAwMDAwBDQsLDQ4NEA4OEBQODg4UFA4ODg4UEQwMDAwMEREMDAwMDAwRDAwMDAwMDAwMDAwMDAwM DAwMDAwMDAwMDAwMDP/AABEIABAAEAMBIgACEQEDEQH/3QAEAAH/xAE/AAABBQEBAQEBAQAAAAAA AAADAAECBAUGBwgJCgsBAAEFAQEBAQEBAAAAAAAAAAEAAgMEBQYHCAkKCxAAAQQBAwIEAgUHBggF AwwzAQACEQMEIRIxBUFRYRMicYEyBhSRobFCIyQVUsFiMzRygtFDByWSU/Dh8WNzNRaisoMmRJNU ZEXCo3Q2F9JV4mXys4TD03Xj80YnlKSFtJXE1OT0pbXF1eX1VmZ2hpamtsbW5vY3R1dnd4eXp7fH 1+f3EQACAgECBAQDBAUGBwcGBTUBAAIRAyExEgRBUWFxIhMFMoGRFKGxQiPBUtHwMyRi4XKCkkNT FWNzNPElBhaisoMHJjXC0kSTVKMXZEVVNnRl4vKzhMPTdePzRpSkhbSVxNTk9KW1xdXl9VZmdoaW prbG1ub2JzdHV2d3h5ent8f/2gAMAwEAAhEDEQA/AOpzLsjqlznPeRjgkV1DQR+8795zksO7J6Xc xzHk45IFlR1EfvN/dc1XLcN+FY5rmn0STseOI8ClVhvzbGta0+kCC954jwCSn//Z uuid:7750097D68DEDC11BB92BDC6FD4C7FBA uuid:d55aa6fe-4f87-9045-bedc-eced5d1cc5dd uuid:7650097D68DEDC11BB92BDC6FD4C7FBA uuid:7650097D68DEDC11BB92BDC6FD4C7FBA 1 720000/10000 720000/10000 2 256,257,258,259,262,274,277,284,530,531,282,283,296,301,318,319,529,532,306,270,271,272,305,315,33432;6484DE694EED10FCB1360A97BFC32F0A 16 16 1 36864,40960,40961,37121,37122,40962,40963,37510,40964,36867,36868,33434,33437,34850,34852,34855,34856,37377,37378,37379,37380,37381,37382,37383,37384,37385,37386,37396,41483,41484,41486,41487,41488,41492,41493,41495,41728,41729,41730,41985,41986,41987,41988,41989,41990,41991,41992,41993,41994,41995,41996,42016,0,2,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18,20,22,23,24,25,26,27,28,30;26EC271C894309D0BBA2E3379EE65237 3 sRGB IEC61966-2.1 Adobe Photoshop for Macintosh endstream endobj 2 0 obj <> endobj 5 0 obj <> endobj 7 0 obj <>stream q q 16 0 0 16 0 0 cm q 0.4999998 1.0000093 m 0.7761371 1.0000093 1.0000090 0.7761374 1.0000090 0.5000001 c 1.0000090 0.2238628 0.7761371 -0.0000091 0.4999998 -0.0000091 c 0.2238625 -0.0000091 -0.0000094 0.2238628 -0.0000094 0.5000001 c -0.0000094 0.7761374 0.2238625 1.0000093 0.4999998 1.0000093 c h W* n /Im0 Do Q Q Q endstream endobj 8 0 obj <>/ColorSpace<>/ProcSet[/PDF/Text/ImageB/ImageC/ImageI]/ExtGState<>>>>> endobj 10 0 obj [/ICCBased 9 0 R] endobj 9 0 obj <>stream HyTSwoɞc [5, BHBK!aPVX=u:XKèZ\;v^N߽~w.MhaUZ>31[_& (DԬlK/jq'VOV?:OsRUzdWRab5? Ζ&VϳS7Trc3MQ]Ymc:B :Ŀ9ᝩ*UUZ<"2V[4ZLOMa?\⎽"?.KH6|zӷJ.Hǟy~Nϳ}Vdfc n~Y&+`;A4I d|(@zPZ@;=`=v0v <\$ x ^AD W P$@P>T !-dZP C; t @A/a<v}a1'X Mp'G}a|OY 48"BDH4)EH+ҍ "~rL"(*DQ)*E]a4zBgE#jB=0HIpp0MxJ$D1(%ˉ^Vq%],D"y"Hi$9@"m!#}FL&='dr%w{ȟ/_QXWJ%4R(cci+**FPvu? 6 Fs2hriStݓ.ҍu_џ0 7F4a`cfb|xn51)F]6{̤0]1̥& "rcIXrV+kuu5E4v}}Cq9JN')].uJ  wG x2^9{oƜchk`>b$eJ~ :Eb~,m,-Uݖ,Y¬*6X[ݱF=3뭷Y~dó Qti zf6~`{v.Ng#{}}c1X%6fmFN9NN8SΥ'g\\R]Z\t]\7u}&ps[6v_`) {Q5W=b _zžAe#``/VKPo !]#N}R|:|}n=/ȯo#JuW_ `$ 6+P-AܠԠUA' %8佐b8]+<q苰0C +_ XZ0nSPEUJ#JK#ʢi$aͷ**>2@ꨖОnu&kj6;k%G PApѳqM㽦5͊---SbhZKZO9uM/O\^W8i׹ĕ{̺]7Vھ]Y=&`͖5_ Ыbhו ۶^ Mw7n<< t|hӹ훩' ZL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km  endstream endobj 6 0 obj <>stream rrruuuyyy~~~~~~yyyuuurrrwww||||||www}}}}}}¿úżżĺǿ¾ endstream endobj 11 0 obj <> endobj xref 0 13 0000000003 65535 f 0000000016 00000 n 0000006720 00000 n 0000000004 00001 f 0000000000 00000 f 0000006771 00000 n 0000010096 00000 n 0000006899 00000 n 0000007269 00000 n 0000007448 00000 n 0000007414 00000 n 0000011086 00000 n 0000000077 00000 n trailer <<4866DB5336014798BED9528D03CDD3B2>]>> startxref 11258 %%EOF ././@LongLink0000000000000000000000000000016500000000000011567 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/ToolbarItemColors.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/Toolba0000644006131600613160000001243211361646373033611 0ustar bcpiercebcpierceMM* P8$ BaPd6DbQ8V-@@@$,  0@];]N%.b@xg ġN#a`2H|=Kr8/vcj3Zmh@ yGA`P&9˄apP$@ࠈ wooA_]0QJޏGKZX96!ۮ1 DJ Pf?@}xu$@Fzfɜux:AH`MЂ' 0.&~ } @I}Gqv za~#n)IxKCh8J @PBqY! ,@ X,o=G^҉3Cs0r_)Gg~dl9qt@, 9^  9qt h +A1zI!{Ɏe2ÜJsrc>\1d>o%Q _%= 5D 8NY `2h(# P ~ ]u >Zr0h @>XiB)f*7  Y(xOI?P n`@EP40,d~&eUt\PXßv~єfǹ `! X<42!AQn/8ʏ `ݱ}rKGYs'tox@N>rG pCA~" GByg:G5$&Qc>\`9` qsL7'XwA4DC>  ": m6}1VjQPp@ Hx2=cS,t<⹀&/E"PH33 d,EpaXC6$N bX 9sK.FR]vp'Zc)'OoKC* EB|C ! @ &D/H7!|Fd(G,때z.<[9Ps`8p+Ckb@ w  fQ<&D='D[:9d(y%Aw=S}.*RLqhtIv m*[x} DDx;pR >d87V[xl ;:|5QM# RD{ < du5&{Q2,`qЈd$<u!FRp~`2?O@UTr&UҊ@ x$@;W5U0?t#et-k TA< . ,ɊYg?J)ԢɈHv@ՎjNC1ʇN J7Hn  X.A0`y -Y5SD♫ RGgLSؗG/"BtN` "JC,MqT@$Lq w <"0=Ă6, -n@ŤYwanO;Bm e@!aK8I$ØF$(B @C " `?ysx X p5ʀϟ3Rx | ~|@N01l@Bb?q7@(c_J C[R3O_^ >h*8>"(l)A4@@ C `2}MIzSF)X.1L%)8P¼K^70e*B'8b!0fqd '3 m%C@,x=`j%ƟL<LA @+ `` tO"`{2@N0"t .D,!pHH- H A~ @0`l.ݐ zXk؅"gh$+6bH>P@ro, n"c*"4ʤ!?zI'"O!ovG'#k knPPgJV kG9m@ǂ & #  P 6pt KJ'ĹR슐 U(12=RSs(HHAdobe Photoshop CS3 Macintosh2008:09:08 11:59:57(ADBEmntrRGB XYZ acspAPPLnone-ADBE cprt2desc0dwtptbkptrTRCgTRCbTRCrXYZgXYZbXYZtextCopyright 1999 Adobe Systems Incorporateddesc Apple RGBXYZ QXYZ curvcurvcurvXYZ yARXYZ V/XYZ &"p././@LongLink0000000000000000000000000000017400000000000011567 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/TexturedSliderSpeakerLoud.pngunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/Textur0000644006131600613160000000075311361646373033667 0ustar bcpiercebcpiercePNG  IHDR r|!tEXtSoftwareGraphicConverter (Intel)wIDATxb` Uo`p/ghdدooUMmm&m)__Nmu%Q4hhTb_]S(S`QEeESTeU***72`&5qqɡ=FFFn""i  Z5qDGgϙmzAVV , MN.MftYes RR7%oJJk]\PPPYb7AXB˗ff+6544 %@EDEn0ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000017500000000000011570 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/TransparentScrollerKnobTop.tifunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/Transp0000644006131600613160000000722211361646373033641 0ustar bcpiercebcpierceMM*  P8 @P\O%_PX,6M$ tW' %@<֘;W7l?P0X&|޸7 Z؋,R5,JfGN<F9NiV4 2 (12.=RSBis HJHHAdobe Photoshop CS3 Macintosh2008:09:06 02:01:14 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000021000000000000011556 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/TransparentScrollerKnobHorizontalFill.tifunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/Transp0000644006131600613160000000676611361646373033655 0ustar bcpiercebcpierceMM*Z I|3жa4DY0fPsXO@@ \2'dl(1t2=RSis HHHAdobe Photoshop CS4 Macintosh2008:11:02 20:27:32 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000016000000000000011562 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/Release Notes.rtfunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/Current/Resources/Releas0000644006131600613160000001005211361646373033600 0ustar bcpiercebcpierce{\rtf1\ansi\ansicpg1252\cocoartf1038\cocoasubrtf250 {\fonttbl\f0\fswiss\fcharset0 Helvetica;\f1\fnil\fcharset0 Monaco;} {\colortbl;\red255\green255\blue255;\red100\green56\blue32;\red196\green26\blue22;} {\*\listtable{\list\listtemplateid1\listhybrid{\listlevel\levelnfc23\levelnfcn23\leveljc0\leveljcn0\levelfollow0\levelstartat1\levelspace360\levelindent0{\*\levelmarker \{disc\}}{\leveltext\leveltemplateid1\'01\uc0\u8226 ;}{\levelnumbers;}\fi-360\li720\lin720 }{\listname ;}\listid1} {\list\listtemplateid2\listhybrid{\listlevel\levelnfc23\levelnfcn23\leveljc0\leveljcn0\levelfollow0\levelstartat1\levelspace360\levelindent0{\*\levelmarker \{disc\}}{\leveltext\leveltemplateid101\'01\uc0\u8226 ;}{\levelnumbers;}\fi-360\li720\lin720 }{\listname ;}\listid2} {\list\listtemplateid3\listhybrid{\listlevel\levelnfc23\levelnfcn23\leveljc0\leveljcn0\levelfollow0\levelstartat1\levelspace360\levelindent0{\*\levelmarker \{disc\}}{\leveltext\leveltemplateid201\'01\uc0\u8226 ;}{\levelnumbers;}\fi-360\li720\lin720 }{\listname ;}\listid3}} {\*\listoverridetable{\listoverride\listid1\listoverridecount0\ls1}{\listoverride\listid2\listoverridecount0\ls2}{\listoverride\listid3\listoverridecount0\ls3}} \pard\tx566\tx1133\tx1700\tx2267\tx2834\tx3401\tx3968\tx4535\tx5102\tx5669\tx6236\tx6803\ql\qnatural\pardirnatural \f0\b\fs54 \cf0 BWToolkit \fs36 \ \b0 Plugin for Interface Builder 3\ \b \ \pard\tx566\tx1133\tx1700\tx2267\tx2834\tx3401\tx3968\tx4535\tx5102\tx5669\tx6236\tx6803\ql\qnatural\pardirnatural \b0\fs30 \cf0 Version 1.2.5\ January 20, 2010\ \pard\tx566\tx1133\tx1700\tx2267\tx2834\tx3401\tx3968\tx4535\tx5102\tx5669\tx6236\tx6803\ql\qnatural\pardirnatural \fs32 \cf0 \ \ \pard\tx566\tx1133\tx1700\tx2267\tx2834\tx3401\tx3968\tx4535\tx5102\tx5669\tx6236\tx6803\ql\qnatural\pardirnatural \b\fs36 \cf0 Installation \b0\fs28 \ \ Note: If you're building on 10.5, you'll need to build BWToolkit from source.\ \ Step 1. Double click the BWToolkit.ibplugin file to load the plugin into Interface Builder\ \ Note: Interface Builder will reference this file rather than copy it to another location. Keep the .ibplugin file in a location where it won't be deleted.\ \ Step 2. In the Xcode project you want to use the plugin in:\ \pard\tx220\tx720\tx1133\tx1700\tx2267\tx2834\tx3401\tx3968\tx4535\tx5102\tx5669\tx6236\tx6803\li720\fi-720\ql\qnatural\pardirnatural \ls1\ilvl0\cf0 {\listtext \'95 }Right click the Linked Frameworks folder and click Add -> Existing Frameworks. Select the BWToolkitFramework.framework directory.\ \pard\tx220\tx720\tx1133\tx1700\tx2267\tx2834\tx3401\tx3968\tx4535\tx5102\tx5669\tx6236\tx6803\li720\fi-720\ql\qnatural\pardirnatural \ls2\ilvl0\cf0 {\listtext \'95 }Right click your target and click Add -> New Build Phase -> New Copy Files Build Phase. For destination, select Frameworks, leave the path field blank, and close the window.\ \pard\tx220\tx720\tx1133\tx1700\tx2267\tx2834\tx3401\tx3968\tx4535\tx5102\tx5669\tx6236\tx6803\li720\fi-720\ql\qnatural\pardirnatural \ls3\ilvl0\cf0 {\listtext \'95 }Drag the BWToolkit framework from Linked Frameworks to the Copy Files build phase you just added.\ \pard\tx566\tx1133\tx1700\tx2267\tx2834\tx3401\tx3968\tx4535\tx5102\tx5669\tx6236\tx6803\ql\qnatural\pardirnatural \cf0 \ Note: You'll have to repeat step 2 for each project you want to use BWToolkit in.\ \ If you need to reference BWToolkit objects in your classes, you can import the main header like so:\ \ \pard\tx560\pardeftab560\ql\qnatural\pardirnatural \f1\fs24 \cf2 \CocoaLigature0 #import \cf3 \f0\fs28 \cf0 \CocoaLigature1 \ \pard\tx566\tx1133\tx1700\tx2267\tx2834\tx3401\tx3968\tx4535\tx5102\tx5669\tx6236\tx6803\ql\qnatural\pardirnatural \fs32 \cf0 \ \ \pard\tx566\tx1133\tx1700\tx2267\tx2834\tx3401\tx3968\tx4535\tx5102\tx5669\tx6236\tx6803\ql\qnatural\pardirnatural \b\fs36 \cf0 License\ \pard\tx566\tx1133\tx1700\tx2267\tx2834\tx3401\tx3968\tx4535\tx5102\tx5669\tx6236\tx6803\ql\qnatural\pardirnatural \b0\fs28 \cf0 \ All source code is provided under the three clause BSD license. Attribution is appreciated but by no means required.\ \ \ }unison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/0000755006131600613160000000000012050210655027212 5ustar bcpiercebcpierceunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/BWToolkitFramework0000755006131600613160000350207411361646373032725 0ustar bcpiercebcpierce i  t<  x__TEXTpp__text__TEXT"__symbol_stub1__TEXT__stub_helper__TEXT__cstring__TEXT(P__const__TEXT(__unwind_info__TEXT  __eh_frame__TEXTPS `H__DATApp__nl_symbol_ptr__DATApPp__la_symbol_ptr__DATAPpPp&__dyld__DATA0q0q__const__DATA@q@q__cfstring__DATAPqPq__objc_data__DATA__objc_msgrefs__DATA @ __objc_selrefs__DATA` `__objc_classrefs__DATA__objc_superrefs__DATAXX__objc_const__DATAXXX__objc_classlist__DATA@ h@ __objc_catlist__DATA8__objc_imageinfo__DATA__data__DATA__bss__DATA(H__LINKEDIT v p@loader_path/../Frameworks/BWToolkitFramework.framework/Versions/A/BWToolkitFrameworkksyd#֑'"0HHP #  {@  P K rzBY(83O X/System/Library/Frameworks/Cocoa.framework/Versions/A/Cocoa 8/usr/lib/libgcc_s.1.dylib 8}/usr/lib/libSystem.B.dylib 8/usr/lib/libobjc.A.dylib h,/System/Library/Frameworks/CoreServices.framework/Versions/A/CoreServices h &/System/Library/Frameworks/CoreFoundation.framework/Versions/A/CoreFoundation p&/System/Library/Frameworks/ApplicationServices.framework/Versions/A/ApplicationServices `,/System/Library/Frameworks/Foundation.framework/Versions/C/Foundation X-/System/Library/Frameworks/AppKit.framework/Versions/C/AppKitASLAS%CU%BUUHAWAVSHH&sL5oH=pH5srH5sLHHH=RH5rrIL= sH5rHTHrH5rLHAH5rHrH[A^A_]ÐUHH U]ÐUHH]ÐUHH=ّH5rr]UHHT]ÐUHHT]ÐUHH{T]ÐUHAWAVSHH$rL5H=H5qqH5rLHHH=pH5qqIL= rH5qHkTHqH5qLHAH5qHqH[A^A_]ÐUHHT]ÐUHH]ÐUHH=H5qq]UHH5T]ÐUHH'T]ÐUHHS]ÐUHH=H5q~qH5WqHNq]UHSHHHYH5rqHiqu HH[]H=H5-q'qH5qHpӐUHAWAVATSHHH}HHEH}H5qHqHIL=qL%qH~SHLpH5pLHAL=pHtSHLpH5pLHAL=H5pHcSHpC>L=pHhSHL|pH5pLHALH[A\A^A_]UHHHfAE10]UHHI0]ÐUHH_]ÐUHHH2A0A蹡]ÐUHAWAVAUATSH(ӉIL0HћI<H5.q(qH L=qLL~qH5'rHljrLL`qHpHHpH5s1HsH=lH5nnIL-sLLqHHEpH5qHqH8HpHpHPHD$HHHD$H@HD$H8H$H5XsLAH5KnHBnH ӚA<(H(t0H*sH5pLLpH5sLH(HH5:pH0-pH5foH]oH5pHpH5rHrH5rHrH5mHmHHDžHDžHDžHDžHDžHDžHDžHDžH5[oHHAH>oHHL1HALEE1HL;0t 0HHfH0<HN,tH5qHLH(qH5qH(LqIM9uH5nHHAHnHUHH0H<HwnHnnL57oHL+oL=lHLlIL-nLLH(H nH UH< H5oLnH5nH nH5BmH9mHXHmHmH H< p(hH5nnHL^nHLBkIL=nH=H5zn(dnLLHH AH rH< H5OnLFnH5?pHߋ0pIL H7H<HlHlH5nHLnHH5lHlH5lHkIHݖH<L=oH5ooH5oLAHʖ<HH<H5VlPlHHmH mHiHHiIL=lH0H"lHlHH5OkIkH5lHlLLolLHL LAH=H0H<9H5lLlH=ەH0H<9H5llHHQlHHlHH,iHL5kL=klL-H0HVkHMkHH5j}jHxH?kH6kH5lLAHLkLHLAHH0H<H5kHkfHH0H<H5kkL5lHLL LplH5mHm(H5ijH`jH5iHiH5rmH(YmHJH<H5jjHLLkH5lHlH5lHlH5gHgH(H5jHjHH(HDžXHDž`HDžhHDžpHDžxHDžHDžHDžH5%iHXHAH(iH$HhH HHHEE1HhHH;t0H(記HH0<H`NH=zmH5PPIL%QH=dmH5QH 1HQH5QH1LLIAHlzAH5OLO[A\A^A_]UHAWAVSHIH51PL(PIH5PLPHrdLHcH5PPH5PHOHLuH&qHEH}H5PHPHyI<H5PHPH[A^A_]UHAWAVAUATSHHHH=MlH5LLH5NHNH5LHLHHDžHDž HDž(HDž0HDž8HDž@HDžHHDžPH5NHNHH5NHNHH5HNHHXAH+NH H(L1HALEE1H(L;0tH5eNH\NH0}H N,H5PNLGNH5OH)/HOumH5%NLNH5NH.HNuBH5MLMH5NH.HNuH5MHLMIM9+H5,MHHXAH MHH5;NH.NHtgHcH5;NH.NHH5LHLH5 MHMH5`LHHTLH[A\A]A^A_]1H[A\A]A^A_]UHAWAVAUATSHHvH<HHvH<qHLHoH5KILKH5KLHHHDžXHDž`HDžhHDžpHDžxHDžHDžHDžH5KHXHAHzKHHhHHALEE1HhH;t0H+{H`N$L-KH=T-zH5KLHAՄtHLuLHzIM9uH5JHXHAHJHUHJH=,7zH5JHHӄH5IHHHIHtH<H5rJlJH5KHKHuiHtHHL5rJH5KJHBJH5{IHrIHH4JH+J0(H5$JHAH=fH5 JJHL5 JH5ILLIH5IHHH (LH `eH5IHLIAHDžHDž HDž(HDž0HDž8HDž@HDžHHDžPH5IHyIHH5HHHXAHHH.H(H HHHEHHDžH(HH;tH5HHHH0cxHrHL4H LN$L-HLHHHHH5HLHAH xrH L5HLHHHHH5HHLHAILL;2H5GHHXAHGHH5PHHHH=HH5FHH=HHqH<H5GGHt4HqHH<H5[GUGH5~HHuHH>HGH5F1LLFH5GLHFH=@)yvH5FHHӄHqHH<H5FFHHGH~GHH dDH[DIHpH<L=GL%FLFIHHyFHpFHH5EEH5)GH GLLFLHLAH=[pH<;H5GLFH=@pH<;H5FFHHFHFHH CHCIHoH<HLFHLLEIL%FL-bHHEHEHH5DDH8HEHEPHH5ZFLALLELHLH\oH<H59FL0FH[A\A]A^A_]H7oHL4HoH<L=EL%DH5lDfDH5oDLHAԉH5mEHAUHAWAVSHHHnH<H5 DDHu1H5C1HCHH5C1ɉCH[A^A_]H}nL4HjnH<L=CH5CCH5CLHAUHSHHH5uCH1jCH5sCH߉1fCH[]ÐUHSHHH_H5AHAuxHmHmH<H5BBt4H5BHBH5BH1BH5BH1BH_H5nB1fH_BH[]UHAWAVATSHH}HdHEH}H5AAHHL5&mH=`L=h@L_@L%AHLAHHLrL5lH=_L'@HLAHHLUrHlHlH5}AHHqAH"^H5sA1fHdAHH[A\A^A_]UHAWAVSHH}HcHEH}H5@@HH=^L5@H?#H #L"E1L0@IH=^H$HJ#H c!L!L #L0j@IH5p@HLd@LHDH[A^A_]UHAWAVATSHHILuHbHEH}H5?H?L=?H5?L?L%?H !HLHAL=?H5?L?H !HLHAH.kAH5j?H !HZ?L=3?H5\?LS?H !HLHAH[A\A^A_]ÐUHSHHH?\H5X>R>t3H=H50>*>H5>H >H5kHoH[]UHSHHH=AH5==H5=H=H5HoH[]UHSHH}HjaHEH}H5==HHt8Hv[H5=H=tHk[H5>1fH>HH[]ÐUHHHHHOHGHG]UHSHHHZH5=H =tNH5BHyBH5BHBff.uzHZH5=1fH=H54BH+BH5TBHKBtMH5BHBHhZH5y<Hp<t"H5AHAH5B1H BH[]ÐUHH5AAH5AbHA]UHHHHHOHGHG]UHSHH}H_HEH}H5;;HHt%H5AHwAH5AHrAHH[]UHAWAVAUATSH8HIIEXEH5AL|AH5>HHu>LetH5fAnLf(QAH5ZALQAt*L-fAH5OALFAH5OALHAILL}H^HEID$HD$ID$HD$ID$HD$I$H$H}H5AHAH8[A\A]A^A_]UHAWAVAUATSHH9L5YH=YH599H59LHHH=YH9H9IL=9L%9HHL9L-9LLHAH5fHkH=?YHX9HO9IL=e9HNHLB9LLHAH5HYkH=XH 9H9IL=9HHL8LLHAH5H kH=XH8H8IL=8HHL8LLHAH5iHjH=RXHk8Hb8IL=x8HHLU8LLHAH5HljH=XH8H8IL=)8HHL8LLHAH5HjH=WH5->'>H8HH8H5mHiH=WH5>W W=HH7H56HiH[A\A]A^A_]ÐUH]UH]ÐUHH5y>s>HH HDH]UHAWAVAUATSHHH=VH566H5k8Hb8H5 7H7IL==H]HZHEH}H5==H5=LHAHiL8L%9H=HVH5=I=L-d9LLHLAH.L8L%D9H5 =H=LLHLALH[A\A]A^A_]ÐUHSH8HEXٺEHuHZHEHE(HD$HE HD$HEHD$HEH$HuH<<HH8[]ÐUHSH(HH=cH5<<M(H5;H;HEtYH=JH5;H,HHHL$HHHL$HHHL$HH$1AA gH([]H=H5ҴHHHHL$HHHL$HHHL$HH$1AAfUHAWAVATSHHH=TH544H56H6H54H4IL=;H]HXHEH}H5b;\;H5e;LHAHL8L%+7H5:H:H57LHLAH5q;Hh;HHH=SL=6uXH5U;G;L%6LLHHAHHHLL6LH[A\A^A_]H5:M:H5h6LHHAUHAWAVAUATSHH23L5SSH=TSH5 33H53LHHH=6SH3H2IL=3L%2HHL2L-2LLHAH5زHdH=RH2H2IL=2H`HL2LLHAH5HdH=RH[2HR2IL=h2H1HLE2LLHAH5JH\dH=;RH 2H2IL=2HHL1LLHAH5H dH=ܱH 9H޺8H=رH޺8H=H޺8H=H޺8H=qQH577H1HH1H5JH|cH=;QH57 7HHZ1H5H=cH=$QH0H0H5]2HT2H5ͰHcH=H58f 8H[A\A]A^A_]UH]UH]ÐUHAVSH@HE(Ef(XMMH=oH566E\Y)XEX$EZMMtbEH5H7H?7AH5r6Hi6AH EZEEMX MtjH57H7tVH=HHCHD$HCHD$HCHD$HH$H5Y7EMU?7H55H5uH57H7H55H5uH56H6H5k5Hb5teH56H6uQH=HHHHL$HHHL$HHHL$HH$H56EMUi6H@[A^]H=H=uUHAVSH0HIH55L5HEtX#LuH LRHMHHHL$HHHL$HHHL$HH$H}H55H5H0[A^]ÐUHAWAVSHHH5I5H@5IL=/H=MH5x-r-H5/LHAׄt5H575H.5HH=kMuAH533H[A^A_]H54Hy4H@H 1HDHH53 ٱs3뭐UHAWAVAUATSHhLEHIIH5K4LB4LetbLuL5PLuMt$Lt$Mt$Lt$Mt$Lt$M4$L4$HuH3LHLEz3LHh[A\A]A^A_]H=qLH533H53H3IL^1L^LuH\PHEID$HD$ID$HD$ID$HD$I$H$H}HuH2HLE2L]EAEAGEAGEAG,UHAVSH5(3"3HL5-H=KH5Z+T+H5-HHA[A^]UHAWAVAUATSHhHH5Q3HH3HLuIH5A31L63H51L1H5.HH.tH51Lf(1H51L1t*L%1H5}1Ht1H5}1LHAIH=JH522IANH52fL2H52 9L2LH2H2L-2INHL$INHL$INHL$IH $H}Hi2H`2H HQHT$8HQHT$0HQHT$(H HL$ HMHL$HMHL$HMHL$HMH $H52L\AH52L 2LH1H1Hh[A\A]A^A_]ÐUHAVSHPHIH]HzMHEHE(HD$HE HD$HEHD$HEH$H}HuH11EXEH51H1HH5{1Hr1HH5a1HX1HH5G1H>1HH5-1H$1HH51H 1HtH50H0HuEXEEAEAFEAFEAFLHP[A^]EXEEXEUHAWAVAUATSHH'L5GH=HH5'{'H5'LHHH=GH{'Hr'IL='L%q'H HL^'L-g'LLHAH5|HnYH=GH'H'IL=+'HT HL'LLHAH5=HYH=6GH&H&IL=&H% HL&LLHAH5HXH=FH&Hw&IL=&H HLj&LLHAH5HXH=FH1&H(&IL=>&H HL&LLHAH5pH2XH=IFH%H%IL=%H HL%LLHAH5 HWH=EH%H%IL=%Hi HL}%LLHAH5ʥHWH=EHD%H;%IL=Q%H: HL.%LLHAH5[HEWH=dEH5U+O+H8%HH,%H5 HWH=.EH5/+ +HH$H5֤HVH[A\A]A^A_]ÐUH]UH]ÐUHH5++HH HDH]UHAWAVAUATSHHH=gDH5 $$H5%H%H53$H*$IL=+H]H%HHEH}H5**H5*LHAHL8L%&H=CH5*q*L-&LLHLAHVL8L%l&H55*H,*LLHLALH[A\A]A^A_]ÐUHAVSHPHIH]H^GHEHE(HD$HE HD$HEHD$HEH$H}HuH++EXEEX{EEX٧EH5*H*HH5<+H3+HH5"+H+HH5+H*HH5*H*Ht}H5*H*Hu*H5*H*HuQEX&E=H5*H*HtH5*Hy*HuEXEEAEAFEAFEAFLHP[A^]ÐUHAVSH HH=H5''M(H5'H'AH59)H0)EHMtvt[H=|H5mH^HAHD$HAHD$HAHD$H H $1AARH [A^]H=!H5H룄tH=H5HH=H5РHHAHD$HAHD$HAHD$HH$1AA8RnUHAVSHH}HpDHEH]H5 H IH5(L(HWALuH)DHEH5(1H(LH[A^]ÐUHAWAVAUATSHHH=@L5|LsIHLdI9kHdL5?H=?H5?9H5BLHHH=?H9H0IL=FL%/HHHLL-%LLHAH5H,QH=k?HHIL=HHLLLHAH5KHPH=?HHIL=HHLwLLHAH5HPH=>H>H5IL=KHHL(LLHAH5H?PH=~>HHIL=HHLLLHAH5FHOH=/>HHIL=HVHLLLHAH5HOH==HQHHIL=^H'HL;LLHAH5HROH[A\A]A^A_]ÐUH]UH]ÐUH]UHHHTH}HAHEH}H5&&H]ÐUHHHTH}H@HEH}H5%%H]UHAWAVSHXIILuH@HEH}HuH%w%H50%L'%H9EAEAGEAGEAGLHX[A^A_]EXEHEHD$HEHD$HEHD$HEH$H  fLMUH]ÐUHAWAVATSH HH5m$Hd$HH:SLuut HΛH͛H̛AEAFEL8L%!LL!M\Y 0MZBMEANMf(AXVULLG!]\Y]ZLZU\XUH5w#Hn#HZEXEXA~XUXUMH5a#LS#H [A\A^A_]HUHAVSHpIEEEEE EE(EH=sH5T N ME(f.v-\YZMMKZXEEEXEEXEH5V"LM"H~ M\MXEEH5a LX H=əH5HHMHL$HMHL$HMHL$HMH $H D1AJH5!L!HH5!L!H~1HcH}H!L!H=8H5H5y!Hp!HEHD$HEHD$HEHD$HEH$@JH5!!L!HcH9|Hp[A^]ÐUHAWAVAUATSHHH}H5<HEH}H5VHMHIL=:!L%CHHL0H5!LHAL=!L-BHHL/H5 LAL= HHLH5 LHAL= HHLH5 LHAL= HHLH5 LHAL= HHLWH5 LHAL= H5 HrHy H5 LAL= HlHL0H5f LAHiLuH:HEL}H5O LF H5?LHLuHl:HEH51 LL% LH[A\A]A^A_]ÐUHAWAVAUATSHH=6HC+H *L5HLH5hHGH=A6H NHLH5EHGH=6H HLH5HdGH=5HH HH H5fH]H5H GHL55H=5H5H5LHHH=5HHIL=L%HHLL-LLHAH5%HFH=>5H?H6IL=LHuHL)LLHAH5ޔH@FH=ǔH@H޺2H=H޺H[A\A]A^A_]UHHU]ÐUHHU]UHHHUAE10E]UHHHUAE10E]UHHHUAE10E]UHHHvUAE10xE]UHHyU]UHHiU]UHH U]UHHT]ÐUHHT]ÐUHHH UAE10E]UHHT0D]ÐUHHHTAE10D]UHHT0D]ÐUHHHTAE10D]UHHT0qD]ÐUHHHTAE10VD]UHHgT07D]ÐUHHHSHHD]ÐUHHSH]ÐUHAVSHHHSH<L5LHSH<LHSH<LHSH<LHSH<LHSH<LHvSH<LqHSH<L]HVSH<LIH]H.5HEH}H5 H[A^]UHAVSHRH<Iu"H=Y1H5HLHBHRI<H5H5H[A^]ÐUHAVSHRH<Iu"H=0H5HLHfBHWRI<H5\VH5/H&[A^]ÐUHAVSHRH<Iu"H=0H5JDHLHAHQI<H5H5H[A^]ÐUHAVSHQH<Iu"H=!0H5HLHAHwQI<H5H5_HV[A^]ÐUHAVSHQH<Iu2H=/H5:4H5=H4HLHAHPI<H5H5H[A^]ÐUHAWAVSHHPHH9Ht8IH5HL=nPH5LHHL@H59H+H[A^A_]UHH-PH5 ]UHSHHH5+H"t H[]H]H'2HEH}H5f.2UHSHHH]H1HEH}H5H5HH[]ÐUHAWAVATSHMEHIHpOM<L%H=-H5  H5LHAԄtH5LH[A\A^A_]HOI<HN+H5O I uI9tH5HMEHNI<H5H뒐UHAWAVAUATSH(HHH5HL5L=-H5HH5HH5LHAH(H5LHCHHXHHpHDžHDžHDžHDžHDžHDž HDž(HDž0HMHHH5 HH H5 HH8AH HHL1f0HALEE1HL;0tH5HH05=HJ;u\ XL-I H='ZH5H5* H(HLAII9H5g HHAHF HQHɹEHT HHHHH<H5H5 H HHHIL L=>L%'L- 'H=!'H5B<H5H>HHHDH5LHAH5LHAH5 L H*1HcH5 H r IH5 H(L H5AH8L=L%R LLF H5HAL=TLL H5AHAZf.wf.2f.wZL=H=y%H5H5H(HLAH5~ L LLk HFHH<H5LH5"HH5LH\Z\Af1HcH5H Hff.IH5lH _HH/ZH*Xi^YZ5H5H HH9ZXu\XL=)H=#ZH5H5 H(HLAH5H HcH9H5lH _HcH9H5JH =H ff. H='#H582HHDžxHDžHDžHDžHDžHDžHDžHDžHTDHHHH53H*HH5,HxHAHHHHHALEE1HH;tH5HH03HCHH<HN$H5LH5HZ^0ZL-H=!H5H5HHLAIM9KH50HxHAHH H5?HH/IHDž8HDž@HDžHHDžPHDžXHDž`HDžhHDžpH5}HtHH5vH8HxAHYH0X0DHHH HDžfHHHHE؋DpE1HHHH;tH5HH01H@N$H5HLH5 H ZY0Zi1C>;ZXu0\XL-H=cZH5  H5H(HLAII9H5H8HxAHHQHɹEHT HH@HH<H5i c H5LHCH,HH IL= L% L-H=H5H5} HHh HHH5e LHAH5e LHAH5L H+1HcH5LIH5H(LH5 H L%% L-LLH5 HAL% LLH5 HAZf.wf.f.wZL%lH=H5> 8 H5QH(HLAH5 LLH5HLwH5 H Z\H5LH0\01f1HcH5fLHZff.IH5LHHZH*X^Y0Z-H5LHH9ZXu0\XL%H=xZH5  H5H(HLAH5IL@HcH9H5&LHcH9H5H Hf0f.HDžHDžHDžHDžHDžHDž HDž(HDž0H5 H(x HH5HH8AHH HL1f0HALEE1HL;0tH5 H( H0+HJ#A<uVH5@L7AH5LEH zH}HiHdff.EH5*L!tH5L}H5LxH"I<HH5tH"I<H5HHĈ[A^A_]HhHHfxH}HHef.E4H5UHAWAVATSH@LIIIH!I<H7H5 HEu>A$@AD$@AD$@AD$LH@[A\A^A_]IHU0LH5{!I47HzH|$8HzH|$0HzH|$(HHT$ HPHT$HPHT$HPHT$HH$HcLZUHAWAVAUATSHHEIIH5L HH5+L"u]H I<H$H5t:H M$L-H=H5KEH5LHAՄtEH[A\A]A^A_]HLHX I<H5uEjUHAWAVAUATSHHIIH I<HqH5JDt>HM$L->H=_H5H5#LHAՄAH5LDff.uzH5LH5HHHH5VLMHH8HH@XH5LH5\HSANHcH9sH5Lf.bKH5LH5HHHH5vLmHH}L5HLEH}HLEH5LX\\ZZ Zf.wH[A\A]A^A_]LHI<H5HHHHE^HXL5HLXHxHLrEUHAWAVAUATSHHIIHI<H1H5t>HM$L-H=H5HBH5LHAՄAH5PLDDf._uzH5TLKH5HHHH5LH\H8HHH@XH5LH5H ANHcH9iH5rLiff.AH5tLkH5HHHH5.L%H| H}L5kHLEH}HLFEH5LyX\\ZZ Z]H[A\A]A^A_]LH`I<H5-HHHHOhHXL5_HLXHxHL4EUHAWAVAUATSHHLIHUIHI<HH5t>HrM$L-H=H5 H5LHAՄ|H5\LSH5HLIH6H5OLF&H5WLNu EuHtvH58L/H5LH5HHIcH9H5H}H5HHH9H5bLYL5H5LH H}HHEZC>H5LH5LH5L1HH[A\A]A^A_]HI<H5UHULIEH}HHEjUHAWAVAUATSHHIIH]I<HH5t>H:M$L-H=H5H5lLHAՄH5$LH5HHHHH5Lu.H5#Lut&H5 Lt;1H[A\A]A^A_]øLHrI<H5HH5zLqH5HHHcH9UHAWAVATSLIIIH I<HH5@:t-ILHI4H^LUL[A\A^A_]HA$@AD$@AD$@AD$UHAWAVAUATSHHIIHiI<HH5t:HFM$L-H=H5H5xLHAՄtXH4H5MLDu,H5LtH5ULLHcH9t41H[A\A]A^A_]LHI<H5HH5iL[UHAWAVSHXHIH5ZLQtmH5VLMAH5LEH ulH}HHEHbA<uff.vZH6ALuHHEH}H5H HX[A^A_]H}HHE뒐UHAWAVAUATSHHHHH5HB H5VHM* H5HH H< H$HHHBHL54L=mH5H IL-H5\HSH5LHAՉH5LAH5HHH5HH5H}HHuH5H@ ƅH5[HRHupH5HHHgH<L5$LH5tHfH7H<LH5[HMHDžHDž HDž(HDž0HDž8HDž@HDžHHDžPH5HHH5HHXAHjH H(L1HDžHALEE1H(L;0tH5HH0H N,H5dHLXtH5=H4I9tLIM9uH5HHXAHHSH6L5HLH5HHLH5uE1H1gH5HH5HAHL`H5HD}EftZH5HAHL EH rHHHZ0H5H L5{H5HH8H}HtZHB3tH5HH=vH5H=bH5;5IL=H5HZH5LAH5H L5HLZL=fHLhLLLEIL-KHXH}LtH MZ XhZXLLAH=lH5t6L5/H5HZHTH5 HHAL5H5rHiH=H5xZHH5HHAItH5HH=H5H=H5icIL=H5HZH5LAH5AH8L5HLH Z ZL=HLLLLsIL-yHxHLH { Z \Z\LLHH]HZH5HYL5 H5BH9HH HZB3tH5THKH=H5MGH=H5IL=IH52H)ZH5.LAH5HL5!HLZL=fHLLLLIL-HHL H ZXZXLLtH57H.H=H50*H=H5IL=,H5H ZH5LAH5H{L5HLH ! Z ZL=HLLLLIL-HHLH Z\Z\LLAH=H5rlt6L5H5H ZHH5zHHAH51HH4 L5IL=HLZH[L%$E1HL1AL5HLH=H5ZHHLHAL5HL2ZHHLLAH[A\A]A^A_]ƅUHAWAVSHHH5uoIL=5H5HH5LAH[A^A_]UHAWAVAUATSHHH5HH5HH5H~H5gH^HEHHEL5xL=H5ZHQIL-H5HH5LHAՉH5.LAH51H}HUH5PHHUCH[A\A]A^A_]UHAWAVAUATSHHUHH5HH5HH5HH5mHdHEH)HEL5~L=H5`HWIL-H5HH5LHAՉH54LAH5H}HUHUH5RHHUEH[A\A]A^A_]UHSHHH5H tH51HH[]H5HUHSHHH5]HTtTH5HtFH5Hu*H5?H6H5HvH[]ø1UHSHHH5Ht1H<u(H5lHc Gf. 1H[]ÐUHH=H5\VH G]UHH]ÐUHAVSHL5 H5vHmH5HA[A^]UHSHHH]H!HEH}H5H5HH5HHH[]UHSHHHH5Ht 1H[]HH5UHSHHH5Hy 1H[]H߉H5c]HcH5HUHSHHH5uHlttH[]1HH5H5KHBUHAVSHL5MH56H-H56HHA[A^]ÐUHAWAVSHHIH5LHALuHHEH}H5HuEtH(A< 1H[A^A_]ÐUHAVSHIH5"LH5HHHH5<L3utJH5#Lu1H5LH5HHHcH9 1[A^]UHHcH9<Ht HHo]1Hc]ÐUHSHHADYE(\,DZMH>DDYE \C8ZM8ZX8ZZEZDXHZZEH@HEHEHEHD$HEHD$HEHD$HEH$HpHHpxHMMMMMEH}H uCf.vEEHEHD$HEHD$HEHD$HEH$HPHHPEXE`EhE<.BHEHEH@HEHEH==HEHD$8HEHD$0HEHD$(HEHD$ HEHD$HEHD$HEHD$HEH$H58{A%H[]H=l=HHHH=M=HHEHEEHEH==HEHD$8HEHD$0HEHD$(HEHD$ HEHD$HEHD$HEHD$HEH$H5u@b8UHAWAVSHhHHE(HD$HE HD$HEHD$HEH$LuHLHH5HE(n ;A^ZAXVA^A&eU]@^ZXEH=;HEHD$HEHD$HEHD$HEH$H53@%H=;IFHD$IFHD$IFHD$IH$D$ L=LIAH=R;IFHD$IFHD$IFHD$IH$D$ LIAIFHD$IFHD$IFHD$IH$H5{HrHh[A^A_] 9?^ZAXV?^ZAXA^M]UEH=s:HEHD$HEHD$HEHD$HEH$H5fH=@:IFHD$IFHD$IFHD$IH$D$ L=LIE1~H=9IFHD$IFHD$IFHD$IH$D$ LIE14UHSH8HH5H 2>f.HEH < tFH H< Ht6HXH\$HXH\$HXH\$HH$H5VPH8[]H]HH]HXH\$HXH\$HXH\$HH$H}H5HHHL$HHHL$HHHL$HH$H5H끐UHH=eH5H5HZT7]UHAWAVAUATSHHILuHHEHIHEHH HLuHHUH5,HEHHL=5H5^LUL%H 'HLHAL=$H5=L4L- H HLAL=ӷH5LH HLHAL=H5LH HLHAL=H5LH HLHAL=UH5LH HLHAL=H5LH5H ݞH߉AL=H5LH ԞHLAHLuHHUH5οHEHH5LHLuHHUHEHH HLH[A\A]A^A_]UHAWAVATSHHH}HHEH}H5HHIt}L=H5HHC>L=TL%HHLzH53LHAL=3H|HLPH5LHALH[A\A^A_]UHAWAVAUATSHHxL5H=H5SMH5VLHHH=lHMHDIL=ZL%CHHL0L-9LLHAH55H@H=HHIL=HƝHLڳLLHAH54HH=HHIL=HHLLLHAH5X4HH=qHRHIIL=_HhHL<LLHAH54HSH[A\A]A^A_]UHH]UHHHAE10.]UHH0]ÐUHHHrAE10]UHHU0]ÐUHAVSHHH)H<L5LHH<LH]HHEH}H5gaH[A^]UHSHHH5EH<H51HH]H7HEH}H5H[]UHSHHH5HH5HH]HHEH}H5H[]ÐUHAWAVSHXHIH5ZLQEL=LLM\MH5LELLM\MH5L HHbH}HQLEEH5{HrM^MYMXMH5cHZM\^MYMMH5LMXMZH5)L H)H5L IH5LH5LHLHX[A^A_]H}HnLEEUHAWAVSHILuHHEH}H5>6HOI<L=4L)H:I<LH[A^A_]UHAWAVAUATSH8HHH<L5LHH<L|H<uy@wkH}HvHmEX4EEX4EHEHD$HEHD$HEHD$HEH$H5HvH/wtukH}HHEX4EEX4EHEHD$HEHD$HEHD$HEH$H5H2L5H=HѭHȭIL%H=.L-@L7H=.LHDžHDžHHL$HHL$HHL$HH $LH XHAHHL\HH<HHE1DsH5H<3H-H5jdH=H<;L ҰLHưH=oH<;HLLH=MH<;L²LHHHALL=H=OL%HL?IL5eH=&-LH=-LHHWHNXX1HDž (0H0H|$H(H|$H H|$HH<$LH HAHHLH H< HļHE1DH H< H,L5H=H HIL%&H=+L-xLoH=+LWHDž8HDž@HPHPHL$HHHL$H@HL$H8H $LH HAHHLHH<HHE1DH5H<3H+H5H=H<;L LHH=H<;HLLH=H<;LLHHGHAL5L=VH=L%LwIL5H=n*LH=V*LկHXHHXXhX.xHEEEH}H|$H}H|$H}H|$HxH<$LH HAHHLH aH< HHE1DH @H< Hu)H5H !H< L ^LHRH H< HLIL@H H< LNLEHHHALHHL5WHLKHHHL4H] H8[A\A]A^A_]UHAWAVATSH`HH}HոH̸EHEDE DE(DH5HH5HHH<L56,L +HL<L% H}H HEXE\},LL +AHEDXO,DH*B,XH5HH HT HT$HT HT$HT HT$H H $H5lHH`H`[A\A^A_]HH<L51+L *HL<L%H}HHEXE\x+X*LL *UHSHMEHH5ԵH˵ H5|1HEMgExHH4H}HHEHD$HEHD$HEHD$HEH$ExtHHHĨ[]HH4H}H:4HEHD$HEHD$HEHD$HEH$Ext H,H]HHEH}H5hEMXiH]HH]H}H59EM):UHAWAVSHHL5H5HH5HAL5ɴH5HIH5HH5HHLAH[A^A_]UHAWAVSHHL5AH5*H!H5*HAL5MH56H-IH5H H5#HHLAH[A^A_]UHAVSIH59L0H5HljH5ǰL[A^]UHH5H5LHC]ÐUHAWAVATSHHILuHHEH}H5QHHL=H5ʲLH5H H߉AL=4H5LL%H HLHAL=H5LH HLHAH[A\A^A_]ÐUHAVSHHH}HHEH}H5*H!HItNHH?H5HHы;H5!LH5EL7HALH[A^]ÐUHAWAVAUATSHHH=CL5LIHLI9HL5H=H5H5 LHHH=HHIL=ƠL%HHLL-LLHAH5!HH=H\HSIL=iHҊHLFLLHAH5C!H]H=DH HIL=HHLLLHAH5 HH=HHIL=˟HtHLLLHAH5 HH=HoHfIL=|HEHLYLLHAH5N HpH[A\A]A^A_]ÐUHH[]UHHK]UHHH/H}H@HEH}H51+H]ÐUHHHH}HHEH}H5H]UH]ÐUHAWAVSH(HH<HrH cHDL1EEE EL=LLM\Y T#MZfEM(Mf(XUULLm]\Y #]ZH<Z]X]ZU\Uu X]"UMH5Lf(H([A^A_]ÐUHAWAVSHHIEEEEE EE(EHeE<H=2H5AHE f(MH\Y "ZMM*ZXEEEX"EEX"EH5ѣLȣH=H5HtGHEHD$HEHD$HEHD$HEH$D1A!'HH[A^A_]HEHD$HEHD$HEHD$HEH$D1A1!X UH]UH1]UH]UH1]UHAWAVSHHILuHHEH}H5sHjL=H5LH5H HAH[A^A_]ÐUHSHH}HHEH}H5HHt8HhH5HxtH]H51fHHH[]ÐUHHHHHOHGHG]UHSHHHH5HtNH5tHkH5Hvff.uzHH51fHݛH5&HH5FH=tMH5HHZH5kHbt"H5ןHΟH51HH[]ÐUHH5H5H]UHSH8H}HHEHE(HD$HE HD$HEHD$HEH$H}H5HHtNH=qH5H5HH5eHߺWH5`HߺRHH8[]UH]ÐUHAVSHH= H1H ~L5HLH5HH=׹H <֞HLH5HH=H HLoH5HRH=aH `HL4H5]HH=&H %HLH5*HH=H PHLH5HH= HHLH5HfH=u5H tHLHH5AH+H=BH5ۖՖHFH GLHL IH$H5ڨ Hff(_H5HH=ɷ Hf̜HLH5HH= jHHLeH5nHHH[A^]ÐUHH]UHH]ÐUHH]UHH]ÐUHH}]UHHm]ÐUHHHhHH]ÐUHHOH]ÐUHAWAVSHHIIH+I<HH5u 1H[A^A_]HLHI<H5ҐUHAWAVATSLIIIHI<HuH5>8u 1[A\A^A_]ILLHI<H5nhѐUHAWAVATSH@LIIIHPI<HH5ΔȔHEu>A$@AD$@AD$@AD$LH@[A\A^A_]IHU0LH5I47HzH|$8HzH|$0HzH|$(HHT$ HPHT$HPHT$HPHT$HH$HLUHAWAVSHHEIIHdI<HH5ܓuEH[A^A_]HLH+I<H5EАUHAWAVSHHIIHI<HH5smu 1H[A^A_]HLHI<H5ҐUHAVSHMEHIHI<HH5uH5HH[A^]MEH@I<H5UHLUHAWAVSHHEIIHI<HH5uEH[A^A_]HLHI<H5EٟАUHAWAVSHHEIIHI<H9H5 uEH[A^A_]HLH[I<H5EАUHAWAVATSHLIIIH5LH9-H HLH8H@LH~\HH`H(L\xH5PLGH5LH H}HHEXEXLH}HLEA $AL$H.@I\$AD$DHI<HH5UOt4IHI4HvLLjLH[A\A^A_]HpA$@AD$@AD$@AD$H}HHEUHAVSHHH5 HIH5LH9uLH51H]HkHEH}H5,&H[A^]ÐUHAVSIt^t0uyH5L H5LMH5LH5ʠ1L$H5ƠL1H5L1HAH5'L[A^]UHAVSH@HHHL5LuPH}HHEH5. HAְH5HH@[A^]H}H/HEH5ޚ HA0UHAWAVSH1EH5HHL=њH=H5#H5HHAׄt HIHL=H=bH5H5~HHAׄuHuLH[A^A_]UHAVSHH5MHDAH5HH5HEItH52L)H[A^]HHH5H5LHUHAVSHH5HHu1[A^]H5HIH5HߞH5XHOH5HI9UHSHHH5HHt#H5<H3H5HH[]ÐUHAWAVAUATSHHH0H5ÐHH5HHHL0LHH51HIHDžHDžHDžHDžHDžHDž HDž(HDž0LHHH5HH8AHH;HH HHHEE1HHH;tH5H0H0臼HN$H5wLnH5ǍHuHu/H5LLCH5HuHHH8L-VLLJ8XH(HXLLXXh HxLL(f. MGfxf.HuzH5 H51LHHLX(HH<H0/X(f.HuzH5 H51LII9H5يHH8AHHMH5LH5ߋHsHϋu/H5dL[H5HsHHEHHHL$HHHL$HHHL$HH$H}f 轹HL5 HH%LXHEHD$HEHD$HEHD$HEH$D$ ,H51LL0E1H[A\A]A^A_]ÐUHAWAVATSH0HIHE(HD$HE HD$HEHD$HEH$D$ L=+E1HLME1 HE(HD$HE HD$HEHD$HEH$D$ HLME1őHE(HD$HE HD$HEHD$HEH$D$ HLME~H0[A\A^A_]ÐUHAWAVAUATSHHLuH^LHRH<pIFHD$IFHD$IFHD$IH$HXf | 衷Xx`EhEpEH=HEHD$HEHD$HEHD$HxH$H5|| nH<H=fIFHD$IFHD$IFHD$IH$D$ H551AIH< AAXFX EH@HEHEH$@HEH5/H&tH@HEHHEHD$HEHD$HEHD$HEH$L=cHLWHEHD$HEHD$HEHD$HEH$H} HDHEHD$HEHD$HEHD$HEH$HLIFHD$IFHD$IFHD$IH$H5̖HÖHD<H=IFHD$IFHD$IFHD$IH$D$ L=E1ALIAeH=vIFHD$IFHD$IFHD$IH$D$ LIE1H=,IFHD$IFHD$IFHD$IH$D$ LDIEӍHĨ[A\A]A^A_]AFANAVAxUMX(EH=wUHAWAVAUATSHHH=GH5ȌŒH5ˌHŒH5HHIH5LH5GH>H5LvHH5fL]IL%H=H5E?H5؎LHAԄuyL=ĎH=H5H5LHAׄH5LIL%~H=7H5ЀʀH5cLHAԄL=KH= H5H50LHAׄH5xLoIHIMtmH5zLq1HtH5cLZIL-ЍH=H5"H5LHA1ɄtH5LH5LHH5LHH5HH[A\A]A^A_]H5L)UHAWAVATSHHILuHHEH}H5iH`L=H5LL%H hjHLAL=hH5LؑH ^jHLAL=>H5ǑLH TjHLAL=H5LH5}H FjH߉AH[A\A^A_]ÐUHAWAVATSHHH}HHEH}H5H HIL=ȐL%1HziHLH5LAL=HpiHL~H5LAL=HfiHL~H5pLAL=sH5̇HUiHH5ULALH[A\A^A_]ÐUHSHH}H HEH}H5~~HHt2H=H5=7HfuH?H HLHH[]HHDUHH]UHH ]ÐUHH]UHH]ÐUHSH8HHuHYHEH}HuHH8@HEEECECHCHH8[]ÐUHAVSHHIH5LLuHڠHEH}H5ÉHH[A^]ÐUH]ÐUH]UHHEEGE GE(G]UHAWAVAUATSH8HH5sHjH5cHZHÚH5,|H#|LuGH50H'H5 HH5 HEH=IFHD$IFHD$IFHD$IH$H5{mL=vL%HHHINHL$INHL$INHL$IH $D$ L-+LLIAAL=L%YHH7H.INHL$INHL$INHL$IH $D$ LLIE1AL=L%HHӁHʁINHL$INHL$INHL$IH $D$ LLIE1AEL=9L%HHhH_INHL$INHL$INHL$IH $D$ L-LLIAAL=˄L%<HHHINHL$INHL$INHL$IH $D$ LLIE1AL=gL%HHHIvHt$IvHt$IvHt$I6H4$D$ LLAD¹I1AAE;H53H*HH5xHx H5HH5H{tbL=L%H5HINHL$INHL$INHL$IH $D$ H5X1LIE1AH5~HuH5HtbL=L%cH5LHCINHL$INHL$INHL$IH $D$ H5҂1LIE1AH8[A\A]A^A_]EL=L%HH~H~INHL$INHL$INHL$IH $D$ L-ULLIAAL=2L%HHa~HX~INHL$INHL$INHL$IH $D$ LLIE1AL=΁L%/HH}H}IVHT$IVHT$IVHT$IH$D$ LLIAAhUHH5Q}K}HH HDH]UHAWAVATSHHH=IH5uuH5EwH|LHHLAHUHHLHwLH[A\A^A_]UHAWAVATSHH=<H%{H r {L5tHLtH5H輦H={H 0zHLtH5OH聦H=HE zHLctH5HFH=}H  TzHL(tH5H H=JL=sLsHH LL H$H5 Hff(<H5H藥H=ΔFH yHLysH5H\H=H jyHL>sH5H!H=X (Hf3yHLsH5xHH=! H^xHLrH5H诤H= HfxHLrH56HxH=H xHLZrH5H=H=L%ͅLHL rH5HH=:"H wxHLqH5vHȣH=gL<NHLqH5KH蕣H=̒ HfwHL{qH5H^H=-H lwHL@qH5H#H=jLpH5JrHArH5HH=H5x fwL5{L=dH= H:vH5MLHAH[A\A^A_]ÐUHAWAVAUATSHXHIIH5vLvH5sHTHsLetH5vLf(vH5vLvt{H5L HuH5wLwtPL-{vH5LH5dvLHAIH51LփH=?H5xxrxL}HǓHEL=,vID$HD$ID$HD$ID$HD$I$H$H}f HEHD$HEHD$HEHD$HEH$H}H5uLHAHX[A\A]A^A_]ÐUHH5uuHH HDH]UHSHXHHuHHEHE(HD$HE HD$HEHD$HEH$H}HuHwvHEHD$HEHD$HEHD$HEH$f HHHX[]UHAVSHPHH]HcHEHE(HD$HE HD$HEHD$HEH$H}H5H5$tHtt{LuH=H5vvIFHD$IFHD$IFHD$IH$H}HbHYHEHD$HEHD$HEHD$HEH$:HP[A^]ÐUHAWAVAUATSHDMƉMAHXHE(HD$HE HD$HEHD$HEH$LeH-xLL!xHE(HD$HE HD$HEHD$HEH$H}腞EEMMMM MM(Dm0t=H5΀LŀAD$tX"AD$XaAD$XPA$AD$EAD$EID$HD$ID$HD$ID$HD$I$H$H}HAwL8wEA$EAD$EAD$EAD$Et#A*M\X ND,H=L5vL vL-vHLvA*^ZEH=LuHLu*M^ZEA$EEZXMhAL$pAXL$UZ\xdEH=/H5HH5fH ZEMXZZZdXpZZH5~H~ZhZZxZH5~H~H5sHXsH5~H~HĨ[A\A]A^A_]MSEZAT$pXxMAXL$ZU\hdUHAWAVAUATSHhILHV~H1HH~H5Q~HH~H*ELH$~H1H~H5/~H&~H*MH=H5hhH5~HEM}H5hHhIH5}L}UYUYUUH=8H5ppIL-pLLEMpH5H5x}Lo} EfWUfWLLIpH5bpLYpHEHEEEMMLH|H1H|HMHL$HMHL$HMHL$HMH $H5|H|H5s|Lj|LHh[A\A]A^A_]UHAVSH@HIH5mLmHEHEEMH5lL}lIH5{L{H5#pHpHEHD$HEHD$HEHD$HEH$H5{L{H5fLfH@[A^]UHAWAVATSHHH}HHEH}H5{{HIL=iL%fH!RHLfH5iLHAHRHLfL=iH=ԇH5}{Ht{H5iLHAL=iHQHLjfH5iLHAL=jHQHL@fH5ijLHAL=9hH5{HQH{H5hLAL=jH5'fHQHfH5iLALH[A\A^A_]ÐUHHHA0Ao]ÐUHHo0O]ÐUHHHZA0A1]ÐUHH90]ÐUHHH$A0A]ÐUHH0Ӗ]ÐUHHHA0A赖]ÐUHHͺ0蕖]ÐUHHL]UHHL]UHH]UHH]ÐUHAVSHHH?H<L5,dL#dH,H<LdH H<LcHH<LcH]HHEH}H5ggH[A^]UHAWAVAUATSHHIL=@dH5eLeL%)dH NHLHAL=xL-ЄH5qfLhfH5xLHAH NHLHcL=cH5dLdH NHLHAL=cH5gLgH NHLHAL=xH5hLhH5xHNHAL=lcH5cLcH5RcH NHAH[A\A]A^A_]UHAVSHH}HHEH}H5QwKwHHL5@J<3u2H=H5aaH56cH-cHHLL5J<3u2H=ZH5a}aH5bHbHHL觓L5зJ<3u2H="H5Ca=aH5bHbHHLgL5J<3u2H=H5a`H5vbHmbHHL'HH[A^]ÐUHH5vv]ÐUHAWAVSH8@IHHHcL cHEH5fLftAHhHbLbZ@Zx\Y ZXEEH}L=bLLbE0H}LLvb0XE8\E@EMHEHD$HEHD$HEHD$HEH$蔑u;HEHD$HEHD$HEHD$HEH$H5 uLtH[A^A_]ÐUHH9tH9uH9׹HHD]1]ÐUHSHHH5rHrH5tHHHtH[]ÐUHSHHH=H5`fZfH5tHtZZH}H54`1H)`H5kHkH[]UHH5Wt1Ot]ÐUHAWAVATSHHILuĤHEH}H5-tH$tH5-tH$tH5]qHTqH5aHJHatwH=H5]]H5N_HE_IL%cH5sHsH5tcLHAH5sHLsH5bLLHbH[A\A^A_]ÐUHH=QH52],]]UHAVSH=LHcH cL5e]HLY]H5"H<H=H JcHL]H5HH=~H ecHL\H5HƎ[A^]ÐUHAWAVAUATSHXHH]HE(HD$HE HD$HEHD$HEH$H5rHrIIG$>H5rHyrE9HDEAIE1EB0LcH5]rHLQr=H}HNrHuLArEXEH=}H51r+rH=}H5-c'cH5 rHrH={}L%a4L aIH=Q}L aIH=6}H5[[H5zdHLLkdH5$[H[HMHL$HMHL$HMHL$HMH $H5fiHeH=|H5RqLqIM9HX[A\A]A^A_]ÐUH1]UHHH H=_|H5[E10[]ÐUHH_]ÐUHSH8HH5YpHPptFHEH]H ~HMHHHL$HHHL$HHHL$HH$H}H5ppH8[]ÐUHAWAVAUATSH8HUHH5_^HV^H5O]H>H?]mH5`H_H={H5__IH=y{HJYHAYH5ZHZHHWYHNYIL%4`H5oHoH5o1H1oH5 `LHAH59HL%[LLL[H59L6L-[H=zH5_q_LLHLAH=zHvXHmXIL%CoH5 ]H]H5,oLHLAHHfXH]XH5oHH oHE@ \@XH]H|HUHPHT$HPHT$HPHT$HH$H}H5_HU_H8[A\A]A^A_]H5 ^ \]&UHAWAVAUATSH8LMIIIHE(HD$HE HD$HEHD$HEH$H}HRnLInHADLmH{HEHE(HD$HE HD$HEHD$HEH$H}H5nLLMI nH.ADH8[A\A]A^A_]ÐUHAWAVAUATSH8LMIIIHE(HD$HE HD$HEHD$HEH$H}HmLymHADLmHzHEHE(HD$HE HD$HEHD$HEH$HE0HD$ H}H56mLLMI$mHUADH8[A\A]A^A_]UHAVSHPHIH]HTzHEHE(HD$HE HD$HEHD$HEH$H}HuHllH<usHEHHHHL$HHHL$HHHL$HH$H5SlMlEf(\Zf.v#Z\EY ZXEEEAEAFEAFEAFLHP[A^]ÐUHSHH}HTyHEH}H5%UUHHt2H=vH5IhChHuH?H HLHH[]HHDUHHU]UHHE]ÐUHH;]UHH+]ÐUHSH8HHuHxHEH}HuHggH8@HEEECECHCHH8[]ÐUHAVSHHIH5fLfLuHxHEH}H5`H`H[A^]ÐUH]ÐUH]UHHEEGE GE(G]UHAWAVAUATSH8HH5ZHvZH5ofHffHqH58SH/SLuyH5L%\L\HLHH5HzH=jH QNHLHH5HzH=L(\HLHH5HozH=j HfNHLUHH5VH8zH=OjH FNHLHH5HyH=$jLGH5$IHIH5HyH=H5N ^fNL5U[L%H=i HMH5'[LHAHGL5iH=iH5FFH5FLHHH={iLFIL=GH5FH3HFH5FLHAH5RHxH[A\A^A_]ÐUHAWAVAUATSHhHH5NHNHLuIH5MLLH5JH+HItH5LLf(LH5LLLt*L%LH5_ZHVZH5LLHAIH=4hH5NMIANH5MfLMH5M LhMLHMHML-MINHL$INHL$INHL$IH $H}HMHMH +&HQHT$8HQHT$0HQHT$(H HL$ HMHL$HMHL$HMHL$HMH $H5nMLAH5dML[MLH!MHMHh[A\A]A^A_]ÐUHAVSH`HIH]H4iHEHE(HD$HE HD$HEHD$HEH$H}HuHLLEEH5OLHFLH5JHJf.EvEXEEXEAEAFEAFEAFLH`[A^]ÐUHH5JJH>H /HDH]UHSHxHHuH/hHEHE(HD$HE HD$HEHD$HEH$H}HuHL LEX&EHEHD$HEHD$HEHD$HEH$H}*ftEMU]SKCHHx[]UHAWAVAUATSH8HEXE EL5IL=?H5VHVH5hILHAHEH=dH5JJIM(H5JfLJH5J  L{JH5JL{JH=H5-K'KH5JHIM(Y (Z?tMX MfH]L="IGHD$IGHD$IGHD$IH$X|ZML%pIH}LEиH4NIH=cH5IzIIKH5{IfLnIH5wI L^IHgILH[IIOHL$IOHL$IOHL$IH $M\ H}LEиHHH53IL*ILHHH5ILIH5HLHH8[A\A]A^A_]HH!HHHL$HHHL$HHHL$HH$XZH5HH}EGtUHAVSHPHH]HdHEHE(HD$HE HD$HEHD$HEH$H}H5SSH5*FH!Ft{LuH=*H5HHIFHD$IFHD$IFHD$IH$H}HhSH_SHEHD$HEHD$HEHD$HEH$@qHP[A^]ÐUHAWAVAUATSH8HLuHYPLHMPH5FVH=VIH5DHDH53VH*V3 H5;VH2VHEH5CHCH5'BHBIH=aH5 VVMuuH5VHVuH5UHUH5QGHHGIFHD$IFHD$IFHD$IH$pH5QH|QIL-bKH=*oH5OKLHAՄH5GQH>QH5BHBH57AH.AHdHH5QHPH5BHBIH5A1LAH92MfLd$MfLd$MfLd$M&L$$D$ L%ZHLLIE1>HIFHD$IFHD$IFHD$IH$D$ LLIAGH5.PH%PH5GHGL%G IFHD$IFHD$IFHD$IH$D$ L-GLLIAAMfLd$MfLd$MfLd$M&L$$D$ LLIE13GM~L|$M~L|$M~L|$M>L<$D$ H}LI1AFM~L|$M~L|$M~L|$M>L<$D$ L=FLeLLIE1FIFHD$IFHD$IFHD$IH$D$ ALL>LH5NNH98IFHD$IFHD$IFHD$IH$D$ L%FLLIE1EIFHD$IFHD$IFHD$IH$D$ LLIAEH5MHMH5sEHjEHEINHL$INHL$INHL$IH $D$ L%JEE1LLIE1IFHD$IFHD$IFHD$IH$D$ LLIADM~L|$M~L|$M~L|$M>L<$D$ L}LLIE1DIFHD$IFHD$IFHD$IH$D$ LLDIEXDM~L|$M~L|$M~L|$M>L<$D$ H5'D1AH}йI DH5ALH8LH5CHCHCINHL$INHL$INHL$IH $D$ L%CLLIE1IFHD$IFHD$IFHD$IH$D$ LLIE1JCIFHD$IFHD$IFHD$IH$D$ ALLIABIFHD$IFHD$IFHD$IH$D$ LLIABIFHD$IFHD$IFHD$IH$D$ L}LLIEfBINHL$INHL$INHL$IH $D$ LL‰IE!BINHL$INHL$INHL$IH $D$ L%AALLIE1IFHD$IFHD$IFHD$IH$D$ LLIE1AIFHD$IFHD$IFHD$IH$D$ LLIEAAIFHD$IFHD$IFHD$IH$D$ LLIE@M~L|$M~L|$M~L|$M>L<$D$ L}LLIE1@IFHD$IFHD$IFHD$IH$D$ LL‰IGHIIFHD$IFHD$IFHD$IH$D$ L%4@E1LLIE1@IFHD$IFHD$IFHD$IH$D$ LLIE1?IFHD$IFHD$IFHD$IH$D$ LLIA?IFHD$IFHD$IFHD$IH$D$ LL¹IA>?INHL$INHL$INHL$IH $D$ L}LLIE1>INHL$INHL$INHL$IH $D$ LLIE1>INHL$INHL$INHL$IH $D$ LLDDIظAg>INHL$INHL$INHL$IH $D$ LLDDIظA >AFf.v2IFHD$IFHD$IFHD$IH$H5gJH^JH8[A\A]A^A_]H5IHIIFHD$IFHD$IFHD$IH$D$ L-=LLIAAMfLd$MfLd$MfLd$M&L$$D$ LLIE1'=MfLd$MfLd$MfLd$M&L$$D$ H}LIظINHL$INHL$INHL$IH $D$ L%<E1LLIE1IFHD$IFHD$IFHD$IH$D$ LLIAH<IFHD$IFHD$IFHD$IH$D$ L}LLIA;IFHD$IFHD$IFHD$IH$D$ ZUHAWAVAUATSHHH<HH5CHCH5p;Hg;LHH=RHE,HH5GH0AHEH5JCHACH53HH3uH5CHCHEH=[RH/H/H$1HH1HH/H/IH5[L>L%q2H=RH555L-V2LLHLAH5L>L%62H=QH566LLHLAH=QH.H.HHh0HH/H/HH5+6f H6L=BH=PQH5>>H5tBHcBH5lBHHAH5THLLHZ1H=QHL.HC.H5EHHUL EHHR.HI.HHE@E@EH}HE1HMEEYEYEXEZ YMM`ZEӲYEXEEZ_ZH5pEHEbEHH[A\A]A^A_]HE,HD,@H=OH5EH0EHE,HUHSHH}HQHEH}H5q-k-HHt2H=OH5@@HuH?H HLHH[]HHDUHSH8HHuH-QHEH}HuH:@4@H6@HEEECECHCHH8[]ÐUHAVSHHIH52?L)?LuHPHEH}H5_9HV9H[A^]ÐUHAWAVAUATSHHHL57L=HE(HD$HE HD$HEHD$HEH$H}f |]HEHD$HEHD$HEHD$HEH$H56LAL56L= HH2H2HM(HL$HM HL$HMHL$HMH $D$ L%G6LLIAAL5$6L=HHS2HJ2HM(HL$HM HL$HMHL$HMH $D$ LLIAAL55L=EHH1H1HM(HL$HM HL$HMHL$HMH $D$ LLʹIAAL5R5L=HH1Hx1HU(HT$HU HT$HUHT$HUH$D$ LLADIAAL54L=oHH1H 1HU(HT$HU HT$HUHT$HUH$D$ ALLAD¹IE1AL5w4L=HH0H0HU(HT$HU HT$HUHT$HUH$D$ LLADDIAHH[A\A]A^A_]ÐUHSH(HHE(HD$HE HD$HEHD$HEH$f OtZHH([]UHAVSHH=.KH.HT .L5(HL{(H5H^ZH=JH Ҭl.HL@(H5H#ZH=JH 1.HL(H5HYH=oJH \-HL'H5{HYH=H5ZTIL-3H53L3H53LHAIH53LH3H3H53L3H53LHH#H53L3H5#LHH3H==H5**H53LHH3H53L3H53LHH5LH[A\A]A^A_]ÐUHAWAVAUATSHUH===H5$$H5$H$EH==H5 H5HwH5 HHH5 H* t H5 !H H5.H.H=<L5!.L.IL%..LLff.L-#.LLf .ZEE^EXZLLz-LLff-H= <L-I^EZELLfMr-LL Mi-LL M-LLfM8-ĒH=;H5H52,ʞH!,H5Z!HQ!H5j1La1H=:H5c1LR1H5,H,HH[A\A]A^A_]H5((H5+H+L% HL L-0LL0H=L LL0rUHHHeHu H]H}H<HEH}H500ؐUHAWAVAUATSHH=.:H?0o oHl0IH=9T THQ/IH=9L%LL- HLLLH5HHH=9 Hq/IH=O9ߝ ߝߝH>/IH=49LHLLLYH5HHH=8 H0.IH=8p pHM.IH=8LdHLLLH5HGH=T8 HC.IH=!8 H.IH=8LHLLL+H5 HFH=7 HR-IH=7 Hy-IH=o7L6HLLLH5eHWFH=&7F FH-IH=6# #HЛ,IH=6LHLLLH5֖HEH=6ϛ ϛϛH$~,IH=\6 HK,IH=A6LHLLLfH5H)EH=6LH5PHGH5HDL5L=ҕH=5H5\VH5_HV N^H5fLAL5R&L=H=l5H5""H5 &xH&H5&LHAH=05 HuŖ+H58H/H5HDH[A\A]A^A_]ÐUHAVSHpHIH]H|6HEHE(HD$HE HD$HEHD$HEH$H}HuH++EXCEHOHuEX EH=-4H5H5HZZ f.w f.jvoH5yHpHMHL$HMHL$HMHL$HMH $H}HHEEEEEEEEEAEAFEAFEAFLHp[A^]UHH?HH)u H5)1]H5)UHAWAVSH(HHHu+H]H4HEH}H5H([A^A_]H=2H5H5,H#H5HIL=H]HV4H]H}H5yH5LHAH:H HpH5AL8L^UHAWAVAUATSHHIH=2H5H5HHE(HD$HE HD$HEHD$HEH$HXH%L%HpHD$HhHD$H`HD$HXH$Z!^ZHxf(?@HEHD$HEHD$HEHD$HxH$H}f(@Z f.wf.dcHpHD$HhHD$H`HD$HXH$H8L=HL8X@`HhPpHEHD$HEHD$HEHD$HxH$HHLDx E(E0EHEHD$HEHD$HEHD$HEH$HHLEEEEYpH=|/HpHD$HhHD$H`HD$HXH$H%Hf(%I^YEH="/HEHD$HEHD$HEHD$HxH$Hf(?%IYEH=.HEHD$HEHD$HEHD$HEH$Hf($H H AHdH=L-$LL$H=LL$H=LHސx$H5$L$H5$HUHMLELMHx$Ef. f.H=-H5#m mm=#H5HH=-H5! !H=-H5 H5! H H5#L#H=c-H5  H[A\A]A^A_]H=EL-^#LLJ#H=+LL/#H=UHAVSHH}H.HEHE(HD$HE HD$HEHD$HEH$H}H5HHtoH52#H$#H}L5HLEEH}HLE^EEf.EHPtwHHĀ[A^]UHH=IH5rlfXX]UHH=H5HBfXXr]UHAWAVAUATSHHxL5+H=+H5SMH5VLHHH=+HMHDIL=ZL%CHHL0L-9LLHAH5H@:H=G+HHIL=HHLLLHAH5_H9H=*HHIL=HWHLLLHAH5H9H=*HRHIIL=_H(HL<LLHAH5HS9H=Z*HHIL=HHLLLHAH5*H9H= *HHIL=HHLLLHAH5H8H=)HeH\IL=rHHLOLLHAH5Hf8H=m)HH IL=#HlHLLLHAH5H8H=)HHIL=H=HLLLHAH5FH7H=(HxHoIL=HHLbLLHAH5׈Hy7H=(H)H IL=6HHLLLHAH5H*7H=1(HHIL=HHLLLHAH5)H6H='H5 ; ; H5HH5ƇH6H=H H MH=ۇH XMMH=H XMX ÈZgH=Hw EH=Hb XEEH=yHH XE kXMZ H[A\A]A^A_]ÐUHAWAVATSH@HHIIHUHHHZHPHjH_nA<HsHL%_LLHLL4 \f\\XH@HL{HmA<PH52L)YZ4 _ZP\@H5LZYZ74ZXZZfXAAGAGAGHL%LLH LLz0\\f\XAAOAGAOHH@[A\A^A_]L5AAANAOANAOANH`L%LLH}LL{H}LLfHkA<eX%`XpZZ\fxAAOAgAWH}HLH#kA<ee\fUHAHAOHAOHAOHuHLLvXH52L)YZ1 _ZX\HH5 L ZYZ71ZXZZfPxU\\UXhZZfpT U\fe5UHAWAVSH8HIILuH#HEH}HuH0H'HLLHLH8[A^A_]ÐUHSHHHH}HHHi<tZH=iH5ZHKHEHD$HEHD$HEHD$HEH$AEE1a/HH[]H='H5H HEHD$HEHD$HEHD$HEH$A1E1 /UHSHHHH}HHH(h<tZH=[H54HEHEHD$HEHD$HEHD$HEH$AgE1.HH[]H=H5 HHEHD$HEHD$HEHD$HEH$A1E1,.UHSHHH=H593H}Hh H_ HEHD$HEHD$HEHD$HEH$-Hg<H}H H EX]XmXeZ ~f.vCH5PHGH5PHGff.H5BH9H}f<uyH}H H SM\\X Zr~f.v:H5HH5Hff.vH5HHĈ[]UHAVSH`H}H~HEH}H5 HHtoH5:H,H}L5 HL EEH}HL E^EE~f.EHXewHH`[A^]UHAWAVSHHH=IH5H5UHLH5HIL=H]HHEH}H5H5LHAH[HL=qH=H5H5VLHHAH=H5HHH=L=uWH5C}5H5LHHAHHH|H5LLH[A^A_]H5<}.UHH=!H5H5 HH5M|H*H=>|H5f C}]ÐUHAVSHHH}H)HEH}H5HHIt-HH/H5HH5LHLH[A^]UHH%e0*]ÐUHSHHHeH<H5H]HHEH}H5H[]ÐUHAWAVSHHdHH9Ht8IH5HL=dH5LHHLj)HkdH<Ht>H5Htu&HCdHH58H/H[A^A_]L5H=NH5H5HH5HHA븐UHAWAVSHHILuHhHEH}H5IH@L=YH5LyH5BH KHHAH[A^A_]ÐUHAVS1'H1H'H'IH'H5!L[A^]ÐUHHH8H5-'H50H']ÐUHHH8H5H5H]ÐUHHgH8H5H5H]ÐUHH3H8H5H5H]ÐUHHH8H5]WH5`HW]ÐUHSHHH5HHHH5HH[]ÐUHAVSHHH}HHEH}H5HHIt-HHH5HH5LHLH[A^]UHHHdE1A0j&]UHHcH]ÐUHSHHHcH<H5>8H]HHEH}H5H[]ÐUHAWAVSHHHL5yH=BH5[UIH}HHHEHD$HEHD$HEHD$HEH$H5$HLAHH[A^A_]UHAWAVAUATSHHHeH5~Huu\H=H5  IL= L% L-}H5^ HU H5n LHAH5n LHAH[A\A]A^A_]UHAWAVSHHILuHpHEH}H5IH@L=YH5 L H5BH kHHAH[A^A_]ÐUHAWAVATSHHH=H5H5yHpH5HIL=H]HHEH}H5H5LHAHHL=H=NH5w q L%zLLHHAHlHL=ZH=H5LLHHALH[A\A^A_]UH]ÐUH]UH]UHAWAVATSHHH}HHEH}H5^HUHI L= L%KHHL8H5 LHAL= HHLH5 LHAL= HHLH5m LHAL=m HHLH5S LHAL=S HHLH59 LHAL=9 L%HHLH5 LAL= HHLeH5 LAL= HHL;H5 LAL= HHLH5 LAL= L% HHL H5 LAL= HHL H5 LAH5 L Hu'H=H5)#H5 LH H5 L Hu'H=dH5M G H5 LH H5] LT Hu'H=(H5  H5d LHX H51 L( Hu'H=H5UOH58 LH, H5 L Hu'H=H5H5 LH LH[A\A^A_]UHH5cH]ÐUHH+cH]ÐUHH!cH]ÐUHHcH]ÐUHH cH]ÐUHHc]UHHb]UHHb]UHHb]UHHb]UHHb]ÐUHHb]UHHb]ÐUHHb]UHHb]ÐUHH}b]UHHmb]ÐUHAVSHHHbH<L5LHaH<LHaH<LHaH<LHaH<LmH]H HEH}H53-H[A^]UHAWAVSHHaHH9tPHIH5HL=ZaH5HHLLH5uLgH[A^A_]UHAWAVSHHaHH9tPHIH5HL=`H5{HrHLL\H5LH[A^A_]UHAWAVSHHx`HH9tPHIH5*H!L=R`H5HHLLH5LwH[A^A_]UHAWAVSHH_HH9tPHIH5HL=_H5HHLLlH5 LH[A^A_]UHAWAVSHH_HH9tPHIH5:H1L=j_H5H HLLH5LH[A^A_]UH]ÐUHAWAVAUATSH(H=_<HH1_<thH^H<H5YSHHH|HHD$HHD$HHD$HH$H^<H= H5$H o^Z H5HIL=HXHHHpHD$HhHD$H`HD$HXH$D$ H51ALIAH]<H= H5nhH ]Z H5HIL=2H}H7H.HEHD$HEHD$HEHD$HEH$D$ H51ALIAH([A\A]A^A_]H=E H5f`H \H H \H H5HIL=pHHHyHHD$HHD$HHD$HH$H5#lLAH5.L%Ha\L4L=HL%HLH0HD$H(HD$H HD$HH$D$ L-LLIAAH= H5H [Z H5HIL=PH8HLMHPHD$HHHD$H@HD$H8H$D$ LLIظAAdH:[L4L=HxL%HLHEHD$HEHD$HEHD$HxH$D$ L-LLIAAH=H5f`H ZZ H5HIL=*H}HL*HEHD$HEHD$HEHD$HEH$D$ LLIظAAUHAWAVATSHHILuHb HEH}H5+H"L=;H5LL%$H mHLHAL= H5LH cHLHAL=H5LH YHLHAL=H5LH OHLHAL=H5LH EHLHAL=H5{LrL%hH 1HLAL=QH5ZLQH 'HLAL='H5@L7H HLAL=H5&LH HLAL=#H5 LL% HHLAL=H5LHHLAH[A\A^A_]UHH5H5H]UHAVSIH5_LVH5HljH5L[A^]UHH5H5Hy]UHAVSIH5LH5aHljVH5Lq[A^]UHH5H54H+]ÐUHAVSHIH5L{H5$HHH5L[A^]UHH5C=H56H-]UHAVSIH5L H55Hlj*H5L[A^]UHH5H5hH_]ÐUHAVSHIH5LH5HHH<H55L'[A^]UHH5gaH5H]ÐUHAVSHIH5:L1H5HHH5L[A^]UHH5H5H]ÐUHAVSHIH5LH5HHH5YLK[A^]UHAWAVATSHHH}HIHEH}H5HHIL=L%HHLH5LAL=}HHLH5`LAL=#HHL`H5LAL=yL%HHLH5XLHAL=HHLH5~LHAL=HwHLH5LHAL=HmHLH5LHAL= HcHLWH5LHAH5LwHu'H={H5H5wLHkH5TLKHu'H=?H5H5;LH/H58L/Hu'H=H5\VH5LHH5LHu'H=H50*H5LHH5LtHH5E1fL6LH[A\A^A_]UHHKY]ÐUHHQYH]ÐUHH/Y]UHHY]ÐUHHH:YE10E1]ÐUHHYH]ÐUHHHYAE10L]UHHX0-]ÐUHHXH]ÐUHHXH]ÐUHHX]ÐUHHXH]ÐUHAWAVSHHbXHH9tKHIH5HL=HLHAL=H5LH 4HLHAL=H5LH *HLHAH[A\A^A_]ÐUHH1sysHuR2sysHuD} t1H]Ã}%L%N%P%R%T%V%X%Z%\%^%`%b%d%f%h%j%l%n%p%r%t%v%x%z%|%~%%H=RtLQAS%AHZhL|hLrh*Lhh>L^hXLThvLJshL@ahL6OhL,=hL"+hLhLh)Lh?LhTLhjLh}LܭhLҭhLȭhLwhLehLShLAhL/hLh8L hQLxhjLnorderFrontColorPanel:bundleForClass:allocinitWithContentsOfFile:autoreleasesharedApplicationtoolTippaletteLabelitemIdentifierToolbarItemColors.tiffBWToolbarShowColorsItemColorsShow Color PanelorderFrontFontPanel:#A:16@0:8targetlabelToolbarItemFonts.tiffBWToolbarShowFontsItemFontsShow Font PaneltoggleActiveView:windowDidResize:selectInitialIteminitialSetupibDidAddToDesignableDocument:retainsetDocumentToolbar:setHelper:setEnabledByIdentifier:documentToolbarencodeObject:forKey:helper_defaultItemIdentifiersarrayWithObjects:isEqualToArray:initWithIdentifier:setEditableToolbar:performSelector:withObject:afterDelay:_windowsetShowsToolbarButton:setAllowsUserCustomization:toolbarIndexFromSelectableIndex:switchToItemAtIndex:animate:indexOfObject:parentOfObject:childrenOfObject:countByEnumeratingWithState:objects:count:editableToolbarsetInitialIBWindowSize:defaultCenteraddObserver:selector:name:object:itemssetObject:forKey:setItemSelectorsselectItemAtIndex:contentViewsetContentViewsByIdentifier:windowSizesByIdentifiervalueWithSize:setWindowSizesByIdentifier:objectAtIndex:setSelectedItemIdentifier:setSelectedIdentifier:dictionaryWithObject:forKey:postNotificationName:object:userInfo:setTarget:removeObserver:name:object:deallocnumberWithBool:objectForKey:boolValuenewselectableItemIdentifierssetIsPreferencesToolbar:titleselectedItemIdentifiersetTitle:oldWindowTitlearraymakeFirstResponder:initWithFrame:addObject:toParent:copymoveObject:toParent:addSubview:identifierAtIndex:bwResizeToSize:animate:sizeValueremoveObject:recalculateKeyViewLoopBWSelectableToolbar 5 v24@0:8i16c20setSelectedIndex:i16@0:8labelstoolbarSelectableItemIdentifiers:@24@0:8@16toolbar:itemForItemIdentifier:willBeInsertedIntoToolbar:@36@0:8@16@24c32toolbarAllowedItemIdentifiers:toolbarDefaultItemIdentifiers:validateToolbarItem:c24@0:8@16setEnabled:forIdentifier:v28@0:8c16@20setSelectedItemIdentifierWithoutAnimation:@20@0:8i16i20@0:8i16selectFirstItemawakeFromNib@"BWSelectableToolbarHelper"itemIdentifiers@"NSMutableArray"itemsByIdentifierinIBiT@"NSMutableArray",R,PenabledByIdentifierT@"NSMutableDictionary",C,VenabledByIdentifier,PTc,VisPreferencesToolbarT@"BWSelectableToolbarHelper",&,Vhelper,PBWSTDocumentToolbarBWSTHelperBWSTIsPreferencesToolbarBWSTEnabledByIdentifierNSToolbarFlexibleSpaceItemNSToolbarSpaceItemNSToolbarSeparatorItem7E6A9228-C9F3-4F21-8054-E4BF3F2F6BA80D5950D1-D4A8-44C6-9DBC-251CFEF852E2BWClickedItemBWSelectableToolbarItemClickedBWSelectableToolbarHelperIBEditableBWSelectableToolbaraddBottomBarsetContentBorderThickness:forEdge:contentBorderThicknessForEdge:isSheetBWAddRegularBottomBar{CGRect={CGPoint=dd}{CGSize=dd}}16@0:8BWRemoveBottomBarsetBackgroundStyle:BWInsetTextField!BWTransparentButton!classpathForImageResource:whiteColorisHighlightedisEqualToString:bwTintedImageWithColor:drawTitle:withFrame:inView:_textAttributesaddEntriesFromDictionary:NSActionTemplateBWTransparentButtonCell"{CGRect={CGPoint=dd}{CGSize=dd}}64@0:8@16{CGRect={CGPoint=dd}{CGSize=dd}}24@56v64@0:8@16{CGRect={CGPoint=dd}{CGSize=dd}}24@56drawBezelWithFrame:inView:TransparentButtonLeftN.tiffTransparentButtonFillN.tiffTransparentButtonRightN.tiffTransparentButtonLeftP.tiffTransparentButtonFillP.tiffTransparentButtonRightP.tiffBWTransparentCheckboxcolorWithCalibratedWhite:alpha:interiorColorisInTableViewboldSystemFontOfSize:isMemberOfClass:graphicsPortbackgroundStyledrawInteriorWithFrame:inView:BWTransparentCheckboxCelldrawImage:withFrame:inView:c16@0:8TransparentCheckboxOffN.tiffTransparentCheckboxOffP.tiffTransparentCheckboxOnN.tiffTransparentCheckboxOnP.tiffBWTransparentPopUpButton!pullsDownsizesetScalesWhenResized:transformtranslateXBy:yBy:scaleXBy:yBy:concatimageRectForBounds:drawInRect:fromRect:operation:fraction:invertimagePositionalignmentsystemFontOfSize:BWTransparentPopUpButtonCellQ16@0:8{CGRect={CGPoint=dd}{CGSize=dd}}48@0:8{CGRect={CGPoint=dd}{CGSize=dd}}16v56@0:8{CGRect={CGPoint=dd}{CGSize=dd}}16@48TransparentPopUpFillN.tiffTransparentPopUpFillP.tiffTransparentPopUpRightN.tiffTransparentPopUpRightP.tiffTransparentPopUpLeftN.tiffTransparentPopUpLeftP.tiffTransparentPopUpPullDownRightN.tifTransparentPopUpPullDownRightP.tifBWTransparentSlidersetTickMarkPosition:numberOfTickMarksrectOfTickMarkAtIndex:knobRectFlipped:startTrackingAt:inView:stopTracking:at:inView:mouseIsUp:BWTransparentSliderCellv60@0:8{CGPoint=dd}16{CGPoint=dd}32@48c56c40@0:8{CGPoint=dd}16@32{CGRect={CGPoint=dd}{CGSize=dd}}20@0:8c16v52@0:8{CGRect={CGPoint=dd}{CGSize=dd}}16c48isPressedTransparentSliderTrackLeft.tiffTransparentSliderTrackFill.tiffTransparentSliderTrackRight.tiffTransparentSliderThumbP.tiffTransparentSliderThumbN.tiffTransparentSliderTriangleThumbN.tiffTransparentSliderTriangleThumbP.tiffsplitView:resizeSubviewsWithOldSize:splitViewWillResizeSubviews:splitViewDidResizeSubviews:splitView:constrainSplitPosition:ofSubviewAt:splitView:canCollapseSubview:splitView:shouldHideDividerAtIndex:resizeAndAdjustSubviewsrestoreAutoresizesSubviews:animationEndedsetCollapsibleSubviewCollapsedHelper:setMinSizeForCollapsibleSubview:initWithStartingColor:endingColor:setFlipped:setColor:setColorIsEnabled:setMinValues:setMaxValues:setMinUnits:setMaxUnits:decodeIntForKey:setCollapsiblePopupSelection:setDividerCanCollapse:encodeWithCoder:colorcolorIsEnabledminValuesmaxValuesminUnitsmaxUnitscollapsiblePopupSelectiondividerCanCollapsemainScreenuserSpaceScaleFactordividerThicknessdrawSwatchInRect:drawDividerInRect:drawGradientDividerInRect:centerScanRect:isVerticaldrawDimpleInRect:convertRectToBase:convertRectFromBase:subviewscountsubviewIsCollapsible:isSubviewCollapsed:collapsibleSubviewsubviewIsCollapsed:collapsibleSubviewIndexinvalidateCursorRectsForView:setCollapsibleSubviewCollapsed:bwShiftKeyIsDownhasCollapsibleSubviewhasCollapsibleDividersetState:mutableCopynumberWithInt:removeObjectForKey:setAutoresizesSubviews:intValuesetToggleCollapseButton:cellsetHighlightsBy:setShowsStateBy:subviewIsResizable:autoresizesSubviewssetHidden:collapsibleSubviewCollapsedremoveMinSizeForCollapsibleSubviewbeginGroupingcurrentContextanimationDurationsetDuration:animatorsetFrameSize:endGroupingframemouseDown:isKindOfClass:collapsibleDividerIndexsetNeedsDisplay:subviewMaximumSize:subviewMinimumSize:clearPreferredProportionsAndSizescollapsibleSubviewIsCollapsedautoresizingMaskfloatValuearrayWithCapacity:dictionarynumberWithFloat:addObject:setResizableSubviewPreferredProportion:setNonresizableSubviewPreferredSize:setStateForLastPreferredCalculations:nonresizableSubviewPreferredSizeallKeysrecalculatePreferredProportionsAndSizesvalidatePreferredProportionsAndSizescorrectCollapsiblePreferredProportionOrSizevalidateAndCalculatePreferredProportionsAndSizesdictionaryWithCapacity:allValuesinitWithKey:ascending:arrayWithObject:sortUsingDescriptors:setFrame:setDividerStyle:blackColorBWSplitViewsetCheckboxIsEnabled:setSecondaryDelegate:secondaryDelegatecheckboxIsEnabledd20@0:8i16resizableSubviewsd40@0:8@16d24q32c40@0:8@16@24q32{CGRect={CGPoint=dd}{CGSize=dd}}32@0:8@16q24c32@0:8@16q24toggleCollapse:@"NSColor"@"NSArray"uncollapsedSizef@"NSButton"isAnimatingT@,VsecondaryDelegate,PtoggleCollapseButtonT@"NSButton",&,VtoggleCollapseButton,PstateForLastPreferredCalculationsT@"NSArray",&,VstateForLastPreferredCalculations,PT@"NSMutableDictionary",&,VnonresizableSubviewPreferredSize,PresizableSubviewPreferredProportionT@"NSMutableDictionary",&,VresizableSubviewPreferredProportion,PTc,VcollapsibleSubviewCollapsedTc,VdividerCanCollapseTi,VcollapsiblePopupSelectionT@"NSMutableDictionary",&,VmaxUnits,PT@"NSMutableDictionary",&,VminUnits,PT@"NSMutableDictionary",&,VmaxValues,PT@"NSMutableDictionary",&,VminValues,PTc,VcheckboxIsEnabledTc,VcolorIsEnabledT@"NSColor",C,Vcolor,PBWSVColorBWSVColorIsEnabledBWSVMinValuesBWSVMaxValuesBWSVMinUnitsBWSVMaxUnitsBWSVCollapsiblePopupSelectionBWSVDividerCanCollapseselfGradientSplitViewDimpleBitmap.tifGradientSplitViewDimpleVector.pdfsetSliderToMaximumsetSliderToMinimuminitWithCoder:decodeObjectForKey:setMinButton:setMaxButton:indicatorIndexencodeInt:forKey:minButtonmaxButtontrackHeightsetTrackHeight:minValuesetDoubleValue:actionsendAction:to:maxValuehitTest:convertPoint:fromView:setFrameOrigin:drawWithFrame:inView:boundsremoveFromSuperviewsetBordered:setImage:setAction:setEnabled:doubleValuedeltaYdeltaXsetFloatValue:setShowsFirstResponder:becomeFirstResponderresignFirstResponderBWTexturedSlider!bscrollWheel:v20@0:8c16setIndicatorIndex:v20@0:8i16@32@0:8{CGPoint=dd}16sliderCellRect{CGRect="origin"{CGPoint="x"d"y"d}"size"{CGSize="width"d"height"d}}T@"NSButton",&,VmaxButton,PT@"NSButton",&,VminButton,PTi,VindicatorIndexBWTSIndicatorIndexBWTSMinButtonBWTSMaxButtonTexturedSliderSpeakerQuiet.pngTexturedSliderSpeakerLoud.pngTexturedSliderPhotoSmall.tifTexturedSliderPhotoLarge.tifcompositeToPoint:operation:BWTexturedSliderCellv16@0:8_usesCustomTrackImagedrawKnob:v48@0:8{CGRect={CGPoint=dd}{CGSize=dd}}16drawBarInside:flipped:setNumberOfTickMarks:v24@0:8q16controlSizeTi,VtrackHeightBWTSTrackHeightTexturedSliderTrackLeft.tiffTexturedSliderTrackFill.tiffTexturedSliderTrackRight.tiffTexturedSliderThumbP.tiffTexturedSliderThumbN.tiffBWAddSmallBottomBarsplitView:shouldCollapseSubview:forDoubleClickOnDividerAtIndex:splitView:effectiveRect:forDrawnRect:ofDividerAtIndex:splitView:constrainMaxCoordinate:ofSubviewAt:splitView:constrainMinCoordinate:ofSubviewAt:splitView:additionalEffectiveRectOfDividerAtIndex:initWithColorsAndLocations:setIsResizable:setIsAtBottom:setHandleIsRightAligned:isResizablesplitViewdelegatesplitViewDelegatesetSplitViewDelegate:setDelegate:bwBringToFrontdrawInRect:angle:drawResizeHandleInRect:withColor:drawLastButtonInsetInRect:classNamesetIsAtLeftEdgeOfBar:setIsAtRightEdgeOfBar:isInLastSubviewlastObjectdividerIndexNearestToHandlerespondsToSelector:adjustSubviewsBWAnchoredButtonBarwasBorderedBar!{CGRect={CGPoint=dd}{CGSize=dd}}96@0:8@16{CGRect={CGPoint=dd}{CGSize=dd}}24{CGRect={CGPoint=dd}{CGSize=dd}}56q88c32@0:8@16@24v40@0:8@16{CGSize=dd}24q16@0:8viewDidMoveToSuperviewdrawRect:@48@0:8{CGRect={CGPoint=dd}{CGSize=dd}}16c@T@,VsplitViewDelegate,PhandleIsRightAlignedTc,VhandleIsRightAlignedTc,VisResizableisAtBottomTc,VisAtBottomselectedIndexTi,VselectedIndexBWABBIsResizableBWABBIsAtBottomBWABBHandleIsRightAlignedBWABBSelectedIndexBWAnchoredButtonBWAnchoredPopUpButton!0isAtRightEdgeOfBartopAndLeftInset{CGPoint="x"d"y"d}Tc,VisAtRightEdgeOfBarTc,VisAtLeftEdgeOfBarisAtLeftEdgeOfBarsetShadowColor:highlightRectForBounds:titleRectForBounds:namesetSize:showsStateByimageColorsetTemplate:BWAnchoredButtonCellbezierPathsetLineWidth:moveToPoint:lineToPoint:strokev72@0:8i16i20{CGRect={CGPoint=dd}{CGSize=dd}}24@56c64c68BWAdditionsbestRepresentationForDevice:pixelsWidepixelsHighinitWithSize:rotateByDegrees:drawInRect:bwRotateImage90DegreesClockwise:@20@0:8c16initunarchiveObjectWithData:setOldWindowTitle:decodeSizeForKey:contentViewsByIdentifierarchivedDataWithRootObject:selectedIdentifierinitialIBWindowSizeencodeSize:forKey:encodeBool:forKey:0v24@0:8@16v32@0:8{CGSize=dd}16{CGSize=dd}16@0:8@"NSMutableDictionary"{CGSize="width"d"height"d}isPreferencesToolbarT{CGSize="width"d"height"d},VinitialIBWindowSizeT@"NSString",C,VoldWindowTitle,PT@"NSString",C,VselectedIdentifier,PT@"NSMutableDictionary",C,VwindowSizesByIdentifier,PT@"NSMutableDictionary",C,VcontentViewsByIdentifier,PBWSTHContentViewsByIdentifierBWSTHWindowSizesByIdentifierBWSTHSelectedIdentifierBWSTHOldWindowTitleBWSTHInitialIBWindowSizeBWSTHIsPreferencesToolbarsetFrame:display:animate:styleMaskbwIsTexturedv36@0:8{CGSize=dd}16c32bwTurnOffLayersortSubviewsUsingFunction:context:durationsetWantsLayer:bwAnimatoraddTableColumn:dataCellsetDataCell:usesAlternatingRowBackgroundColorsdrawBackgroundInClipRect:rowsInRect:selectedRowIndexescontainsIndex:rectOfRow:setCompositingOperation:restoreGraphicsStateBWTransparentTableViewcellClass#16@0:8!uhighlightSelectionInClipRect:_highlightColorForCell:_alternatingRowBackgroundColorsbackgroundColorNSTextFieldCellattributedStringValueattributesAtIndex:effectiveRange:initWithString:attributes:setAttributedStringValue:drawingRectForBounds:cellSizeForBounds:selectWithFrame:inView:editor:delegate:start:length:editWithFrame:inView:editor:delegate:event:BWTransparentTableViewCellv80@0:8{CGRect={CGPoint=dd}{CGSize=dd}}16@48@56@64@72v88@0:8{CGRect={CGPoint=dd}{CGSize=dd}}16@48@56@64q72q80mIsEditingOrSelecting!0drawArrowInFrame:drawAtPoint:fromRect:operation:fraction:isEnabledtextColorimageisTemplateBWAnchoredPopUpButtonCell#drawImageWithFrame:inView:drawBorderAndBackgroundWithFrame:inView:setControlSize:v24@0:8Q16ButtonBarPullDownArrow.pdfcustomViewLightBorderColorcustomViewDarkTexturedBorderColorcustomViewDarkBorderColorbwIsOnLeopardcontainerCustomViewBackgroundColorchildlessCustomViewBackgroundColordrawTextInRect:stringWithFormat:boundingRectWithSize:options:drawAtPoint:%d x %d pt%d ptNSViewisOnItsOwnBWCustomViewBWUnanchoredButtonBWUnanchoredButtonCellBWUnanchoredButtonContainershouldCloseSheet:setMovable:orderOut:setAlphaValue:initWithWindow:beginSheet:modalForWindow:modalDelegate:didEndSelector:contextInfo:endSheet:performSelector:withObject:closeSheet:BWSCSheetBWSCParentWindowBWSheetControllersetParentWindow:parentWindowsetSheet:sheetmessageDelegateAndCloseSheet:openSheet:@"NSWindow"T@,&,N,Vdelegate,PT@"NSWindow",&,N,Vsheet,PT@"NSWindow",&,N,VparentWindow,PibTestersetDrawsBackground:BWTransparentScrollView_verticalScrollerClasssetBottomCornerRounded:BWAddMiniBottomBarBWAddSheetBottomBarBWTokenField!3stringValueinitTextCell:setRepresentedObject:attachmentsetAttachment:setTextColor:fontsetFont:setUpTokenAttachmentCell:forRepresentedObject:@32@0:8@16@24BWTokenFieldCellGcolorWithCalibratedRed:green:blue:alpha:filldrawInBezierPath:angle:bezierPathWithRoundedRect:xRadius:yRadius:tokenBackgroundColorgetRed:green:blue:alpha:interiorBackgroundStylearrowInHighlightedState:pullDownRectForBounds:BWTokenAttachmentCellpullDownImagedrawTokenWithFrame:inView:setArrowsPosition:drawKnobSlotknobProportiondrawKnobrectForPart:_drawingRectForPart:BWTransparentScrollerscrollerWidthForControlSize:d24@0:8Q16scrollerWidthd16@0:8initialize!Q0{CGRect={CGPoint=dd}{CGSize=dd}}24@0:8Q16TransparentScrollerKnobTop.tifTransparentScrollerKnobVerticalFill.tifTransparentScrollerKnobBottom.tifTransparentScrollerSlotTop.tifTransparentScrollerSlotVerticalFill.tifTransparentScrollerSlotBottom.tifTransparentScrollerKnobLeft.tifTransparentScrollerKnobHorizontalFill.tifTransparentScrollerKnobRight.tifTransparentScrollerSlotLeft.tifTransparentScrollerSlotHorizontalFill.tifTransparentScrollerSlotRight.tifBWTransparentTextFieldCellsetIdentifierString:bwRandomUUID_setItemIdentifier:BWToolbarItem#B@16@0:8@"NSString"identifierStringT@"NSString",C,VidentifierString,PBWTIIdentifierStringcurrentEventmodifierFlagsbwCapsLockKeyIsDownbwControlKeyIsDownbwOptionKeyIsDownbwCommandKeyIsDownopenURLInBrowser:setUrlString:urlStringsharedWorkspaceURLWithString:openURL:pointingHandCursoraddCursorRect:cursor:BWHyperlinkButtonresetCursorRectsT@"NSString",C,N,VurlString,PBWHBUrlStringblueColorBWHyperlinkButtonCellisBorderedsetFillStartingColor:setFillEndingColor:setFillColor:setTopBorderColor:setBottomBorderColor:decodeBoolForKey:setHasTopBorder:setHasBottomBorder:setHasGradient:setHasFillColor:decodeFloatForKey:setTopInsetAlpha:setBottomInsetAlpha:grayColorfillEndingColorfillColortopBorderColortopInsetAlphaencodeFloat:forKey:bottomInsetAlphareleasesetbwDrawPixelThickLineAtPosition:withInset:inRect:inView:horizontal:flip:colorWithAlphaComponent:BWGradientBox v20@0:8f16f16@0:8isFlippedhasFillColorTc,VhasFillColorhasBottomBorderTc,VhasBottomBorderhasTopBorderTc,VhasTopBorderTf,VbottomInsetAlphaTf,VtopInsetAlphabottomBorderColorT@"NSColor",&,N,VbottomBorderColor,PT@"NSColor",&,N,VtopBorderColor,PT@"NSColor",&,N,VfillColor,PT@"NSColor",&,N,VfillEndingColor,PfillStartingColorT@"NSColor",&,N,VfillStartingColor,PBWGBFillStartingColorBWGBFillEndingColorBWGBFillColorBWGBTopBorderColorBWGBBottomBorderColorBWGBHasTopBorderBWGBHasBottomBorderBWGBHasGradientBWGBHasFillColorBWGBTopInsetAlphaBWGBBottomInsetAlphasetHasShadow:setShadowIsBelow:shadowColorstartingColorsolidColorBWStyledTextFieldapplyGradientsetPreviousAttributes:setStartingColor:setEndingColor:setSolidColor:greenColorhasShadowcopyWithZone:shadowisEqualTo:setShadowOffset:setShadow:controlViewwindowascenderdescenderlockFocusunlockFocuscolorWithPatternImage:saveGraphicsStatesuperviewconvertRect:toView:setPatternPhase:changeShadowBWStyledTextFieldCell@24@0:8^{_NSZone=}16@"NSShadow"T@"NSColor",&,N,VsolidColor,PhasGradientTc,VhasGradientendingColorT@"NSColor",&,N,VendingColor,PT@"NSColor",&,N,VstartingColor,PpreviousAttributesT@"NSMutableDictionary",&,VpreviousAttributes,PT@"NSShadow",&,N,Vshadow,PTc,VhasShadowT@"NSColor",&,N,VshadowColor,PshadowIsBelowTc,VshadowIsBelowBWSTFCShadowIsBelowBWSTFCHasShadowBWSTFCHasGradientBWSTFCShadowColorBWSTFCPreviousAttributesBWSTFCStartingColorBWSTFCEndingColorBWSTFCSolidColorNSFontA@$@333333??&@.@??333333?@@@?@???)\(?_GY@?@>Gz?V@?I@9I9@2@"@8@`YY?`UU?`^^???eS.?A`"??7@p@&?ffffff? ? ???VV@?p= ף?\(\?{Gz??UUUUUU??0@(@???~~???{Gz?HzG?333333?6@D@@ @;;;;;;???xxxxxx??______???????\\\\\\?]]]]]]??????PPPPPP???????======??111111????????yyyyyy?????????S?1Zd????@88!Xa PPpP <$|t,--778:>>?AApBMMNOPP>QVRRnSS(TW&X.YZ[^^pa@bccergjjlo@rrss6u(<4|n"dd|XfDBxb\ HB$N  D!."'( *T++*-n..0(00011245r5h9x::<;;;6<JBtBHJxKKpL>O(P,bcdcffnikkpl.mmmno|oo p4p"qqrHr6sswx}~.nLN@`zƗ^bD6\ƪV|ĭ2XĮ2|&DB@zRx ,&  $L  $t~  $d $V  $<  $"  zRx ,  $Lb  $tH  $. $  $  $  zRx $* $DW ,l  $  $ $ $# ,<  ,l. D ,B  , : ,N ,,[ $\  $! $ $ ,  ,,g ,\ ,`  , ,N ,  ,L ,|u ,0 ,  , @ ,<  ,l~(  $(9 $( ,x)  ,L*  ,L*  $|+^ $+F zRx $+s $D&,* $l(, $,0 zRx $,* zRx $,` zRx ,,  ,L-  $|J0 $(0  $ 0* ,0  $$0k $L*1 zRx ,1b  ,L3  $|5 $x5  ,\5, ,X7 ,,7  ,\P8Z  ,z9J zRx ,|9  ,LR; ,|F  ,"F|  ,nG zRx ,,I  ,LK4  $|M $L $L  $L  $L  $DL  $lL $L $L $|L $ fL $4PL  $\HL $:L  $2L $$L  $L $$L  $LL $tK $K ,K ,Lg ,$Lg ,TMg ,@Mg ,xMw ,Mx  $N" $<N\ $d6NC ,RN  ,N $Jg7 $ZgG ,<zg ,l kN ,*m  ,s  ,t  ,, ,<  ,V  , @ ,<   ,l   , 6  , R  , Ƒ  ,,   $\ ZU $  $ a $ . $  ,$ 6 $T V $| >J $ `P $ Z , 9 ,$ Ĕ}  ,T  $ - $ ; ,   $ j $, @6 ,T N@  zRx ,F  ,L  $|N $6  $. $  $ ,D f $t@X $p[ ,  ,r  ,$P ,T   $ī ,|  ,h|  , H $<̭# ,dȭ  zRx ,N ,L  $| $ $r9 $< $  ,D|  ,tj  $ $ $z $X ,D8o  zRx $`s $D* $l $t0 zRx $d $D  ,lγ $| $d $N $6 $<  $d $ $ ,еi  ,  k ,<F  ,ls  ,Fi  ,~ ,ηs  ,,s  ,\V ,:q ,| , ,|  ,L ,|@t $K ,u ,  ,4 ,dr  ,  ,  zRx $L $D $l $v $^ $Hi , M zRx $  $Dt $lR0 ,Z  $ * ,   ,  ,LZ  $|* $ ,$ zRx , zRx ,  ,L zRx ,tm  $L# $t $# $ $# $ $<|# $dx $j $Z $J $2 ,, ,\zH  ,C zRx $ ,Dw  zRx $' $D= $lh $ zRx ,  $L ,t ,2  $ $- $$  $Lm zRx ,M  ,L  ,|  ,` zRx $( $D $lh $R $: $$i , fM zRx $l  $DP $l.0 ,6  $* ,   ,   ,L  ,| $`* $b ,  ,, zRx ,H  ,Lh  zRx $  $D, i ,ln M zRx ,t !  $LfJ ,t zRx , zRx $( ,D  $t@n $O , $  $ $D ,l  $b $X $N zRx $,h $Dl zRx $Fs $D* $l ,Z zRx $s $D* $l , zRx ,)  zRx ,  $LE ,tm  , v $&"8 ,6"  ,,"] zRx ,'  $L(* $t(* ,(  ,-2 ,2a  $,2 $T3 $|:4 ,5 zRx ,6T  $L$7Y zRx ,>7r $L7 $tr7K ,7  ,J8o  zRx ,r8C zRx $n83 $Dz83 $l83 $83 $83 zRx $8= ,D8r $t8  $8 $8K ,8  ,@9  ,L9o  zRx ,9  $L:  $t: $h: zRx ,.:Z  $LX= $tB= $,= $= $= $< $<< $d< $< $< $z< $d< $,L< $T6< $|< $< $; ,; ,$LG $&G $G $G $<F  $dF $F $F $F $F ,,Fs  $\F ,FV ,F~  ,0Gs  ,tGs  ,DG ,ttIU  ,K  ,L ,L  ,4N ,dN%  ,O  zRx $P> "4FXj| 0BTfx__s@`w} 4 @`$$5 Pp`` @`""` $@$  3 A O \ p!!  Tp!@`0Pi@ S ^d @`'!'!@`) )  H  Pp 0Pp0PpX`ض hPȽXP@@0HЄP (p(H` hP(@0 hPЉx (ppPH`@8P`X@PH08Ў @P #<Lao'CdP&HdXwD8)D[x7(@,]gv| )X8~d.+HXptp@%/AOVjVj$ :!2J+>LZgt 0CNct >Th{ T:\m#?b0$T%9d[y$Fiq3G^opcdr%BRho(8csq 2Tt;T 5RM  "n ;vj!.QkwyD [v(F]gNZh~0 49Q|5R_nwSm% 2        V         + < O a     b       R ,A6dv}2Fpd$0Tl#  8hH؆8؆؆h؆؆ȌxȌ؁(ȂhH8؆(xȇh8xȌhX((;Q,d((``(;Q,d((@T@h &taN#dcq,--f/037 77<778[pf9{::)^<>>w?AACpB2EMMMNoOPP@|>Q$Q< a &6H@@a`h`qa((hVR$RnS@QhS((FF`((l}l@S((((8Uxx$4W0WdWH&X+.Y.(T8dY(((( [xx $4^0^.^d`dpa+@btNcHZ((((rg$4j0jdjHjjlVedc8dm((((lol $4@r0Fr4RrJXr2r!rNss6u@o  J`((pNyMN{f{>{L{Z{g|$|4|fD|0NT|#Nf|x|$||F|| }&}TF}`}|}} ~~P +f*N2 pҁT9*bNlq?ħ%?p\UҫBd^\hHh(hp$y@0޻ƽld?fN "X NhH[N{p>pZ(db`@dNnr(N(NYfvq$<#4|@ hh ""5`((``8 "2JB2|N  dj$4r0x@n J`hD((  8hd$|@((';NXfU'hX(DNTcffNvfN0$yBd^hpxhhjqdsfbN\T2d$  @6 ```h dh((@f Nf&N6H@ ( `0`8 ((nxx . j HN$8dBMRdD!$4 0 )."b%'b`((p9pX *P.*H*l*D**(*g*+(+f2+NB+T++@(*- P@@gc` (8g3PqNn..b@0f0 (0b((p112!494Y4Q50((pTUpD78h9dr5 `T((@pf: N;f;N*;<;;@x: X ```h ((CH dHVJxKjKHtBJB pLd6<M<Rd>O$4<0; pk`^$(P((vvx((Hbc@,b pfMf8ddc((xxxni((`(( H nmnmnm .ml(plk@mk 33 dJc((|o0@o((h p$4p"q@o((''hr$Hr6s@q((;H;s((((xDD0} ~H.wdt((Lv XwnNR,$ @6n `((1TT18H@((h`zSƗ@ mb@ N.T Ng Nƙy NN^b((  @8  2D  @b 0  * ((` xx` v Nf*8d0H((t  t h(   ơb ءO    a      f2 NB fT Nd fvN+ f N \ ԣ L Ĥ < N$ƪ@6    b      ` ``  `       -  P b t       &,|2 Į fXN25ĭf|NVfRN((}((STiSX X N̲f޲RNv06Pj|N5f& fD, dBFH@dw@  ` R` `( 0 8 @ H vP 6@TUVX`hpx 6IvRNb 8؁(xȂhXH8؆(xȇhXH8؋(xȌhX0x ?!P`B~p(RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCppSBp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RCp RC`%Apphp pp0pp(p@pppRCpp@p8p@pRJp` Cp8SE`Cp8SE`Cp8SApp`rASASASASASASASIXCp8SE\ASCp8SGp8SESCp8RHRESBSE`Cp8RHRESBSE`Cp8RHRESBSE`Cp8RHRESBSAp`ASERESBSApp`ASASASASASASASASASASASASASASASASAS0`CRESBSApp`9ASASASASASGVCRESBSApp`'ASASDRCp8SE\CREVBSApp`]ASASASASASGZCp8SApp`ASASASETCRESBSE`ATAp WAp0p8SApp`0ASASASASASASH\AWAp ZAp0REVBSE`Cp8SAp\ASEp8SApp`ASASASETCRESBSE`$BSBVCp8SAp(p8SApYASCSAVCRFSESCp8SJp@RApp`$ASASASBVCRESBSESCp8SE\Cp8SE\Cp8RFSCp8SGRESBSE`CREYBSAp`ASERESBSESCp8SApp`ASCRATBp`Bp(p8SApp`ASCRCp8SE\Cp8SApp`QASASASASASASASASASASASM`A`*Cp8SGp8SApp`QASASASASASASASASASK`ATBp`4@dyld_stub_binderQq@__objc_empty_cache"Y @__objc_empty_vtableq"Y @_objc_msgSendSuper2_fixupXx@_objc_msgSendSuper2_stret_fixupqLx@_objc_msgSend_fixupq> )      4@_objc_msgSend_stret_fixupqC @_OBJC_CLASS_$_NSArray@_OBJC_CLASS_$_NSDictionaryq}@_OBJC_CLASS_$_NSMutableArray@_OBJC_CLASS_$_NSMutableDictionaryq}x@_OBJC_CLASS_$_NSObjectq/@_OBJC_METACLASS_$_NSObjectq"HH H@___CFConstantStringClassReferenceq}@_NSZeroRectq0@_OBJC_CLASS_$_NSAffineTransform~@_OBJC_CLASS_$_NSArchiverq@_OBJC_CLASS_$_NSBundleq}@_OBJC_CLASS_$_NSMutableAttributedStringq@_OBJC_CLASS_$_NSNotificationCenterq}@_OBJC_CLASS_$_NSNumber@_OBJC_CLASS_$_NSSortDescriptorq@_OBJC_CLASS_$_NSString@_OBJC_CLASS_$_NSURLq@_OBJC_CLASS_$_NSUnarchiverq@_OBJC_CLASS_$_NSValueq}@_NSAppq8@_NSFontAttributeNameq@_NSForegroundColorAttributeName@_NSShadowAttributeName@_NSUnderlineStyleAttributeName@_NSWindowDidResizeNotificationq@_OBJC_CLASS_$_NSAnimationContext@_OBJC_CLASS_$_NSApplicationq}@_OBJC_CLASS_$_NSBezierPathq@_OBJC_CLASS_$_NSButtonq&D@_OBJC_CLASS_$_NSButtonCellq& @_OBJC_CLASS_$_NSColorB  ^@_OBJC_CLASS_$_NSCursorq@_OBJC_CLASS_$_NSCustomViewq2@_OBJC_CLASS_$_NSEventL@_OBJC_CLASS_$_NSFontq~@_OBJC_CLASS_$_NSGradientqx@_OBJC_CLASS_$_NSGraphicsContextq~@_OBJC_CLASS_$_NSImageq}xx^@_OBJC_CLASS_$_NSPopUpButtonq(@_OBJC_CLASS_$_NSPopUpButtonCellq)@_OBJC_CLASS_$_NSScreenM@_OBJC_CLASS_$_NSScrollViewq5@_OBJC_CLASS_$_NSScroller@_OBJC_CLASS_$_NSShadowEx@_OBJC_CLASS_$_NSSliderq*@_OBJC_CLASS_$_NSSliderCellq*@_OBJC_CLASS_$_NSSplitViewq+U@_OBJC_CLASS_$_NSTableViewq0@_OBJC_CLASS_$_NSTextFieldq%@_OBJC_CLASS_$_NSTextFieldCellq0 @_OBJC_CLASS_$_NSTokenAttachmentCellq9@_OBJC_CLASS_$_NSTokenFieldq7@_OBJC_CLASS_$_NSTokenFieldCellH@_OBJC_CLASS_$_NSToolbarq#@_OBJC_CLASS_$_NSToolbarItemq"@_OBJC_CLASS_$_NSViewq$Ak@_OBJC_CLASS_$_NSWindowqj@_OBJC_CLASS_$_NSWindowControllerq@_OBJC_CLASS_$_NSWorkspace@_OBJC_IVAR_$_NSTokenAttachmentCell._tacFlagsq@@_OBJC_METACLASS_$_NSButton%@_OBJC_METACLASS_$_NSButtonCellq& @_OBJC_METACLASS_$_NSCustomViewq2@_OBJC_METACLASS_$_NSPopUpButtonq(@_OBJC_METACLASS_$_NSPopUpButtonCellq)@_OBJC_METACLASS_$_NSScrollView@_OBJC_METACLASS_$_NSScroller@_OBJC_METACLASS_$_NSSliderq)@_OBJC_METACLASS_$_NSSliderCellq*@_OBJC_METACLASS_$_NSSplitViewq*@_OBJC_METACLASS_$_NSTableView@_OBJC_METACLASS_$_NSTextFieldq%@_OBJC_METACLASS_$_NSTextFieldCellq0 @_OBJC_METACLASS_$_NSTokenAttachmentCellq8@_OBJC_METACLASS_$_NSTokenFieldq7@_OBJC_METACLASS_$_NSTokenFieldCellH@_OBJC_METACLASS_$_NSToolbarq#@_OBJC_METACLASS_$_NSToolbarItemq"@_OBJC_METACLASS_$_NSViewq$qP@_CFMakeCollectableqX@_CFReleaseq`@_CFUUIDCreateqh@_CFUUIDCreateStringqp@_CGContextRestoreGStateqx@_CGContextSaveGStateq@_CGContextSetShouldSmoothFontsq@_Gestaltq@_NSClassFromStringq@_NSDrawThreePartImageq@_NSInsetRectq@_NSIntegralRectq@_NSIsEmptyRectq@_NSOffsetRectq@_NSPointInRectq@_NSRectFillq@_NSRectFillUsingOperationq@_ceilfq@_floorq@_fmaxfq@_fminfq@_modfq@_objc_assign_globalq@_objc_assign_ivarq@_objc_enumerationMutationq@_objc_getPropertyq@_objc_setPropertyq@_roundf_compareViewsHBWSelectableToolbarItemClickedNotificationNOBJC_T METACLASS_$_BWCLASS_$_BWIVAR_$_BW TSARemoveBottomBarInsetTextFieldCustomView UnanchoredButton HyperlinkButtonGradientBoxoransparentexturedSlider olbarken ShowItemColorsItemFontsItem TSARemoveBottomBarInsetTextFieldCustomView UnanchoredButton HyperlinkButtonGradientBoxoransparentexturedSlider olbarken ShowItemColorsItemFontsItem   electableToolbarplitView heetController tyledTextField Helper electableToolbarplitView heetController tyledTextField؃ Helper ddnchored RegularBottomBarS MiniBottomBar  ddnchored RegularBottomBarS MiniBottomBar  Є   ȅ ButtonCheckboxPopUpButtonST  CellButtonCheckboxPopUpButtonST  Cell   Cell Cell   Cell؈ Cell  lidercroll Љ Celllidercroll  Cell Ȋ    Cell  Cell   mallBottomBar heetBottomBar  mallBottomBar heetBottomBar  Button PopUpButton Bar  Button PopUpButton Bar ؍  Cell  Cell Ў   ȏ ableView extFieldCell Cell ableView extFieldCell Cell    Cell  Cell    ؒ  C  C ell ontainer Г ell ontainer   Ȕ   View er View er     Field AttachmentCell CellField AttachmentCellؗ Cell  И   ș      Cell Cell   ؜  Cell CellН  STAnchoredCustomView.isOnItsOwnUnanchoredButton.topAndLeftInsetHyperlinkButton.urlStringGradientBox.electableToolbarplitView.heetController.tyledTextFieldCell..Helper.helperienabledByIdentifierselectedIndex temnIBsPreferencesToolbarIdentifierssByIdentifier      ransparentexturedSlideroolbarItem.identifierStringSTableViewCell.mIsEditingOrSelectingliderCell.isPressedcroller.isVertical cdividerCanCollapsesmresizableSubviewPreferredProportionnonresizableSubviewPreferredSizeuncollapsedSizetoggleCollapseButtonisAnimatingolheckboxIsEnabledorlapsible IsEnabledȢ Т آ SubviewCollapsedPopupSelection econdaryDelegatetateForLastPreferredCalculations inaxValuesUnits ValuesUnits          .Cell.trackHeightindicatorIndexsliderCellRectm   inButtonaxButton  isPressedtrackHeight  ButtonPopUpButton.Bar..ishandleIsRightAlignedsResizableAtBottom   electedIndexplitViewDelegate  isAttopAndLeftInsetLeftEdgeOfBarRightEdgeOfBar   contentViewsByIdentifierwindowSizesByIdentifierselectedIdentifieroldWindowTitlei    nitialIBWindowSizesPreferencesToolbar   isAttopAndLeftInsetLeftEdgeOfBarRightEdgeOfBar     sheetparentWindowdelegate      filltopbottomhasStartingColorEndingColorColorЉ ؉  BorderColorInsetAlpha BorderColorInsetAlpha   TopBorderBottomBorderGradientFillColor    shasendingColor previousAttributes hadowtartingColor olidColor IsBelowColor  ShadowGradient      Ș И PX`hpx (@ ` @` @` @` @` @` @` @`  @ `       @ `       @ `       @ `       @ `      @` @` @`08 X   ( Hpx   8`h   (PX x  @H h  08 X   ( Hpx   8`h   (PX x    @H h  08 X   ( Hpx   8`h   (PX x  (8HXhx  ( 8 H X h x         !!(!8!H!X!h!x!!!!!!!!!""("8"H"X"h"x"""""""""##(#8#H#X#h#x#########$$($8$H$X$h$x$$$$$$$$$%%(%8%H%X%h%x%%%%%%%%%&&(&8&H&X&h&x&&&&&&&&&''('8'H'X'h'x'''''''''((((8(H(X(h(x((((((((())()8)H)X)h)x)))))))))**(*8*H*X*h*x*********++(+8+H+X+h+x+++++++++,,(,8,H,X,h,x,,,,,,,,,--(-8-H-X-h-x---------..(.8.H.X.h.x.........//(/8/H/X/h/x/////////00(080H0X0h0x00000000011(181H1X1h1x11111111122(282H2X2h2x22222222233(383H3X3h3x33333333344(484H4X4h4x44444444455(585H5X5h5x55555555566(686H6X6h6x66666666677(787H7X7h7x77777777788(888H8X8h8x88888888899(989H9X9h9x999999999::(:8:H:X:h:x:::::::::;;(;8;H;X;h;x;;;;;;;;;<<(<8<H<X<h<x<<<<<<<<<==(=8=H=X=`=h=p=x=================>>>> >(>0>8>@>H>P>X>`>h>p>x>> > ? @? `? ? ? ? 0@ P@ `@ @ @ @ 8A A A B (B 0B B XC `C hC pC xC C C C C C C C C C C C C C C C C D D D D  D (D 0D 8D @D HD PD pDDDDDDEEEE E(E0E8E@EHEPEXE`EhEpExEEEEEEEF0F8F@FHFPFXF`FhFpFxFFFFFFFFFFFFF0G8G@GPG`GpGxGGGGGGGGGGGGGGGGGHHHH H(H0H8H@HHHPHXH`HhHpHxHHHHHHHHHHHHHHHHHIIII I(I0I8I@IHIPIXI`IhIpIxIIIIIIIIIIIIIIIIIJJJJ J(J0J8J@JHJPJXJ`JhJpJxJJJJJJJJJJJJJJJJJKKK(K0K8KHKPKXKhKpKxKKKKKKKKKK(L0L8L@LHLPLXL`LLLLLMMMM M(M0M8M@MHMPMXMhMpMxMMMMM(NhNpNxNNNNNO OhOpOOOOOOOPPP P(P0P8P@PHPPPXP`PhPpPxPPPPPPPPQQXQ`QQQQQQQQRRRR R(R0R8R@RHRPRXR`RhRpRxRRRRRRRRRSS`ShSSSSSSSTTTT T(T0T8T@THTPTXT`ThTpTxTTTTTTTTTTU UhUpUUUUUUUUVVV V(V0V8V@VHVPVXV`VhVpVxVVVVVVVVVVVVVVVVWWW@WHWxWWWWWWWWWWWWXXXX X(X0X8X@XHXPXXX`XhXpXxXXXXXXXXXXXXXXXXXYYYY Y(Y0Y8Y@YHYPYXY`YhYpYxYYYYYYYYYYYYYYYYYZZZZ Z(Z0Z8Z@ZHZPZXZ`ZhZpZxZZZZZZZZZZZZZZZZZ[[[[ [([0[8[@[H[P[X[`[h[p[x[[[[[[[[[[[[[[[[[\\\\ \(\0\8\@\H\P\X\`\h\p\x\\\\\\\\\\\\\\\\\]]]] ](]0]8]@]H]P]X]`]h]p]x]]]]]]]]]]]]]]]]]^^^^ ^(^0^8^@^H^P^X^`^h^p^x^^^^^^^^^^^^^^^^^___ _(_0_@_H_P_`_h_p_____________``` `(`0`@`H`P```h`p`````````````aaa a(a0aaaaaaabbbb b(b0b8b@bHbPbXb`bhbpbxbbbbbbbbbbbcc c8c@cHcXchcxcccccccccccccccccdddd d(d0d8d@dHdPdXd`dhdpdxdddddddddddddddddeeee e(e0e8eHePeXehepexeeeeeeeeeef f(f0f8f@f`fhfffffffffgggg g(g0g8g@gHgPgXg`ghgpgxggggggggggggggggghhhh h(h0h@hHhPh`hhhphhhhiii@iHiPiXi`ihipixiiiiiiiiijjjj0j8j@jPj`jpjxjjjjjjjjjjjjjjjjjkkkk k(k0k8k@kHkPkXk`khkpkxkkkkkkkkkkkkkkkkkllll l(l0l8l@lHlPlXl`lhlplxlllllllllllllllllmmmm m(m0m8m@mHmPm`mhmpmmmmmmmmmmmmm0n8n@nHnPnXn`nhnpnxnnnnnnoo o(o0o8o@oHoPoXo`ohopoxooooooooooooooopppHpPpXp`ppppppppp q(q0q8q@qHqPqXq`qhqpqxqqqqqqqqqqqqqqqqqrrr r(r0r@rhrprxrrrrrrr s(s0s@sPs`shspsxssssssssssssssssstttt t(t0t8t@tHtPtXt`thtptxttttttttttttttttuuu(u0u8uHuPuXuhupuxuuuuuuuuvvvv v(v0v8vHvPvXv`vhvpvxvvvvvvvvvvvvw@wHwxwwwwwwwwwwxxxx x(x0x8x@xHxPxXx`xhxpxxxxxxxxy y(y0y8y@yHyPyXy`yhypyxyyyyyzzz(z8zHzPzXz`zhzpzxzzzzzzzzzzzzzzzz{{{ {({8{@{H{x{{{{{{{{{|| |P|X|`|h|p|x|||||||||||||||||}}}} }(}0}8}@}H}P}X}`}h}}}}}}}}}}}0~8~@~P~~~~~~ (08@PX`(08hpx؀@ȁЁ؁ (08@HPX`hpxȂЂ؂(08PX`hpxЃ؃8@Hh (08@` (08X؆HPXЇ؇8@HPX`hpx (08@HPXpxȉЉ؉ (08@HP`hp؊@HPpЋ (08@HPX`pxȌЌ (08@HPX`hpxȍ(8HPX`hpxȎЎ؎ @Hh (08@`А (08@HPX`hpxȑБؑ (08@HPX`hpxȒВؒ (08@HPX`pxГؓ 08@PX`px08@HPX`hpxȕЕؕ (08@HPX`hpxȖЖؖ (0P (0@P`hpxȘИؘ (08@HPX`hpxșЙؙ (08@HPX`hpxȚКؚ 08@PX`pxЛ؛`hpxȜМ؜(@ H P X ` h p x          ȝ Н ؝          ( 0 8 @ H P X ` h p x      ȞО؞(ydGydayfnYK.y$y$N.7z$$N.Zz$$N.|z$$N.z$$N.z$$N.z$$ N { ;{ d(yda{dz{fnYK.{$|$N.M|$$N.o|$$N.|$$N.|$$N.|$$N.|$$ N !} J} d(ydo}d}fnYK.}$$*N*.$%~$$L~$XNX.|~$|$N.t~$t$ N .~$$N.~$$N.$$$N$.A$$ N .,u$,$DND.-$-$N.-$-$:N:./$/$NNN.03$03$\N\.7B$7$N.7{$7$"N".7ˀ$7$N.7$7$N.77$7$N.8_$8$hNh.f9$f9$N.:$:$N.:$:$N.^<)$^<$N.>[$>$N.>z$>$N.?$?$vNv.Â$A$N.A$A$N.pB$pB$N.2EW$2E$N.M{$M$N.M$M$:N:.M˃$M$N.N$N$N.O$O$N.PPI$PP$N.>Qq$>Q$^N^.Q$Q$FNFDŽ  ; c  Dž  " Q &&d(yddfnYK.Q<$Qd$tNt.VR$VR$*N*.R$R$N.nS"$nS$0N0H p d(yddfnYK.S$S$*N*; _ d(yddfnYK.S$S+$`N`\  d(yddfnYK.(T5$(Tl$N.8U$8U$N.Wʋ$W$N.W$W$ N .W$W$*N*.&XE$&X$N..Yp$.Y$lNl.Y$Y$N݌  -&;&J&W&e& r&(&0&8d(yddfnYK.Z5$Zb$bNb.[$[$N.^Ď$^$N.^$^$ N .^$^$,N,.`S$`$N.pa$pa$N.@b$@b$ZNZ.c$c$JNJ I q&@&H&P&X&`&hŐ&pd(ydӐdfnYK.ct$c$N.e$e$N.rg $rg$PNP.jK$j$N.j{$j$ N .j$j$*N*.jՒ$j$N.l$l$N.m9$m$;N;t Γ&xܓ&&&&&&,&<&H&d(ydUdofnYK.o$o$N.oN$o$N.@rt$@r$N.Fr$Fr$ N .Rrƕ$Rr$N.Xr$Xr$:N:.r3$r$<N<.rf$r$N.s$s$ N .sÖ$s$|N|.6u$6u$N D j &&&ȗ&ݗ&&&d(yddfnYK.N>.$$<N<.ޠ$$VNV.@ $@$N.޻M$޻$N.$$N.ƽ$ƽ$ N .d$d$RNR.$$N.$$N.F$$VNV.u$$N.$$bNb.$$.N..$$N."$"$6N6.X5$X$VNV.S$$JNJ.x$$PNP.H$H$ZNZ.$$:N:.$$~N~.Z$Z$N.6$$.N..(R$($<N<.ds$d$N.b$b$N.`$`$6N6.ۤ$$@N@  3 R z  ѥ  1 T w    2 m  ɧ  &)&3&@&S&f& z&(d(yddfnYK.$8$N.i$$N.>$>$N.N$N$ N .nͩ$n$N.$$ N . $$N.+$$fNf.(G$($XNX.p$$\N\.$$N.v$v$rNr.ڪ$$N.$$N.$$N.<<$<$|N|.c$$|N|.4$4$HNH.|$|$$N$.Ϋ$$N  5 _     &0&8+&@>&Hd(ydPdgfnYK.n$n$N.=$$ N ."`$"$N.2$2$N.B$B$:N:.|$|$<N<.$$ N .D$$N.f$$N.d$d$N.jï$j$N.r$r$N.x$x$N.9$$oNob ذ &P&X &`0&hA&pd(ydQdgfnYK.$$tNt.d:$d$*N*.X$$N.|y$|$0N0 ò d(yddfnYK.t$$N.Xγ$X$N.f$f$N.D$D$N.T;$T$N.f]$f$N.v$v$N.$$N.״$$N.$$N.0$$N.Y$$jNj.B$B$lNl.$$N.9$$tNt.~$$jNj.x$x$~N~.$$tNt.j4$j$tNt.y$$N.÷$$rNr.d$d$N. $$N.1$$N.bR$b$N.$$tNt.\$\$LNL.ڸ$$vNv. $$N. E$ $N. f$ $rNr.$$N.$$Nع M y  ޺ &x!&+&9&O&b&t&&&&&»&d(ydϻdfnYK.X${$N.$$N.ּ$$N.&$&$N.6'$6$N.HN$H$jNj.h$$MNM ɽ  * d(ydXdofnYK.$$ N .  $ 5$N.j$$0N0.B$B$N.$Ϳ$$$*N*.N$N$ N .n$n$N.:$$N. n$ $*N*. $ $N.D!$D!$N  5&C&V&f&~&&&&&& &(&0&8!&@,&H7&PB&Xd(ydMdcfnYK.."$."<$Nd(ydpdfnYK.%$%8$N.'l$'$Nd(yddfnYK.(7$(c$nNn. *$ *$$N$..*$.*$N.H* $H*$$N$.l*F$l*$N.*{$*$$N$.*$*$N.*$*$$N$.*$*$N.+;$+$N.+p$+$N.2+$2+$N.B+$B+$N.T+ $T+$N.+.$+$HNH.*-\$*-$CNC~  Q    d(yd8dOfnYK.n.$n.$N..$$.$wNwd(ydUdjfnYK.0$0$(N(.(0#$(0$>N>.f0I$f0$hNh.0k$0$Nd(yddfnYK.0&$0P$N.1$1$N.1$1$N.2$2$N.4$4$N.4:$4$.N..4t$4$N.5$5$mNm &`*&h7&pd(ydGddfnYK.r5$r5 $NNN.7[$7$N.8$8$N.h9$h9$N, Y d(yddfnYK.x:S$x:{$N.:$:$N.;$;$N.; $;$N.*;;$*;$N.<;g$<;$jNj.;$;$MNM + a d(yddfnYK.;/$;$ N .<X$<$N.<$<$0N0.6<$6<$N.JB:$JB$*N*.tBa$tB$ N .C$C$N.H$H$N.J$J$N.xK$xK$*N*.KG$K$N.pLx$pL$N.>O$>O$N  .&x<&O&_&w&&&&&&&& &&)&4&?&J&d(ydUddfnYK.(P$(P$N.^$^$hNh= \ w d(yddfnYK.,b)$,bN$N.b$b$jNj.c$c$MNM  d(yd4dMfnYK.dc$dc$"N".f5$f$JNJ.fg$f$N &&&& &(&&01&8<&@G&HR&Pd(yd`d~fnYK.ni$ni+$Ng d(yddfnYK.kJ$kl$N.k$k$N.pl$pl$nNn.l$l$PNP..m$.m$N.m8$m$N.mV$m$N.mq$m$N.m$m$N.n$n$N.n$n$N.n$n$N B b   d(yddfnYK.or$o$hNh.|o$|o$N 0 d(ydVdkfnYK.o$o$tNt. p;$ p$*N*.4pX$4p$N."qx$"q$N d(yddfnYK.qp$q$tNt.r$r$*N*.Hr$Hr$N.6s $6s$N- S d(ydudfnYK.s$sA$)N)r d(yddfnYK.tG$ty$N.w$w$FNF.x$x$nNn.}$}$vNv.~4$~$8N8..[$.$N.$$]N] &X&`*&h6&pJ&x]&k&&&d(yddfnYK.nT$n|$N.L$L$*N*.v$v$*N*.$$N.3$$2N2.Y$$bNb.N$N$N.,$,$N. $ $N.$$N B f &&&&&&&&&&&0&9&D&X&d(ydbdfnYK.@$@-$TNT.h$$YNY &d(yddfnYK.v$$rNr.`$`$N.z$z$LNL.Ɨ$Ɨ$N.%$$oNoG g d(yddfnYK.@$f$CNCd(yddfnYK.^*$^S$4N4.$$4N4.ƙ$ƙ$4N4.$$4N4..$.$3N3d(yd3dGfnYK.b$b$>N>.$$rNr.6$$ N .2Y$2$N.Dx$D$LNL.$$N.$$N.$$oNo , L d(ydudfnYK.$1$N.g$$ N .*$*$N.0$0$N d(yd1dAfnYK.6$6$ZNZ.$$N.%$$N.F$$N.ơa$ơ$N.ء$ء$N.$$N.$$N.$$N.  $ $N.2.$2$N.BP$B$N.Tn$T$N.d$d$N.v$v$N.$$N.$$N.$$N.2$$N.\K$\$xNx.ԣr$ԣ$xNx.L$L$xNx.Ĥ$Ĥ$xNx.<$<$xNx.$$ N .$$N.ƪ7$ƪ$"N"Y y    < i     8 d(yd`dtfnYK.$ $&N&.<$$HNH.V_$V$&N&.|$|$HNH.ĭ$ĭ$$N$.$$JNJ.2$2$&N&.X$X$HNH.5$$$N$.ĮX$Į$JNJ.$$$N$.2$2$JNJ.|$|$$N$.$$JNJ  - d(ydMdefnYK.$$N.>$$N.̲e$̲$N.޲$޲$N.$$N.$$N.$$N.0$0$ N .PH$P$N.jt$j$N.|$|$N.$$N.$$N. $$tNt.&2$&$N.D]$D$VNV.$$~N~.$$tNt.$$tNt.$$N.9$$VNV.B`$B$N.$$N.$$N.@$@$N.$$&N&.$$NG o      O      d(yd= dY fnYK. $ $>N>d-@a;[}/V$}|t>r,--/03?7x77747\8f9::&^<X>w>?AApBT2ExMMMNOFPPn>QQQVR R/ nSU Sq S (T 8U W WC Wl &X .Y Y Z1 [Y ^ ^ ^ `# paN @b c c e! rgL j| j j jl:muoo@rFrRrGXrrrss96ukN4nRt(!vAh<4|5Zn"2B* |Z    d!j1!rY!x}!!!d! "|/"U"X{"f"D"T"f #v.#^####$Br$$%:%xv%%j&J&i&d&&&b '3'\a''' ' (9(_((((&(6$)H>)])) ))B *$.*NV*ny** * *D!*+."+%+'+(, *Y,.*,H*,l*,*1-*a-*-*-+-+#.2+Y.B+.T+.+.*-/n.&/.W/(0}/f0/0/0/101802p04040415:1r5v17182h9G2x:o2:2;2;2*;%3<;D3;h3;3<3<36<94JB`4tB4C4H4J5xKF5Kw5pL5>O5(P5^6,b86bT6cu6dc6f6f7ni-7kO7ku7pl7l7.m7m8m"8mD8mh8n8n8n8o8|o+9oP9 pm94p9"q9q9r9Hr:6s9:s|:t:w:x;}3;~Z;.;;n;L<v<<`<<<N<,< =G=@u===`=z=Ɨ>A>g>^>>ƙ>?.A_AzAơAءAAA%B GB2iBBBTBdBvB C-CKCdC\CԣCLCĤC<D5DPDƪrDDDVD|DĭEDE2eEXEEĮEE2F|:F^FFF̲F޲FG@G`G0GPGjG|H-HQHzH&HDHHIJIIIBIIJ@>JeJJJJJJJKK"K0K =K(JK0XK8eK@tKHKPKXK`KhKpKxKKKL LL%L5LALNL[LhL}LLLLLLLLM M(&M07M8HM@[MHmMPzMXM`MhMpMxMMMM NN,NQ@IQHTQPbQXyQ`QhQpQxQQQRR1RBRQR_RkRtRRRRRRRRRRR @q%S 8FS (jS S S (S ؆S xT 6T ^T XyT XT T T ȂT xU ؁:U ȇbU U U U U U 8"V xFV ؋aV (V hV 8V V  W h/W SW {W XW W W ȌX 9X H_X X hX X X Y HFY(vY0Y8Y Z7ZdZZ ZXZ`1[hd[p[[[\2\_\\ \\]+]T]0}]]]^6^g^^^ _D____/` W```P`a`;a@ZaHaXaaaxb:bp]bbbhb:chcc8 c c dP RdH |d( d d@  e0 ;eheeeef;fifff f0gp`g g g `g `g h Bh Pih h h 0h 0h  i Hi ki Pi i i pj p#j Gj Ўoj j j Pj k #k @Ck mk `k k @k l :l 0el l l l Є m 6m _m @m m m Љn 5n0CnVnanonnnnnn nn o o =oJoZoiowoo o o o o p p-p Np jppp pp p p q *q Eq`q vq q q q qqrArdr{rr r r r s s 0s Gs bss ss s s t (t Ct bt zt tttt t u (u Bu ou u u uu v 'v Fv cv ~v v v v v w Aw `w w w w ww x!x(x/x6x=xCxWxixxxxxxxyyx?c @c Ac @d (Ad >e >e Ae Be PCe e Af >g @g @Ag @h PBh >i >i ?i X?i ?i ?i (@i H@i h@i Ai Bi  j j 0j j j @@j pk k k k (?l H?l ?l ?l ?l @l @l @l PAl `Al Al Al Bl 8Bl XBl Bl Bl Cl Cl  Cl 8rl Bm `n >o ?p Bp p ?q 8?q ?q @q pAq Aq Aq Bq  @r @r @r XAr Ar Br pBr Cr HCr P?s HAs hBs 8Cs >t >t  ?t h?t ?t ?t 8@t X@t p@t @t At HBt Bt @Ct rt >u @u xAv Bv >w ?w 0?w ?w ?w @w Aw hAw Aw Aw `Bw Bw Bw (Cw >x >y ?y Cy z z `{ { | | ?} x@} @} @B} ~  p? @ A A xB B 0C   P @ @  @ A A B B ،     p      0  @  p B A > 0    P @  ` > 0A w  A v  B B      H  X  8  `   P   @   0     p   `   P    @   0     p x   `   P   @   0   8        (  x    H   X     h H  X h  (  h 8 P p      0 P p      0 P p      0 P p      0 P p      0 P p      0 P p      0 P p      0 P p      0 P p      0 P p      0 P p      0 P p      0 P p      0 P p      0 P p       H p     8 `     ( P x     @ h     0 X       H p     8 `     ( P x     @ h     0 X       H p     8 `     ( P x     @ h     ( P x     @ h     0 X       H p     8 `     ( P x     @ h     0 X       H p     8 `     ( P x     @ h     0 X       H p         # # 0& P& ' 0( ( ( P) `) @* *  + , `/ p/ `0 0 P1 `1 1 @3 4 @5 5 p6 6 8 < @& ' ( ( 3 @6 8 P9   0 @ P ` p          0 @ P ` p       ! !  ! 0! @! P! `! p! ! ! ! ! ! ! ! " "  " 0" @" P" `" p" " " " " " " " " #  # 0# @# P# `# p# # # # # # # # $ $  $ 0$ @$ P$ `$ p$ $ $ $ $ $ $ $ $ % %  % 0% @% P% `% p% % % % % % % % % & &  & `& p& & & & & & & & & '  ' 0' @' P' `' p' ' ' ' ' ' ' (  ( @( `( p( ( ( ( ( ( ) )  ) 0) @) p) ) ) ) ) ) ) ) ) * *  * 0* P* p* * * * * * + + 0+ @+ P+ `+ p+ + + + + + + + + , ,  , 0, @, P, `, p, , , , , , , - -  - 0- @- P- `- p- - - - - - - - . .  . 0. @. P. `. p. . . . . . . . . / /  / 0/ @/ P/ / / / / / / / / 0 0  0 00 @0 P0 p0 0 0 0 0 0 0 1 1  1 01 @1 p1 1 1 1 1 1 1 1 2 2  2 02 @2 P2 `2 p2 2 2 2 2 2 2 2 2 3  3 03 `3 p3 3 3 3 3 3 3 3 3 4 4  4 04 @4 P4 `4 p4 4 4 4 4 4 4 4 5 5  5 05 P5 `5 p5 5 5 5 5 5 5 6 6  6 06 P6 6 6 6 6 6 6 6 7 7  7 @7 P7 `7 p7 7 7 7 7 7 7 7 7 8 8  8 08 @8 P8 `8 p8 8 8 8 8 8 8 9 9  9 09 `9 p9 9 9 9 9 9 9 9 9 : :  : 0: @: P: `: p: : : : : : : : : ; ;  ; 0; @; P; `; p; ; ; ; ; ; ; ; ; < <  < 0< @< P< `< p< < < < < < < < = =  = @= P= ! ' P( `* * * , - 0 P3 5 `6 07 @9 0= K L M N O P Q R T U X Y Z [ \ ] ^ @@a V W _ b S ` K L M N O P Q R T U X Y Z [ \ ] ^ __mh_dylib_headerdyld_stub_binding_helper__dyld_func_lookup-[BWToolbarShowColorsItem image]-[BWToolbarShowColorsItem toolTip]-[BWToolbarShowColorsItem action]-[BWToolbarShowColorsItem target]-[BWToolbarShowColorsItem paletteLabel]-[BWToolbarShowColorsItem label]-[BWToolbarShowColorsItem itemIdentifier]-[BWToolbarShowFontsItem image]-[BWToolbarShowFontsItem toolTip]-[BWToolbarShowFontsItem action]-[BWToolbarShowFontsItem target]-[BWToolbarShowFontsItem paletteLabel]-[BWToolbarShowFontsItem label]-[BWToolbarShowFontsItem itemIdentifier]-[BWSelectableToolbar documentToolbar]-[BWSelectableToolbar editableToolbar]-[BWSelectableToolbar initWithCoder:]-[BWSelectableToolbar setHelper:]-[BWSelectableToolbar helper]-[BWSelectableToolbar isPreferencesToolbar]-[BWSelectableToolbar setEnabledByIdentifier:]-[BWSelectableToolbar switchToItemAtIndex:animate:]-[BWSelectableToolbar setSelectedIndex:]-[BWSelectableToolbar selectedIndex]-[BWSelectableToolbar labels]-[BWSelectableToolbar setIsPreferencesToolbar:]-[BWSelectableToolbar selectableItemIdentifiers]-[BWSelectableToolbar toolbarSelectableItemIdentifiers:]-[BWSelectableToolbar toolbar:itemForItemIdentifier:willBeInsertedIntoToolbar:]-[BWSelectableToolbar toolbarAllowedItemIdentifiers:]-[BWSelectableToolbar toolbarDefaultItemIdentifiers:]-[BWSelectableToolbar windowDidResize:]-[BWSelectableToolbar enabledByIdentifier]-[BWSelectableToolbar validateToolbarItem:]-[BWSelectableToolbar setEnabled:forIdentifier:]-[BWSelectableToolbar setSelectedItemIdentifierWithoutAnimation:]-[BWSelectableToolbar setSelectedItemIdentifier:]-[BWSelectableToolbar dealloc]-[BWSelectableToolbar identifierAtIndex:]-[BWSelectableToolbar setItemSelectors]-[BWSelectableToolbar toggleActiveView:]-[BWSelectableToolbar selectItemAtIndex:]-[BWSelectableToolbar toolbarIndexFromSelectableIndex:]-[BWSelectableToolbar initialSetup]-[BWSelectableToolbar selectInitialItem]-[BWSelectableToolbar selectFirstItem]-[BWSelectableToolbar awakeFromNib]-[BWSelectableToolbar initWithIdentifier:]-[BWSelectableToolbar _defaultItemIdentifiers]-[BWSelectableToolbar encodeWithCoder:]-[BWSelectableToolbar setEditableToolbar:]-[BWSelectableToolbar setDocumentToolbar:]-[BWAddRegularBottomBar initWithCoder:]-[BWAddRegularBottomBar bounds]-[BWAddRegularBottomBar drawRect:]-[BWAddRegularBottomBar awakeFromNib]-[BWRemoveBottomBar bounds]-[BWInsetTextField initWithCoder:]-[BWTransparentButtonCell drawImage:withFrame:inView:]+[BWTransparentButtonCell initialize]-[BWTransparentButtonCell setControlSize:]-[BWTransparentButtonCell controlSize]-[BWTransparentButtonCell interiorColor]-[BWTransparentButtonCell _textAttributes]-[BWTransparentButtonCell drawTitle:withFrame:inView:]-[BWTransparentButtonCell drawBezelWithFrame:inView:]-[BWTransparentCheckboxCell _textAttributes]+[BWTransparentCheckboxCell initialize]-[BWTransparentCheckboxCell setControlSize:]-[BWTransparentCheckboxCell controlSize]-[BWTransparentCheckboxCell drawImage:withFrame:inView:]-[BWTransparentCheckboxCell drawInteriorWithFrame:inView:]-[BWTransparentCheckboxCell interiorColor]-[BWTransparentCheckboxCell drawTitle:withFrame:inView:]-[BWTransparentCheckboxCell isInTableView]-[BWTransparentPopUpButtonCell drawImageWithFrame:inView:]-[BWTransparentPopUpButtonCell imageRectForBounds:]+[BWTransparentPopUpButtonCell initialize]-[BWTransparentPopUpButtonCell setControlSize:]-[BWTransparentPopUpButtonCell controlSize]-[BWTransparentPopUpButtonCell interiorColor]-[BWTransparentPopUpButtonCell _textAttributes]-[BWTransparentPopUpButtonCell titleRectForBounds:]-[BWTransparentPopUpButtonCell drawBezelWithFrame:inView:]-[BWTransparentSliderCell initWithCoder:]+[BWTransparentSliderCell initialize]-[BWTransparentSliderCell setControlSize:]-[BWTransparentSliderCell controlSize]-[BWTransparentSliderCell setTickMarkPosition:]-[BWTransparentSliderCell stopTracking:at:inView:mouseIsUp:]-[BWTransparentSliderCell startTrackingAt:inView:]-[BWTransparentSliderCell knobRectFlipped:]-[BWTransparentSliderCell _usesCustomTrackImage]-[BWTransparentSliderCell drawKnob:]-[BWTransparentSliderCell drawBarInside:flipped:]-[BWSplitView initWithCoder:]+[BWSplitView initialize]-[BWSplitView colorIsEnabled]-[BWSplitView setCheckboxIsEnabled:]-[BWSplitView setMinValues:]-[BWSplitView setMaxValues:]-[BWSplitView setMinUnits:]-[BWSplitView setMaxUnits:]-[BWSplitView setCollapsiblePopupSelection:]-[BWSplitView collapsiblePopupSelection]-[BWSplitView setDividerCanCollapse:]-[BWSplitView dividerCanCollapse]-[BWSplitView collapsibleSubviewCollapsed]-[BWSplitView setResizableSubviewPreferredProportion:]-[BWSplitView resizableSubviewPreferredProportion]-[BWSplitView setNonresizableSubviewPreferredSize:]-[BWSplitView nonresizableSubviewPreferredSize]-[BWSplitView setStateForLastPreferredCalculations:]-[BWSplitView stateForLastPreferredCalculations]-[BWSplitView setToggleCollapseButton:]-[BWSplitView toggleCollapseButton]-[BWSplitView setSecondaryDelegate:]-[BWSplitView secondaryDelegate]-[BWSplitView dealloc]-[BWSplitView maxUnits]-[BWSplitView minUnits]-[BWSplitView maxValues]-[BWSplitView minValues]-[BWSplitView color]-[BWSplitView setColor:]-[BWSplitView setColorIsEnabled:]-[BWSplitView checkboxIsEnabled]-[BWSplitView setDividerStyle:]-[BWSplitView splitView:resizeSubviewsWithOldSize:]-[BWSplitView resizeAndAdjustSubviews]-[BWSplitView clearPreferredProportionsAndSizes]-[BWSplitView validateAndCalculatePreferredProportionsAndSizes]-[BWSplitView correctCollapsiblePreferredProportionOrSize]-[BWSplitView validatePreferredProportionsAndSizes]-[BWSplitView recalculatePreferredProportionsAndSizes]-[BWSplitView subviewMaximumSize:]-[BWSplitView subviewMinimumSize:]-[BWSplitView subviewIsResizable:]-[BWSplitView resizableSubviews]-[BWSplitView splitViewWillResizeSubviews:]-[BWSplitView splitViewDidResizeSubviews:]-[BWSplitView splitView:effectiveRect:forDrawnRect:ofDividerAtIndex:]-[BWSplitView splitView:constrainSplitPosition:ofSubviewAt:]-[BWSplitView splitView:constrainMinCoordinate:ofSubviewAt:]-[BWSplitView splitView:constrainMaxCoordinate:ofSubviewAt:]-[BWSplitView splitView:shouldCollapseSubview:forDoubleClickOnDividerAtIndex:]-[BWSplitView splitView:canCollapseSubview:]-[BWSplitView splitView:additionalEffectiveRectOfDividerAtIndex:]-[BWSplitView splitView:shouldHideDividerAtIndex:]-[BWSplitView mouseDown:]-[BWSplitView toggleCollapse:]-[BWSplitView restoreAutoresizesSubviews:]-[BWSplitView removeMinSizeForCollapsibleSubview]-[BWSplitView setMinSizeForCollapsibleSubview:]-[BWSplitView setCollapsibleSubviewCollapsed:]-[BWSplitView collapsibleDividerIndex]-[BWSplitView hasCollapsibleDivider]-[BWSplitView animationDuration]-[BWSplitView animationEnded]-[BWSplitView setCollapsibleSubviewCollapsedHelper:]-[BWSplitView adjustSubviews]-[BWSplitView hasCollapsibleSubview]-[BWSplitView collapsibleSubview]-[BWSplitView collapsibleSubviewIndex]-[BWSplitView collapsibleSubviewIsCollapsed]-[BWSplitView subviewIsCollapsed:]-[BWSplitView subviewIsCollapsible:]-[BWSplitView setDelegate:]-[BWSplitView drawDimpleInRect:]-[BWSplitView drawGradientDividerInRect:]-[BWSplitView drawDividerInRect:]-[BWSplitView awakeFromNib]-[BWSplitView encodeWithCoder:]-[BWTexturedSlider initWithCoder:]+[BWTexturedSlider initialize]-[BWTexturedSlider indicatorIndex]-[BWTexturedSlider setMinButton:]-[BWTexturedSlider minButton]-[BWTexturedSlider setMaxButton:]-[BWTexturedSlider maxButton]-[BWTexturedSlider dealloc]-[BWTexturedSlider resignFirstResponder]-[BWTexturedSlider becomeFirstResponder]-[BWTexturedSlider scrollWheel:]-[BWTexturedSlider setEnabled:]-[BWTexturedSlider setIndicatorIndex:]-[BWTexturedSlider drawRect:]-[BWTexturedSlider hitTest:]-[BWTexturedSlider setSliderToMaximum]-[BWTexturedSlider setSliderToMinimum]-[BWTexturedSlider setTrackHeight:]-[BWTexturedSlider trackHeight]-[BWTexturedSlider encodeWithCoder:]-[BWTexturedSliderCell initWithCoder:]+[BWTexturedSliderCell initialize]-[BWTexturedSliderCell setTrackHeight:]-[BWTexturedSliderCell trackHeight]-[BWTexturedSliderCell stopTracking:at:inView:mouseIsUp:]-[BWTexturedSliderCell startTrackingAt:inView:]-[BWTexturedSliderCell _usesCustomTrackImage]-[BWTexturedSliderCell drawKnob:]-[BWTexturedSliderCell drawBarInside:flipped:]-[BWTexturedSliderCell setNumberOfTickMarks:]-[BWTexturedSliderCell numberOfTickMarks]-[BWTexturedSliderCell setControlSize:]-[BWTexturedSliderCell controlSize]-[BWTexturedSliderCell encodeWithCoder:]-[BWAddSmallBottomBar initWithCoder:]-[BWAddSmallBottomBar bounds]-[BWAddSmallBottomBar drawRect:]-[BWAddSmallBottomBar awakeFromNib]-[BWAnchoredButtonBar initWithFrame:]+[BWAnchoredButtonBar wasBorderedBar]+[BWAnchoredButtonBar initialize]-[BWAnchoredButtonBar selectedIndex]-[BWAnchoredButtonBar isAtBottom]-[BWAnchoredButtonBar setIsResizable:]-[BWAnchoredButtonBar isResizable]-[BWAnchoredButtonBar setHandleIsRightAligned:]-[BWAnchoredButtonBar handleIsRightAligned]-[BWAnchoredButtonBar setSplitViewDelegate:]-[BWAnchoredButtonBar splitViewDelegate]-[BWAnchoredButtonBar splitView:shouldHideDividerAtIndex:]-[BWAnchoredButtonBar splitView:shouldCollapseSubview:forDoubleClickOnDividerAtIndex:]-[BWAnchoredButtonBar splitView:effectiveRect:forDrawnRect:ofDividerAtIndex:]-[BWAnchoredButtonBar splitView:constrainSplitPosition:ofSubviewAt:]-[BWAnchoredButtonBar splitView:canCollapseSubview:]-[BWAnchoredButtonBar splitView:resizeSubviewsWithOldSize:]-[BWAnchoredButtonBar splitView:constrainMaxCoordinate:ofSubviewAt:]-[BWAnchoredButtonBar splitView:constrainMinCoordinate:ofSubviewAt:]-[BWAnchoredButtonBar splitView:additionalEffectiveRectOfDividerAtIndex:]-[BWAnchoredButtonBar dealloc]-[BWAnchoredButtonBar setSelectedIndex:]-[BWAnchoredButtonBar setIsAtBottom:]-[BWAnchoredButtonBar splitView]-[BWAnchoredButtonBar dividerIndexNearestToHandle]-[BWAnchoredButtonBar isInLastSubview]-[BWAnchoredButtonBar viewDidMoveToSuperview]-[BWAnchoredButtonBar drawLastButtonInsetInRect:]-[BWAnchoredButtonBar drawResizeHandleInRect:withColor:]-[BWAnchoredButtonBar drawRect:]-[BWAnchoredButtonBar awakeFromNib]-[BWAnchoredButtonBar encodeWithCoder:]-[BWAnchoredButtonBar initWithCoder:]-[BWAnchoredButton initWithCoder:]-[BWAnchoredButton setIsAtLeftEdgeOfBar:]-[BWAnchoredButton isAtLeftEdgeOfBar]-[BWAnchoredButton setIsAtRightEdgeOfBar:]-[BWAnchoredButton isAtRightEdgeOfBar]-[BWAnchoredButton frame]-[BWAnchoredButton mouseDown:]-[BWAnchoredButtonCell controlSize]-[BWAnchoredButtonCell setControlSize:]-[BWAnchoredButtonCell highlightRectForBounds:]-[BWAnchoredButtonCell drawBezelWithFrame:inView:]-[BWAnchoredButtonCell textColor]-[BWAnchoredButtonCell _textAttributes]+[BWAnchoredButtonCell initialize]-[BWAnchoredButtonCell drawImage:withFrame:inView:]-[BWAnchoredButtonCell imageColor]-[BWAnchoredButtonCell titleRectForBounds:]-[BWAnchoredButtonCell drawWithFrame:inView:]-[NSColor(BWAdditions) bwDrawPixelThickLineAtPosition:withInset:inRect:inView:horizontal:flip:]-[NSImage(BWAdditions) bwRotateImage90DegreesClockwise:]-[NSImage(BWAdditions) bwTintedImageWithColor:]-[BWSelectableToolbarHelper initWithCoder:]-[BWSelectableToolbarHelper setContentViewsByIdentifier:]-[BWSelectableToolbarHelper contentViewsByIdentifier]-[BWSelectableToolbarHelper setWindowSizesByIdentifier:]-[BWSelectableToolbarHelper windowSizesByIdentifier]-[BWSelectableToolbarHelper setSelectedIdentifier:]-[BWSelectableToolbarHelper selectedIdentifier]-[BWSelectableToolbarHelper setOldWindowTitle:]-[BWSelectableToolbarHelper oldWindowTitle]-[BWSelectableToolbarHelper setInitialIBWindowSize:]-[BWSelectableToolbarHelper initialIBWindowSize]-[BWSelectableToolbarHelper setIsPreferencesToolbar:]-[BWSelectableToolbarHelper isPreferencesToolbar]-[BWSelectableToolbarHelper dealloc]-[BWSelectableToolbarHelper encodeWithCoder:]-[BWSelectableToolbarHelper init]-[NSWindow(BWAdditions) bwIsTextured]-[NSWindow(BWAdditions) bwResizeToSize:animate:]-[NSView(BWAdditions) bwBringToFront]-[NSView(BWAdditions) bwAnimator]-[NSView(BWAdditions) bwTurnOffLayer]-[BWTransparentTableView addTableColumn:]+[BWTransparentTableView cellClass]+[BWTransparentTableView initialize]-[BWTransparentTableView highlightSelectionInClipRect:]-[BWTransparentTableView _highlightColorForCell:]-[BWTransparentTableView _alternatingRowBackgroundColors]-[BWTransparentTableView backgroundColor]-[BWTransparentTableView drawBackgroundInClipRect:]-[BWTransparentTableViewCell drawInteriorWithFrame:inView:]-[BWTransparentTableViewCell editWithFrame:inView:editor:delegate:event:]-[BWTransparentTableViewCell selectWithFrame:inView:editor:delegate:start:length:]-[BWTransparentTableViewCell drawingRectForBounds:]-[BWAnchoredPopUpButton initWithCoder:]-[BWAnchoredPopUpButton setIsAtLeftEdgeOfBar:]-[BWAnchoredPopUpButton isAtLeftEdgeOfBar]-[BWAnchoredPopUpButton setIsAtRightEdgeOfBar:]-[BWAnchoredPopUpButton isAtRightEdgeOfBar]-[BWAnchoredPopUpButton frame]-[BWAnchoredPopUpButton mouseDown:]-[BWAnchoredPopUpButtonCell controlSize]-[BWAnchoredPopUpButtonCell setControlSize:]-[BWAnchoredPopUpButtonCell highlightRectForBounds:]-[BWAnchoredPopUpButtonCell drawBorderAndBackgroundWithFrame:inView:]-[BWAnchoredPopUpButtonCell textColor]-[BWAnchoredPopUpButtonCell _textAttributes]+[BWAnchoredPopUpButtonCell initialize]-[BWAnchoredPopUpButtonCell drawImageWithFrame:inView:]-[BWAnchoredPopUpButtonCell imageRectForBounds:]-[BWAnchoredPopUpButtonCell imageColor]-[BWAnchoredPopUpButtonCell titleRectForBounds:]-[BWAnchoredPopUpButtonCell drawArrowInFrame:]-[BWAnchoredPopUpButtonCell drawWithFrame:inView:]-[BWCustomView drawRect:]-[BWCustomView drawTextInRect:]-[BWUnanchoredButton initWithCoder:]-[BWUnanchoredButton frame]-[BWUnanchoredButton mouseDown:]-[BWUnanchoredButtonCell drawBezelWithFrame:inView:]-[BWUnanchoredButtonCell highlightRectForBounds:]+[BWUnanchoredButtonCell initialize]-[BWUnanchoredButtonContainer awakeFromNib]-[BWSheetController awakeFromNib]-[BWSheetController encodeWithCoder:]-[BWSheetController openSheet:]-[BWSheetController closeSheet:]-[BWSheetController messageDelegateAndCloseSheet:]-[BWSheetController delegate]-[BWSheetController sheet]-[BWSheetController parentWindow]-[BWSheetController initWithCoder:]-[BWSheetController setParentWindow:]-[BWSheetController setSheet:]-[BWSheetController setDelegate:]-[BWTransparentScrollView initWithCoder:]+[BWTransparentScrollView _verticalScrollerClass]-[BWAddMiniBottomBar initWithCoder:]-[BWAddMiniBottomBar bounds]-[BWAddMiniBottomBar drawRect:]-[BWAddMiniBottomBar awakeFromNib]-[BWAddSheetBottomBar initWithCoder:]-[BWAddSheetBottomBar bounds]-[BWAddSheetBottomBar drawRect:]-[BWAddSheetBottomBar awakeFromNib]-[BWTokenFieldCell setUpTokenAttachmentCell:forRepresentedObject:]-[BWTokenAttachmentCell arrowInHighlightedState:]-[BWTokenAttachmentCell interiorBackgroundStyle]+[BWTokenAttachmentCell initialize]-[BWTokenAttachmentCell pullDownRectForBounds:]-[BWTokenAttachmentCell pullDownImage]-[BWTokenAttachmentCell _textAttributes]-[BWTokenAttachmentCell drawTokenWithFrame:inView:]-[BWTransparentScroller initWithFrame:]+[BWTransparentScroller scrollerWidthForControlSize:]+[BWTransparentScroller scrollerWidth]+[BWTransparentScroller initialize]-[BWTransparentScroller rectForPart:]-[BWTransparentScroller _drawingRectForPart:]-[BWTransparentScroller drawKnob]-[BWTransparentScroller drawKnobSlot]-[BWTransparentScroller drawRect:]-[BWTransparentScroller initWithCoder:]-[BWTransparentTextFieldCell _textAttributes]+[BWTransparentTextFieldCell initialize]-[BWToolbarItem initWithCoder:]-[BWToolbarItem identifierString]-[BWToolbarItem dealloc]-[BWToolbarItem setIdentifierString:]-[BWToolbarItem encodeWithCoder:]+[NSString(BWAdditions) bwRandomUUID]+[NSEvent(BWAdditions) bwShiftKeyIsDown]+[NSEvent(BWAdditions) bwCommandKeyIsDown]+[NSEvent(BWAdditions) bwOptionKeyIsDown]+[NSEvent(BWAdditions) bwControlKeyIsDown]+[NSEvent(BWAdditions) bwCapsLockKeyIsDown]-[BWHyperlinkButton awakeFromNib]-[BWHyperlinkButton initWithCoder:]-[BWHyperlinkButton setUrlString:]-[BWHyperlinkButton urlString]-[BWHyperlinkButton dealloc]-[BWHyperlinkButton resetCursorRects]-[BWHyperlinkButton openURLInBrowser:]-[BWHyperlinkButton encodeWithCoder:]-[BWHyperlinkButtonCell _textAttributes]-[BWHyperlinkButtonCell isBordered]-[BWHyperlinkButtonCell setBordered:]-[BWHyperlinkButtonCell drawBezelWithFrame:inView:]-[BWGradientBox initWithCoder:]-[BWGradientBox fillStartingColor]-[BWGradientBox fillEndingColor]-[BWGradientBox fillColor]-[BWGradientBox topBorderColor]-[BWGradientBox bottomBorderColor]-[BWGradientBox setTopInsetAlpha:]-[BWGradientBox topInsetAlpha]-[BWGradientBox setBottomInsetAlpha:]-[BWGradientBox bottomInsetAlpha]-[BWGradientBox setHasTopBorder:]-[BWGradientBox hasTopBorder]-[BWGradientBox setHasBottomBorder:]-[BWGradientBox hasBottomBorder]-[BWGradientBox setHasGradient:]-[BWGradientBox hasGradient]-[BWGradientBox setHasFillColor:]-[BWGradientBox hasFillColor]-[BWGradientBox dealloc]-[BWGradientBox setBottomBorderColor:]-[BWGradientBox setTopBorderColor:]-[BWGradientBox setFillEndingColor:]-[BWGradientBox setFillStartingColor:]-[BWGradientBox setFillColor:]-[BWGradientBox isFlipped]-[BWGradientBox drawRect:]-[BWGradientBox encodeWithCoder:]-[BWStyledTextField hasShadow]-[BWStyledTextField setHasShadow:]-[BWStyledTextField shadowIsBelow]-[BWStyledTextField setShadowIsBelow:]-[BWStyledTextField shadowColor]-[BWStyledTextField setShadowColor:]-[BWStyledTextField hasGradient]-[BWStyledTextField setHasGradient:]-[BWStyledTextField startingColor]-[BWStyledTextField setStartingColor:]-[BWStyledTextField endingColor]-[BWStyledTextField setEndingColor:]-[BWStyledTextField solidColor]-[BWStyledTextField setSolidColor:]-[BWStyledTextFieldCell initWithCoder:]-[BWStyledTextFieldCell shadowIsBelow]-[BWStyledTextFieldCell shadowColor]-[BWStyledTextFieldCell setHasShadow:]-[BWStyledTextFieldCell hasShadow]-[BWStyledTextFieldCell setShadow:]-[BWStyledTextFieldCell shadow]-[BWStyledTextFieldCell setPreviousAttributes:]-[BWStyledTextFieldCell previousAttributes]-[BWStyledTextFieldCell startingColor]-[BWStyledTextFieldCell endingColor]-[BWStyledTextFieldCell hasGradient]-[BWStyledTextFieldCell solidColor]-[BWStyledTextFieldCell setShadowColor:]-[BWStyledTextFieldCell setShadowIsBelow:]-[BWStyledTextFieldCell setHasGradient:]-[BWStyledTextFieldCell setSolidColor:]-[BWStyledTextFieldCell setEndingColor:]-[BWStyledTextFieldCell setStartingColor:]-[BWStyledTextFieldCell drawInteriorWithFrame:inView:]-[BWStyledTextFieldCell applyGradient]-[BWStyledTextFieldCell awakeFromNib]-[BWStyledTextFieldCell changeShadow]-[BWStyledTextFieldCell _textAttributes]-[BWStyledTextFieldCell dealloc]-[BWStyledTextFieldCell copyWithZone:]-[BWStyledTextFieldCell encodeWithCoder:]+[NSApplication(BWAdditions) bwIsOnLeopard] stub helpers_scaleFactor_documentToolbar_editableToolbar_enabledColor_disabledColor_buttonFillN_buttonRightP_buttonFillP_buttonLeftP_buttonRightN_buttonLeftN_contentShadow_enabledColor_disabledColor_checkboxOffN_checkboxOnP_checkboxOnN_checkboxOffP_enabledColor_disabledColor_popUpFillN_pullDownRightP_popUpFillP_popUpLeftP_popUpRightP_pullDownRightN_popUpLeftN_popUpRightN_thumbPImage_thumbNImage_triangleThumbPImage_triangleThumbNImage_trackFillImage_trackRightImage_trackLeftImage_gradient_borderColor_dimpleImageBitmap_dimpleImageVector_gradientStartColor_gradientEndColor_smallPhotoImage_largePhotoImage_quietSpeakerImage_loudSpeakerImage_thumbPImage_thumbNImage_trackFillImage_trackRightImage_trackLeftImage_wasBorderedBar_gradient_topLineColor_borderedTopLineColor_resizeHandleColor_resizeInsetColor_bottomLineColor_sideInsetColor_topColor_middleTopColor_middleBottomColor_bottomColor_fillGradient_bottomBorderColor_sideInsetColor_borderedTopBorderColor_borderedSideBorderColor_topBorderColor_sideBorderColor_enabledTextColor_disabledTextColor_contentShadow_enabledImageColor_disabledImageColor_pressedColor_fillStop1_fillStop2_fillStop3_fillStop4_rowColor_altRowColor_highlightColor_fillGradient_bottomBorderColor_sideInsetColor_borderedTopBorderColor_borderedSideBorderColor_topBorderColor_sideBorderColor_enabledTextColor_disabledTextColor_contentShadow_enabledImageColor_disabledImageColor_pressedColor_pullDownArrow_fillStop1_fillStop2_fillStop3_fillStop4_fillGradient_topInsetColor_topBorderColor_borderColor_bottomInsetColor_fillStop1_fillStop2_fillStop3_fillStop4_pressedColor_highlightedArrowColor_arrowGradient_textShadow_blueStrokeGradient_blueInsetGradient_blueGradient_highlightedBlueStrokeGradient_highlightedBlueInsetGradient_highlightedBlueGradient_slotVerticalFill_backgroundColor_minKnobHeight_minKnobWidth_slotBottom_slotTop_slotRight_slotHorizontalFill_slotLeft_knobBottom_knobVerticalFill_knobTop_knobRight_knobHorizontalFill_knobLeft_textShadow_BWSelectableToolbarItemClickedNotification_OBJC_CLASS_$_BWAddMiniBottomBar_OBJC_CLASS_$_BWAddRegularBottomBar_OBJC_CLASS_$_BWAddSheetBottomBar_OBJC_CLASS_$_BWAddSmallBottomBar_OBJC_CLASS_$_BWAnchoredButton_OBJC_CLASS_$_BWAnchoredButtonBar_OBJC_CLASS_$_BWAnchoredButtonCell_OBJC_CLASS_$_BWAnchoredPopUpButton_OBJC_CLASS_$_BWAnchoredPopUpButtonCell_OBJC_CLASS_$_BWCustomView_OBJC_CLASS_$_BWGradientBox_OBJC_CLASS_$_BWHyperlinkButton_OBJC_CLASS_$_BWHyperlinkButtonCell_OBJC_CLASS_$_BWInsetTextField_OBJC_CLASS_$_BWRemoveBottomBar_OBJC_CLASS_$_BWSelectableToolbar_OBJC_CLASS_$_BWSelectableToolbarHelper_OBJC_CLASS_$_BWSheetController_OBJC_CLASS_$_BWSplitView_OBJC_CLASS_$_BWStyledTextField_OBJC_CLASS_$_BWStyledTextFieldCell_OBJC_CLASS_$_BWTexturedSlider_OBJC_CLASS_$_BWTexturedSliderCell_OBJC_CLASS_$_BWTokenAttachmentCell_OBJC_CLASS_$_BWTokenField_OBJC_CLASS_$_BWTokenFieldCell_OBJC_CLASS_$_BWToolbarItem_OBJC_CLASS_$_BWToolbarShowColorsItem_OBJC_CLASS_$_BWToolbarShowFontsItem_OBJC_CLASS_$_BWTransparentButton_OBJC_CLASS_$_BWTransparentButtonCell_OBJC_CLASS_$_BWTransparentCheckbox_OBJC_CLASS_$_BWTransparentCheckboxCell_OBJC_CLASS_$_BWTransparentPopUpButton_OBJC_CLASS_$_BWTransparentPopUpButtonCell_OBJC_CLASS_$_BWTransparentScrollView_OBJC_CLASS_$_BWTransparentScroller_OBJC_CLASS_$_BWTransparentSlider_OBJC_CLASS_$_BWTransparentSliderCell_OBJC_CLASS_$_BWTransparentTableView_OBJC_CLASS_$_BWTransparentTableViewCell_OBJC_CLASS_$_BWTransparentTextFieldCell_OBJC_CLASS_$_BWUnanchoredButton_OBJC_CLASS_$_BWUnanchoredButtonCell_OBJC_CLASS_$_BWUnanchoredButtonContainer_OBJC_IVAR_$_BWAnchoredButton.isAtLeftEdgeOfBar_OBJC_IVAR_$_BWAnchoredButton.isAtRightEdgeOfBar_OBJC_IVAR_$_BWAnchoredButton.topAndLeftInset_OBJC_IVAR_$_BWAnchoredButtonBar.handleIsRightAligned_OBJC_IVAR_$_BWAnchoredButtonBar.isAtBottom_OBJC_IVAR_$_BWAnchoredButtonBar.isResizable_OBJC_IVAR_$_BWAnchoredButtonBar.selectedIndex_OBJC_IVAR_$_BWAnchoredButtonBar.splitViewDelegate_OBJC_IVAR_$_BWAnchoredPopUpButton.isAtLeftEdgeOfBar_OBJC_IVAR_$_BWAnchoredPopUpButton.isAtRightEdgeOfBar_OBJC_IVAR_$_BWAnchoredPopUpButton.topAndLeftInset_OBJC_IVAR_$_BWCustomView.isOnItsOwn_OBJC_IVAR_$_BWGradientBox.bottomBorderColor_OBJC_IVAR_$_BWGradientBox.bottomInsetAlpha_OBJC_IVAR_$_BWGradientBox.fillColor_OBJC_IVAR_$_BWGradientBox.fillEndingColor_OBJC_IVAR_$_BWGradientBox.fillStartingColor_OBJC_IVAR_$_BWGradientBox.hasBottomBorder_OBJC_IVAR_$_BWGradientBox.hasFillColor_OBJC_IVAR_$_BWGradientBox.hasGradient_OBJC_IVAR_$_BWGradientBox.hasTopBorder_OBJC_IVAR_$_BWGradientBox.topBorderColor_OBJC_IVAR_$_BWGradientBox.topInsetAlpha_OBJC_IVAR_$_BWHyperlinkButton.urlString_OBJC_IVAR_$_BWSelectableToolbar.enabledByIdentifier_OBJC_IVAR_$_BWSelectableToolbar.helper_OBJC_IVAR_$_BWSelectableToolbar.inIB_OBJC_IVAR_$_BWSelectableToolbar.isPreferencesToolbar_OBJC_IVAR_$_BWSelectableToolbar.itemIdentifiers_OBJC_IVAR_$_BWSelectableToolbar.itemsByIdentifier_OBJC_IVAR_$_BWSelectableToolbar.selectedIndex_OBJC_IVAR_$_BWSelectableToolbarHelper.contentViewsByIdentifier_OBJC_IVAR_$_BWSelectableToolbarHelper.initialIBWindowSize_OBJC_IVAR_$_BWSelectableToolbarHelper.isPreferencesToolbar_OBJC_IVAR_$_BWSelectableToolbarHelper.oldWindowTitle_OBJC_IVAR_$_BWSelectableToolbarHelper.selectedIdentifier_OBJC_IVAR_$_BWSelectableToolbarHelper.windowSizesByIdentifier_OBJC_IVAR_$_BWSheetController.delegate_OBJC_IVAR_$_BWSheetController.parentWindow_OBJC_IVAR_$_BWSheetController.sheet_OBJC_IVAR_$_BWSplitView.checkboxIsEnabled_OBJC_IVAR_$_BWSplitView.collapsiblePopupSelection_OBJC_IVAR_$_BWSplitView.collapsibleSubviewCollapsed_OBJC_IVAR_$_BWSplitView.color_OBJC_IVAR_$_BWSplitView.colorIsEnabled_OBJC_IVAR_$_BWSplitView.dividerCanCollapse_OBJC_IVAR_$_BWSplitView.isAnimating_OBJC_IVAR_$_BWSplitView.maxUnits_OBJC_IVAR_$_BWSplitView.maxValues_OBJC_IVAR_$_BWSplitView.minUnits_OBJC_IVAR_$_BWSplitView.minValues_OBJC_IVAR_$_BWSplitView.nonresizableSubviewPreferredSize_OBJC_IVAR_$_BWSplitView.resizableSubviewPreferredProportion_OBJC_IVAR_$_BWSplitView.secondaryDelegate_OBJC_IVAR_$_BWSplitView.stateForLastPreferredCalculations_OBJC_IVAR_$_BWSplitView.toggleCollapseButton_OBJC_IVAR_$_BWSplitView.uncollapsedSize_OBJC_IVAR_$_BWStyledTextFieldCell.endingColor_OBJC_IVAR_$_BWStyledTextFieldCell.hasGradient_OBJC_IVAR_$_BWStyledTextFieldCell.hasShadow_OBJC_IVAR_$_BWStyledTextFieldCell.previousAttributes_OBJC_IVAR_$_BWStyledTextFieldCell.shadow_OBJC_IVAR_$_BWStyledTextFieldCell.shadowColor_OBJC_IVAR_$_BWStyledTextFieldCell.shadowIsBelow_OBJC_IVAR_$_BWStyledTextFieldCell.solidColor_OBJC_IVAR_$_BWStyledTextFieldCell.startingColor_OBJC_IVAR_$_BWTexturedSlider.indicatorIndex_OBJC_IVAR_$_BWTexturedSlider.maxButton_OBJC_IVAR_$_BWTexturedSlider.minButton_OBJC_IVAR_$_BWTexturedSlider.sliderCellRect_OBJC_IVAR_$_BWTexturedSlider.trackHeight_OBJC_IVAR_$_BWTexturedSliderCell.isPressed_OBJC_IVAR_$_BWTexturedSliderCell.trackHeight_OBJC_IVAR_$_BWToolbarItem.identifierString_OBJC_IVAR_$_BWTransparentScroller.isVertical_OBJC_IVAR_$_BWTransparentSliderCell.isPressed_OBJC_IVAR_$_BWTransparentTableViewCell.mIsEditingOrSelecting_OBJC_IVAR_$_BWUnanchoredButton.topAndLeftInset_OBJC_METACLASS_$_BWAddMiniBottomBar_OBJC_METACLASS_$_BWAddRegularBottomBar_OBJC_METACLASS_$_BWAddSheetBottomBar_OBJC_METACLASS_$_BWAddSmallBottomBar_OBJC_METACLASS_$_BWAnchoredButton_OBJC_METACLASS_$_BWAnchoredButtonBar_OBJC_METACLASS_$_BWAnchoredButtonCell_OBJC_METACLASS_$_BWAnchoredPopUpButton_OBJC_METACLASS_$_BWAnchoredPopUpButtonCell_OBJC_METACLASS_$_BWCustomView_OBJC_METACLASS_$_BWGradientBox_OBJC_METACLASS_$_BWHyperlinkButton_OBJC_METACLASS_$_BWHyperlinkButtonCell_OBJC_METACLASS_$_BWInsetTextField_OBJC_METACLASS_$_BWRemoveBottomBar_OBJC_METACLASS_$_BWSelectableToolbar_OBJC_METACLASS_$_BWSelectableToolbarHelper_OBJC_METACLASS_$_BWSheetController_OBJC_METACLASS_$_BWSplitView_OBJC_METACLASS_$_BWStyledTextField_OBJC_METACLASS_$_BWStyledTextFieldCell_OBJC_METACLASS_$_BWTexturedSlider_OBJC_METACLASS_$_BWTexturedSliderCell_OBJC_METACLASS_$_BWTokenAttachmentCell_OBJC_METACLASS_$_BWTokenField_OBJC_METACLASS_$_BWTokenFieldCell_OBJC_METACLASS_$_BWToolbarItem_OBJC_METACLASS_$_BWToolbarShowColorsItem_OBJC_METACLASS_$_BWToolbarShowFontsItem_OBJC_METACLASS_$_BWTransparentButton_OBJC_METACLASS_$_BWTransparentButtonCell_OBJC_METACLASS_$_BWTransparentCheckbox_OBJC_METACLASS_$_BWTransparentCheckboxCell_OBJC_METACLASS_$_BWTransparentPopUpButton_OBJC_METACLASS_$_BWTransparentPopUpButtonCell_OBJC_METACLASS_$_BWTransparentScrollView_OBJC_METACLASS_$_BWTransparentScroller_OBJC_METACLASS_$_BWTransparentSlider_OBJC_METACLASS_$_BWTransparentSliderCell_OBJC_METACLASS_$_BWTransparentTableView_OBJC_METACLASS_$_BWTransparentTableViewCell_OBJC_METACLASS_$_BWTransparentTextFieldCell_OBJC_METACLASS_$_BWUnanchoredButton_OBJC_METACLASS_$_BWUnanchoredButtonCell_OBJC_METACLASS_$_BWUnanchoredButtonContainer_compareViews_CFMakeCollectable_CFRelease_CFUUIDCreate_CFUUIDCreateString_CGContextRestoreGState_CGContextSaveGState_CGContextSetShouldSmoothFonts_Gestalt_NSApp_NSClassFromString_NSDrawThreePartImage_NSFontAttributeName_NSForegroundColorAttributeName_NSInsetRect_NSIntegralRect_NSIsEmptyRect_NSOffsetRect_NSPointInRect_NSRectFill_NSRectFillUsingOperation_NSShadowAttributeName_NSUnderlineStyleAttributeName_NSWindowDidResizeNotification_NSZeroRect_OBJC_CLASS_$_NSAffineTransform_OBJC_CLASS_$_NSAnimationContext_OBJC_CLASS_$_NSApplication_OBJC_CLASS_$_NSArchiver_OBJC_CLASS_$_NSArray_OBJC_CLASS_$_NSBezierPath_OBJC_CLASS_$_NSBundle_OBJC_CLASS_$_NSButton_OBJC_CLASS_$_NSButtonCell_OBJC_CLASS_$_NSColor_OBJC_CLASS_$_NSCursor_OBJC_CLASS_$_NSCustomView_OBJC_CLASS_$_NSDictionary_OBJC_CLASS_$_NSEvent_OBJC_CLASS_$_NSFont_OBJC_CLASS_$_NSGradient_OBJC_CLASS_$_NSGraphicsContext_OBJC_CLASS_$_NSImage_OBJC_CLASS_$_NSMutableArray_OBJC_CLASS_$_NSMutableAttributedString_OBJC_CLASS_$_NSMutableDictionary_OBJC_CLASS_$_NSNotificationCenter_OBJC_CLASS_$_NSNumber_OBJC_CLASS_$_NSObject_OBJC_CLASS_$_NSPopUpButton_OBJC_CLASS_$_NSPopUpButtonCell_OBJC_CLASS_$_NSScreen_OBJC_CLASS_$_NSScrollView_OBJC_CLASS_$_NSScroller_OBJC_CLASS_$_NSShadow_OBJC_CLASS_$_NSSlider_OBJC_CLASS_$_NSSliderCell_OBJC_CLASS_$_NSSortDescriptor_OBJC_CLASS_$_NSSplitView_OBJC_CLASS_$_NSString_OBJC_CLASS_$_NSTableView_OBJC_CLASS_$_NSTextField_OBJC_CLASS_$_NSTextFieldCell_OBJC_CLASS_$_NSTokenAttachmentCell_OBJC_CLASS_$_NSTokenField_OBJC_CLASS_$_NSTokenFieldCell_OBJC_CLASS_$_NSToolbar_OBJC_CLASS_$_NSToolbarItem_OBJC_CLASS_$_NSURL_OBJC_CLASS_$_NSUnarchiver_OBJC_CLASS_$_NSValue_OBJC_CLASS_$_NSView_OBJC_CLASS_$_NSWindow_OBJC_CLASS_$_NSWindowController_OBJC_CLASS_$_NSWorkspace_OBJC_IVAR_$_NSTokenAttachmentCell._tacFlags_OBJC_METACLASS_$_NSButton_OBJC_METACLASS_$_NSButtonCell_OBJC_METACLASS_$_NSCustomView_OBJC_METACLASS_$_NSObject_OBJC_METACLASS_$_NSPopUpButton_OBJC_METACLASS_$_NSPopUpButtonCell_OBJC_METACLASS_$_NSScrollView_OBJC_METACLASS_$_NSScroller_OBJC_METACLASS_$_NSSlider_OBJC_METACLASS_$_NSSliderCell_OBJC_METACLASS_$_NSSplitView_OBJC_METACLASS_$_NSTableView_OBJC_METACLASS_$_NSTextField_OBJC_METACLASS_$_NSTextFieldCell_OBJC_METACLASS_$_NSTokenAttachmentCell_OBJC_METACLASS_$_NSTokenField_OBJC_METACLASS_$_NSTokenFieldCell_OBJC_METACLASS_$_NSToolbar_OBJC_METACLASS_$_NSToolbarItem_OBJC_METACLASS_$_NSView___CFConstantStringClassReference__objc_empty_cache__objc_empty_vtable_ceilf_floor_fmaxf_fminf_modf_objc_assign_global_objc_assign_ivar_objc_enumerationMutation_objc_getProperty_objc_msgSendSuper2_fixup_objc_msgSendSuper2_stret_fixup_objc_msgSend_fixup_objc_msgSend_stret_fixup_objc_setProperty_roundfdyld_stub_binder/Users/brandon/Temp/bwtoolkit/BWToolbarShowColorsItem.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWToolbarShowColorsItem.o-[BWToolbarShowColorsItem image]/Users/brandon/Temp/bwtoolkit/BWToolbarShowColorsItem.m-[BWToolbarShowColorsItem toolTip]-[BWToolbarShowColorsItem action]-[BWToolbarShowColorsItem target]-[BWToolbarShowColorsItem paletteLabel]-[BWToolbarShowColorsItem label]-[BWToolbarShowColorsItem itemIdentifier]_OBJC_METACLASS_$_BWToolbarShowColorsItem_OBJC_CLASS_$_BWToolbarShowColorsItemBWToolbarShowFontsItem.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWToolbarShowFontsItem.o-[BWToolbarShowFontsItem image]/Users/brandon/Temp/bwtoolkit/BWToolbarShowFontsItem.m-[BWToolbarShowFontsItem toolTip]-[BWToolbarShowFontsItem action]-[BWToolbarShowFontsItem target]-[BWToolbarShowFontsItem paletteLabel]-[BWToolbarShowFontsItem label]-[BWToolbarShowFontsItem itemIdentifier]_OBJC_METACLASS_$_BWToolbarShowFontsItem_OBJC_CLASS_$_BWToolbarShowFontsItemBWSelectableToolbar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWSelectableToolbar.o-[BWSelectableToolbar documentToolbar]-[BWSelectableToolbar editableToolbar]/Users/brandon/Temp/bwtoolkit/BWSelectableToolbar.m-[BWSelectableToolbar initWithCoder:]-[BWSelectableToolbar setHelper:]-[BWSelectableToolbar helper]-[BWSelectableToolbar isPreferencesToolbar]-[BWSelectableToolbar setEnabledByIdentifier:]-[BWSelectableToolbar switchToItemAtIndex:animate:]-[BWSelectableToolbar setSelectedIndex:]-[BWSelectableToolbar selectedIndex]-[BWSelectableToolbar labels]-[BWSelectableToolbar setIsPreferencesToolbar:]-[BWSelectableToolbar selectableItemIdentifiers]-[BWSelectableToolbar toolbarSelectableItemIdentifiers:]-[BWSelectableToolbar toolbar:itemForItemIdentifier:willBeInsertedIntoToolbar:]-[BWSelectableToolbar toolbarAllowedItemIdentifiers:]-[BWSelectableToolbar toolbarDefaultItemIdentifiers:]-[BWSelectableToolbar windowDidResize:]-[BWSelectableToolbar enabledByIdentifier]-[BWSelectableToolbar validateToolbarItem:]-[BWSelectableToolbar setEnabled:forIdentifier:]-[BWSelectableToolbar setSelectedItemIdentifierWithoutAnimation:]-[BWSelectableToolbar setSelectedItemIdentifier:]-[BWSelectableToolbar dealloc]-[BWSelectableToolbar identifierAtIndex:]-[BWSelectableToolbar setItemSelectors]-[BWSelectableToolbar toggleActiveView:]-[BWSelectableToolbar selectItemAtIndex:]-[BWSelectableToolbar toolbarIndexFromSelectableIndex:]-[BWSelectableToolbar initialSetup]-[BWSelectableToolbar selectInitialItem]-[BWSelectableToolbar selectFirstItem]-[BWSelectableToolbar awakeFromNib]-[BWSelectableToolbar initWithIdentifier:]-[BWSelectableToolbar _defaultItemIdentifiers]-[BWSelectableToolbar encodeWithCoder:]-[BWSelectableToolbar setEditableToolbar:]-[BWSelectableToolbar setDocumentToolbar:]_BWSelectableToolbarItemClickedNotification_OBJC_METACLASS_$_BWSelectableToolbar_OBJC_CLASS_$_BWSelectableToolbar_OBJC_IVAR_$_BWSelectableToolbar.helper_OBJC_IVAR_$_BWSelectableToolbar.itemIdentifiers_OBJC_IVAR_$_BWSelectableToolbar.itemsByIdentifier_OBJC_IVAR_$_BWSelectableToolbar.enabledByIdentifier_OBJC_IVAR_$_BWSelectableToolbar.inIB_OBJC_IVAR_$_BWSelectableToolbar.selectedIndex_OBJC_IVAR_$_BWSelectableToolbar.isPreferencesToolbar_documentToolbar_editableToolbarBWAddRegularBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWAddRegularBottomBar.o-[BWAddRegularBottomBar initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWAddRegularBottomBar.m-[BWAddRegularBottomBar bounds]/System/Library/Frameworks/Foundation.framework/Headers/NSGeometry.h-[BWAddRegularBottomBar drawRect:]-[BWAddRegularBottomBar awakeFromNib]_OBJC_METACLASS_$_BWAddRegularBottomBar_OBJC_CLASS_$_BWAddRegularBottomBarBWRemoveBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWRemoveBottomBar.o-[BWRemoveBottomBar bounds]_OBJC_METACLASS_$_BWRemoveBottomBar_OBJC_CLASS_$_BWRemoveBottomBarBWInsetTextField.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWInsetTextField.o-[BWInsetTextField initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWInsetTextField.m_OBJC_METACLASS_$_BWInsetTextField_OBJC_CLASS_$_BWInsetTextFieldBWTransparentButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWTransparentButtonCell.o-[BWTransparentButtonCell drawImage:withFrame:inView:]/Users/brandon/Temp/bwtoolkit/BWTransparentButtonCell.m+[BWTransparentButtonCell initialize]-[BWTransparentButtonCell setControlSize:]-[BWTransparentButtonCell controlSize]-[BWTransparentButtonCell interiorColor]-[BWTransparentButtonCell _textAttributes]-[BWTransparentButtonCell drawTitle:withFrame:inView:]-[BWTransparentButtonCell drawBezelWithFrame:inView:]_OBJC_METACLASS_$_BWTransparentButtonCell_OBJC_CLASS_$_BWTransparentButtonCell_enabledColor_disabledColor_buttonFillN_buttonRightP_buttonFillP_buttonLeftP_buttonRightN_buttonLeftNBWTransparentCheckboxCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWTransparentCheckboxCell.o-[BWTransparentCheckboxCell _textAttributes]/Users/brandon/Temp/bwtoolkit/BWTransparentCheckboxCell.m+[BWTransparentCheckboxCell initialize]-[BWTransparentCheckboxCell setControlSize:]-[BWTransparentCheckboxCell controlSize]-[BWTransparentCheckboxCell drawImage:withFrame:inView:]-[BWTransparentCheckboxCell drawInteriorWithFrame:inView:]-[BWTransparentCheckboxCell interiorColor]-[BWTransparentCheckboxCell drawTitle:withFrame:inView:]-[BWTransparentCheckboxCell isInTableView]_OBJC_METACLASS_$_BWTransparentCheckboxCell_OBJC_CLASS_$_BWTransparentCheckboxCell_contentShadow_enabledColor_disabledColor_checkboxOffN_checkboxOnP_checkboxOnN_checkboxOffPBWTransparentPopUpButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWTransparentPopUpButtonCell.o-[BWTransparentPopUpButtonCell drawImageWithFrame:inView:]/Users/brandon/Temp/bwtoolkit/BWTransparentPopUpButtonCell.m-[BWTransparentPopUpButtonCell imageRectForBounds:]+[BWTransparentPopUpButtonCell initialize]-[BWTransparentPopUpButtonCell setControlSize:]-[BWTransparentPopUpButtonCell controlSize]-[BWTransparentPopUpButtonCell interiorColor]-[BWTransparentPopUpButtonCell _textAttributes]-[BWTransparentPopUpButtonCell titleRectForBounds:]-[BWTransparentPopUpButtonCell drawBezelWithFrame:inView:]_OBJC_METACLASS_$_BWTransparentPopUpButtonCell_OBJC_CLASS_$_BWTransparentPopUpButtonCell_enabledColor_disabledColor_popUpFillN_pullDownRightP_popUpFillP_popUpLeftP_popUpRightP_pullDownRightN_popUpLeftN_popUpRightNBWTransparentSliderCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWTransparentSliderCell.o-[BWTransparentSliderCell initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWTransparentSliderCell.m+[BWTransparentSliderCell initialize]-[BWTransparentSliderCell setControlSize:]-[BWTransparentSliderCell controlSize]-[BWTransparentSliderCell setTickMarkPosition:]-[BWTransparentSliderCell stopTracking:at:inView:mouseIsUp:]-[BWTransparentSliderCell startTrackingAt:inView:]-[BWTransparentSliderCell knobRectFlipped:]-[BWTransparentSliderCell _usesCustomTrackImage]-[BWTransparentSliderCell drawKnob:]-[BWTransparentSliderCell drawBarInside:flipped:]_OBJC_METACLASS_$_BWTransparentSliderCell_OBJC_CLASS_$_BWTransparentSliderCell_OBJC_IVAR_$_BWTransparentSliderCell.isPressed_thumbPImage_thumbNImage_triangleThumbPImage_triangleThumbNImage_trackFillImage_trackRightImage_trackLeftImageBWSplitView.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWSplitView.o-[BWSplitView initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWSplitView.m+[BWSplitView initialize]-[BWSplitView colorIsEnabled]-[BWSplitView setCheckboxIsEnabled:]-[BWSplitView setMinValues:]-[BWSplitView setMaxValues:]-[BWSplitView setMinUnits:]-[BWSplitView setMaxUnits:]-[BWSplitView setCollapsiblePopupSelection:]-[BWSplitView collapsiblePopupSelection]-[BWSplitView setDividerCanCollapse:]-[BWSplitView dividerCanCollapse]-[BWSplitView collapsibleSubviewCollapsed]-[BWSplitView setResizableSubviewPreferredProportion:]-[BWSplitView resizableSubviewPreferredProportion]-[BWSplitView setNonresizableSubviewPreferredSize:]-[BWSplitView nonresizableSubviewPreferredSize]-[BWSplitView setStateForLastPreferredCalculations:]-[BWSplitView stateForLastPreferredCalculations]-[BWSplitView setToggleCollapseButton:]-[BWSplitView toggleCollapseButton]-[BWSplitView setSecondaryDelegate:]-[BWSplitView secondaryDelegate]-[BWSplitView dealloc]-[BWSplitView maxUnits]-[BWSplitView minUnits]-[BWSplitView maxValues]-[BWSplitView minValues]-[BWSplitView color]-[BWSplitView setColor:]-[BWSplitView setColorIsEnabled:]-[BWSplitView checkboxIsEnabled]-[BWSplitView setDividerStyle:]-[BWSplitView splitView:resizeSubviewsWithOldSize:]-[BWSplitView resizeAndAdjustSubviews]-[BWSplitView clearPreferredProportionsAndSizes]-[BWSplitView validateAndCalculatePreferredProportionsAndSizes]-[BWSplitView correctCollapsiblePreferredProportionOrSize]-[BWSplitView validatePreferredProportionsAndSizes]-[BWSplitView recalculatePreferredProportionsAndSizes]-[BWSplitView subviewMaximumSize:]-[BWSplitView subviewMinimumSize:]-[BWSplitView subviewIsResizable:]-[BWSplitView resizableSubviews]-[BWSplitView splitViewWillResizeSubviews:]-[BWSplitView splitViewDidResizeSubviews:]-[BWSplitView splitView:effectiveRect:forDrawnRect:ofDividerAtIndex:]-[BWSplitView splitView:constrainSplitPosition:ofSubviewAt:]-[BWSplitView splitView:constrainMinCoordinate:ofSubviewAt:]-[BWSplitView splitView:constrainMaxCoordinate:ofSubviewAt:]-[BWSplitView splitView:shouldCollapseSubview:forDoubleClickOnDividerAtIndex:]-[BWSplitView splitView:canCollapseSubview:]-[BWSplitView splitView:additionalEffectiveRectOfDividerAtIndex:]-[BWSplitView splitView:shouldHideDividerAtIndex:]-[BWSplitView mouseDown:]-[BWSplitView toggleCollapse:]-[BWSplitView restoreAutoresizesSubviews:]-[BWSplitView removeMinSizeForCollapsibleSubview]-[BWSplitView setMinSizeForCollapsibleSubview:]-[BWSplitView setCollapsibleSubviewCollapsed:]-[BWSplitView collapsibleDividerIndex]-[BWSplitView hasCollapsibleDivider]-[BWSplitView animationDuration]-[BWSplitView animationEnded]-[BWSplitView setCollapsibleSubviewCollapsedHelper:]-[BWSplitView adjustSubviews]-[BWSplitView hasCollapsibleSubview]-[BWSplitView collapsibleSubview]-[BWSplitView collapsibleSubviewIndex]-[BWSplitView collapsibleSubviewIsCollapsed]-[BWSplitView subviewIsCollapsed:]-[BWSplitView subviewIsCollapsible:]-[BWSplitView setDelegate:]-[BWSplitView drawDimpleInRect:]-[BWSplitView drawGradientDividerInRect:]-[BWSplitView drawDividerInRect:]-[BWSplitView awakeFromNib]-[BWSplitView encodeWithCoder:]_OBJC_METACLASS_$_BWSplitView_OBJC_CLASS_$_BWSplitView_OBJC_IVAR_$_BWSplitView.color_OBJC_IVAR_$_BWSplitView.colorIsEnabled_OBJC_IVAR_$_BWSplitView.checkboxIsEnabled_OBJC_IVAR_$_BWSplitView.dividerCanCollapse_OBJC_IVAR_$_BWSplitView.collapsibleSubviewCollapsed_OBJC_IVAR_$_BWSplitView.secondaryDelegate_OBJC_IVAR_$_BWSplitView.minValues_OBJC_IVAR_$_BWSplitView.maxValues_OBJC_IVAR_$_BWSplitView.minUnits_OBJC_IVAR_$_BWSplitView.maxUnits_OBJC_IVAR_$_BWSplitView.resizableSubviewPreferredProportion_OBJC_IVAR_$_BWSplitView.nonresizableSubviewPreferredSize_OBJC_IVAR_$_BWSplitView.stateForLastPreferredCalculations_OBJC_IVAR_$_BWSplitView.collapsiblePopupSelection_OBJC_IVAR_$_BWSplitView.uncollapsedSize_OBJC_IVAR_$_BWSplitView.toggleCollapseButton_OBJC_IVAR_$_BWSplitView.isAnimating_scaleFactor_gradient_borderColor_dimpleImageBitmap_dimpleImageVector_gradientStartColor_gradientEndColorBWTexturedSlider.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWTexturedSlider.o-[BWTexturedSlider initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWTexturedSlider.m+[BWTexturedSlider initialize]-[BWTexturedSlider indicatorIndex]-[BWTexturedSlider setMinButton:]-[BWTexturedSlider minButton]-[BWTexturedSlider setMaxButton:]-[BWTexturedSlider maxButton]-[BWTexturedSlider dealloc]-[BWTexturedSlider resignFirstResponder]-[BWTexturedSlider becomeFirstResponder]-[BWTexturedSlider scrollWheel:]-[BWTexturedSlider setEnabled:]-[BWTexturedSlider setIndicatorIndex:]-[BWTexturedSlider drawRect:]-[BWTexturedSlider hitTest:]-[BWTexturedSlider setSliderToMaximum]-[BWTexturedSlider setSliderToMinimum]-[BWTexturedSlider setTrackHeight:]-[BWTexturedSlider trackHeight]-[BWTexturedSlider encodeWithCoder:]_OBJC_METACLASS_$_BWTexturedSlider_OBJC_CLASS_$_BWTexturedSlider_OBJC_IVAR_$_BWTexturedSlider.trackHeight_OBJC_IVAR_$_BWTexturedSlider.indicatorIndex_OBJC_IVAR_$_BWTexturedSlider.sliderCellRect_OBJC_IVAR_$_BWTexturedSlider.minButton_OBJC_IVAR_$_BWTexturedSlider.maxButton_smallPhotoImage_largePhotoImage_quietSpeakerImage_loudSpeakerImageBWTexturedSliderCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWTexturedSliderCell.o-[BWTexturedSliderCell initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWTexturedSliderCell.m+[BWTexturedSliderCell initialize]-[BWTexturedSliderCell setTrackHeight:]-[BWTexturedSliderCell trackHeight]-[BWTexturedSliderCell stopTracking:at:inView:mouseIsUp:]-[BWTexturedSliderCell startTrackingAt:inView:]-[BWTexturedSliderCell _usesCustomTrackImage]-[BWTexturedSliderCell drawKnob:]-[BWTexturedSliderCell drawBarInside:flipped:]-[BWTexturedSliderCell setNumberOfTickMarks:]-[BWTexturedSliderCell numberOfTickMarks]-[BWTexturedSliderCell setControlSize:]-[BWTexturedSliderCell controlSize]-[BWTexturedSliderCell encodeWithCoder:]_OBJC_METACLASS_$_BWTexturedSliderCell_OBJC_CLASS_$_BWTexturedSliderCell_OBJC_IVAR_$_BWTexturedSliderCell.isPressed_OBJC_IVAR_$_BWTexturedSliderCell.trackHeight_thumbPImage_thumbNImage_trackFillImage_trackRightImage_trackLeftImageBWAddSmallBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWAddSmallBottomBar.o-[BWAddSmallBottomBar initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWAddSmallBottomBar.m-[BWAddSmallBottomBar bounds]-[BWAddSmallBottomBar drawRect:]-[BWAddSmallBottomBar awakeFromNib]_OBJC_METACLASS_$_BWAddSmallBottomBar_OBJC_CLASS_$_BWAddSmallBottomBarBWAnchoredButtonBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWAnchoredButtonBar.o-[BWAnchoredButtonBar initWithFrame:]/Users/brandon/Temp/bwtoolkit/BWAnchoredButtonBar.m+[BWAnchoredButtonBar wasBorderedBar]+[BWAnchoredButtonBar initialize]-[BWAnchoredButtonBar selectedIndex]-[BWAnchoredButtonBar isAtBottom]-[BWAnchoredButtonBar setIsResizable:]-[BWAnchoredButtonBar isResizable]-[BWAnchoredButtonBar setHandleIsRightAligned:]-[BWAnchoredButtonBar handleIsRightAligned]-[BWAnchoredButtonBar setSplitViewDelegate:]-[BWAnchoredButtonBar splitViewDelegate]-[BWAnchoredButtonBar splitView:shouldHideDividerAtIndex:]-[BWAnchoredButtonBar splitView:shouldCollapseSubview:forDoubleClickOnDividerAtIndex:]-[BWAnchoredButtonBar splitView:effectiveRect:forDrawnRect:ofDividerAtIndex:]-[BWAnchoredButtonBar splitView:constrainSplitPosition:ofSubviewAt:]-[BWAnchoredButtonBar splitView:canCollapseSubview:]-[BWAnchoredButtonBar splitView:resizeSubviewsWithOldSize:]-[BWAnchoredButtonBar splitView:constrainMaxCoordinate:ofSubviewAt:]-[BWAnchoredButtonBar splitView:constrainMinCoordinate:ofSubviewAt:]-[BWAnchoredButtonBar splitView:additionalEffectiveRectOfDividerAtIndex:]-[BWAnchoredButtonBar dealloc]-[BWAnchoredButtonBar setSelectedIndex:]-[BWAnchoredButtonBar setIsAtBottom:]-[BWAnchoredButtonBar splitView]-[BWAnchoredButtonBar dividerIndexNearestToHandle]-[BWAnchoredButtonBar isInLastSubview]-[BWAnchoredButtonBar viewDidMoveToSuperview]-[BWAnchoredButtonBar drawLastButtonInsetInRect:]-[BWAnchoredButtonBar drawResizeHandleInRect:withColor:]-[BWAnchoredButtonBar drawRect:]-[BWAnchoredButtonBar awakeFromNib]-[BWAnchoredButtonBar encodeWithCoder:]-[BWAnchoredButtonBar initWithCoder:]_OBJC_METACLASS_$_BWAnchoredButtonBar_OBJC_CLASS_$_BWAnchoredButtonBar_OBJC_IVAR_$_BWAnchoredButtonBar.isResizable_OBJC_IVAR_$_BWAnchoredButtonBar.isAtBottom_OBJC_IVAR_$_BWAnchoredButtonBar.handleIsRightAligned_OBJC_IVAR_$_BWAnchoredButtonBar.selectedIndex_OBJC_IVAR_$_BWAnchoredButtonBar.splitViewDelegate_wasBorderedBar_gradient_topLineColor_borderedTopLineColor_resizeHandleColor_resizeInsetColor_bottomLineColor_sideInsetColor_topColor_middleTopColor_middleBottomColor_bottomColorBWAnchoredButton.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWAnchoredButton.o-[BWAnchoredButton initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWAnchoredButton.m-[BWAnchoredButton setIsAtLeftEdgeOfBar:]-[BWAnchoredButton isAtLeftEdgeOfBar]-[BWAnchoredButton setIsAtRightEdgeOfBar:]-[BWAnchoredButton isAtRightEdgeOfBar]-[BWAnchoredButton frame]-[BWAnchoredButton mouseDown:]_OBJC_METACLASS_$_BWAnchoredButton_OBJC_CLASS_$_BWAnchoredButton_OBJC_IVAR_$_BWAnchoredButton.isAtLeftEdgeOfBar_OBJC_IVAR_$_BWAnchoredButton.isAtRightEdgeOfBar_OBJC_IVAR_$_BWAnchoredButton.topAndLeftInsetBWAnchoredButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWAnchoredButtonCell.o-[BWAnchoredButtonCell controlSize]-[BWAnchoredButtonCell setControlSize:]/Users/brandon/Temp/bwtoolkit/BWAnchoredButtonCell.m-[BWAnchoredButtonCell highlightRectForBounds:]-[BWAnchoredButtonCell drawBezelWithFrame:inView:]-[BWAnchoredButtonCell textColor]-[BWAnchoredButtonCell _textAttributes]+[BWAnchoredButtonCell initialize]-[BWAnchoredButtonCell drawImage:withFrame:inView:]-[BWAnchoredButtonCell imageColor]-[BWAnchoredButtonCell titleRectForBounds:]-[BWAnchoredButtonCell drawWithFrame:inView:]_OBJC_METACLASS_$_BWAnchoredButtonCell_OBJC_CLASS_$_BWAnchoredButtonCell_fillGradient_bottomBorderColor_sideInsetColor_borderedTopBorderColor_borderedSideBorderColor_topBorderColor_sideBorderColor_enabledTextColor_disabledTextColor_contentShadow_enabledImageColor_disabledImageColor_pressedColor_fillStop1_fillStop2_fillStop3_fillStop4NSColor+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/NSColor+BWAdditions.o-[NSColor(BWAdditions) bwDrawPixelThickLineAtPosition:withInset:inRect:inView:horizontal:flip:]/Users/brandon/Temp/bwtoolkit/NSColor+BWAdditions.mNSImage+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/NSImage+BWAdditions.o-[NSImage(BWAdditions) bwRotateImage90DegreesClockwise:]/Users/brandon/Temp/bwtoolkit/NSImage+BWAdditions.m-[NSImage(BWAdditions) bwTintedImageWithColor:]BWSelectableToolbarHelper.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWSelectableToolbarHelper.o-[BWSelectableToolbarHelper initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWSelectableToolbarHelper.m-[BWSelectableToolbarHelper setContentViewsByIdentifier:]-[BWSelectableToolbarHelper contentViewsByIdentifier]-[BWSelectableToolbarHelper setWindowSizesByIdentifier:]-[BWSelectableToolbarHelper windowSizesByIdentifier]-[BWSelectableToolbarHelper setSelectedIdentifier:]-[BWSelectableToolbarHelper selectedIdentifier]-[BWSelectableToolbarHelper setOldWindowTitle:]-[BWSelectableToolbarHelper oldWindowTitle]-[BWSelectableToolbarHelper setInitialIBWindowSize:]-[BWSelectableToolbarHelper initialIBWindowSize]-[BWSelectableToolbarHelper setIsPreferencesToolbar:]-[BWSelectableToolbarHelper isPreferencesToolbar]-[BWSelectableToolbarHelper dealloc]-[BWSelectableToolbarHelper encodeWithCoder:]-[BWSelectableToolbarHelper init]_OBJC_METACLASS_$_BWSelectableToolbarHelper_OBJC_CLASS_$_BWSelectableToolbarHelper_OBJC_IVAR_$_BWSelectableToolbarHelper.contentViewsByIdentifier_OBJC_IVAR_$_BWSelectableToolbarHelper.windowSizesByIdentifier_OBJC_IVAR_$_BWSelectableToolbarHelper.selectedIdentifier_OBJC_IVAR_$_BWSelectableToolbarHelper.oldWindowTitle_OBJC_IVAR_$_BWSelectableToolbarHelper.initialIBWindowSize_OBJC_IVAR_$_BWSelectableToolbarHelper.isPreferencesToolbarNSWindow+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/NSWindow+BWAdditions.o-[NSWindow(BWAdditions) bwIsTextured]/Users/brandon/Temp/bwtoolkit/NSWindow+BWAdditions.m-[NSWindow(BWAdditions) bwResizeToSize:animate:]NSView+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/NSView+BWAdditions.o_compareViews/Users/brandon/Temp/bwtoolkit/NSView+BWAdditions.m-[NSView(BWAdditions) bwBringToFront]-[NSView(BWAdditions) bwAnimator]-[NSView(BWAdditions) bwTurnOffLayer]BWTransparentTableView.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWTransparentTableView.o-[BWTransparentTableView addTableColumn:]/Users/brandon/Temp/bwtoolkit/BWTransparentTableView.m+[BWTransparentTableView cellClass]+[BWTransparentTableView initialize]-[BWTransparentTableView highlightSelectionInClipRect:]-[BWTransparentTableView _highlightColorForCell:]-[BWTransparentTableView _alternatingRowBackgroundColors]-[BWTransparentTableView backgroundColor]-[BWTransparentTableView drawBackgroundInClipRect:]_OBJC_METACLASS_$_BWTransparentTableView_OBJC_CLASS_$_BWTransparentTableView_rowColor_altRowColor_highlightColorBWTransparentTableViewCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWTransparentTableViewCell.o-[BWTransparentTableViewCell drawInteriorWithFrame:inView:]/Users/brandon/Temp/bwtoolkit/BWTransparentTableViewCell.m-[BWTransparentTableViewCell editWithFrame:inView:editor:delegate:event:]-[BWTransparentTableViewCell selectWithFrame:inView:editor:delegate:start:length:]-[BWTransparentTableViewCell drawingRectForBounds:]_OBJC_METACLASS_$_BWTransparentTableViewCell_OBJC_CLASS_$_BWTransparentTableViewCell_OBJC_IVAR_$_BWTransparentTableViewCell.mIsEditingOrSelectingBWAnchoredPopUpButton.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWAnchoredPopUpButton.o-[BWAnchoredPopUpButton initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWAnchoredPopUpButton.m-[BWAnchoredPopUpButton setIsAtLeftEdgeOfBar:]-[BWAnchoredPopUpButton isAtLeftEdgeOfBar]-[BWAnchoredPopUpButton setIsAtRightEdgeOfBar:]-[BWAnchoredPopUpButton isAtRightEdgeOfBar]-[BWAnchoredPopUpButton frame]-[BWAnchoredPopUpButton mouseDown:]_OBJC_METACLASS_$_BWAnchoredPopUpButton_OBJC_CLASS_$_BWAnchoredPopUpButton_OBJC_IVAR_$_BWAnchoredPopUpButton.isAtLeftEdgeOfBar_OBJC_IVAR_$_BWAnchoredPopUpButton.isAtRightEdgeOfBar_OBJC_IVAR_$_BWAnchoredPopUpButton.topAndLeftInsetBWAnchoredPopUpButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWAnchoredPopUpButtonCell.o-[BWAnchoredPopUpButtonCell controlSize]-[BWAnchoredPopUpButtonCell setControlSize:]/Users/brandon/Temp/bwtoolkit/BWAnchoredPopUpButtonCell.m-[BWAnchoredPopUpButtonCell highlightRectForBounds:]-[BWAnchoredPopUpButtonCell drawBorderAndBackgroundWithFrame:inView:]-[BWAnchoredPopUpButtonCell textColor]-[BWAnchoredPopUpButtonCell _textAttributes]+[BWAnchoredPopUpButtonCell initialize]-[BWAnchoredPopUpButtonCell drawImageWithFrame:inView:]-[BWAnchoredPopUpButtonCell imageRectForBounds:]-[BWAnchoredPopUpButtonCell imageColor]-[BWAnchoredPopUpButtonCell titleRectForBounds:]-[BWAnchoredPopUpButtonCell drawArrowInFrame:]-[BWAnchoredPopUpButtonCell drawWithFrame:inView:]_OBJC_METACLASS_$_BWAnchoredPopUpButtonCell_OBJC_CLASS_$_BWAnchoredPopUpButtonCell_fillGradient_bottomBorderColor_sideInsetColor_borderedTopBorderColor_borderedSideBorderColor_topBorderColor_sideBorderColor_enabledTextColor_disabledTextColor_contentShadow_enabledImageColor_disabledImageColor_pressedColor_pullDownArrow_fillStop1_fillStop2_fillStop3_fillStop4BWCustomView.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWCustomView.o-[BWCustomView drawRect:]/Users/brandon/Temp/bwtoolkit/BWCustomView.m-[BWCustomView drawTextInRect:]_OBJC_METACLASS_$_BWCustomView_OBJC_CLASS_$_BWCustomView_OBJC_IVAR_$_BWCustomView.isOnItsOwnBWUnanchoredButton.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWUnanchoredButton.o-[BWUnanchoredButton initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWUnanchoredButton.m-[BWUnanchoredButton frame]-[BWUnanchoredButton mouseDown:]_OBJC_METACLASS_$_BWUnanchoredButton_OBJC_CLASS_$_BWUnanchoredButton_OBJC_IVAR_$_BWUnanchoredButton.topAndLeftInsetBWUnanchoredButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWUnanchoredButtonCell.o-[BWUnanchoredButtonCell drawBezelWithFrame:inView:]/Users/brandon/Temp/bwtoolkit/BWUnanchoredButtonCell.m-[BWUnanchoredButtonCell highlightRectForBounds:]+[BWUnanchoredButtonCell initialize]_OBJC_METACLASS_$_BWUnanchoredButtonCell_OBJC_CLASS_$_BWUnanchoredButtonCell_fillGradient_topInsetColor_topBorderColor_borderColor_bottomInsetColor_fillStop1_fillStop2_fillStop3_fillStop4_pressedColorBWUnanchoredButtonContainer.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWUnanchoredButtonContainer.o-[BWUnanchoredButtonContainer awakeFromNib]/Users/brandon/Temp/bwtoolkit/BWUnanchoredButtonContainer.m_OBJC_METACLASS_$_BWUnanchoredButtonContainer_OBJC_CLASS_$_BWUnanchoredButtonContainerBWSheetController.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWSheetController.o-[BWSheetController awakeFromNib]/Users/brandon/Temp/bwtoolkit/BWSheetController.m-[BWSheetController encodeWithCoder:]-[BWSheetController openSheet:]-[BWSheetController closeSheet:]-[BWSheetController messageDelegateAndCloseSheet:]-[BWSheetController delegate]-[BWSheetController sheet]-[BWSheetController parentWindow]-[BWSheetController initWithCoder:]-[BWSheetController setParentWindow:]-[BWSheetController setSheet:]-[BWSheetController setDelegate:]_OBJC_METACLASS_$_BWSheetController_OBJC_CLASS_$_BWSheetController_OBJC_IVAR_$_BWSheetController.sheet_OBJC_IVAR_$_BWSheetController.parentWindow_OBJC_IVAR_$_BWSheetController.delegateBWTransparentScrollView.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWTransparentScrollView.o-[BWTransparentScrollView initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWTransparentScrollView.m+[BWTransparentScrollView _verticalScrollerClass]_OBJC_METACLASS_$_BWTransparentScrollView_OBJC_CLASS_$_BWTransparentScrollViewBWAddMiniBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWAddMiniBottomBar.o-[BWAddMiniBottomBar initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWAddMiniBottomBar.m-[BWAddMiniBottomBar bounds]-[BWAddMiniBottomBar drawRect:]-[BWAddMiniBottomBar awakeFromNib]_OBJC_METACLASS_$_BWAddMiniBottomBar_OBJC_CLASS_$_BWAddMiniBottomBarBWAddSheetBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWAddSheetBottomBar.o-[BWAddSheetBottomBar initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWAddSheetBottomBar.m-[BWAddSheetBottomBar bounds]-[BWAddSheetBottomBar drawRect:]-[BWAddSheetBottomBar awakeFromNib]_OBJC_METACLASS_$_BWAddSheetBottomBar_OBJC_CLASS_$_BWAddSheetBottomBarBWTokenFieldCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWTokenFieldCell.o-[BWTokenFieldCell setUpTokenAttachmentCell:forRepresentedObject:]/Users/brandon/Temp/bwtoolkit/BWTokenFieldCell.m_OBJC_METACLASS_$_BWTokenFieldCell_OBJC_CLASS_$_BWTokenFieldCellBWTokenAttachmentCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWTokenAttachmentCell.o-[BWTokenAttachmentCell arrowInHighlightedState:]/Users/brandon/Temp/bwtoolkit/BWTokenAttachmentCell.m-[BWTokenAttachmentCell interiorBackgroundStyle]+[BWTokenAttachmentCell initialize]-[BWTokenAttachmentCell pullDownRectForBounds:]-[BWTokenAttachmentCell pullDownImage]-[BWTokenAttachmentCell _textAttributes]-[BWTokenAttachmentCell drawTokenWithFrame:inView:]_OBJC_METACLASS_$_BWTokenAttachmentCell_OBJC_CLASS_$_BWTokenAttachmentCell_highlightedArrowColor_arrowGradient_textShadow_blueStrokeGradient_blueInsetGradient_blueGradient_highlightedBlueStrokeGradient_highlightedBlueInsetGradient_highlightedBlueGradientBWTransparentScroller.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWTransparentScroller.o-[BWTransparentScroller initWithFrame:]/Users/brandon/Temp/bwtoolkit/BWTransparentScroller.m+[BWTransparentScroller scrollerWidthForControlSize:]+[BWTransparentScroller scrollerWidth]+[BWTransparentScroller initialize]-[BWTransparentScroller rectForPart:]-[BWTransparentScroller _drawingRectForPart:]-[BWTransparentScroller drawKnob]-[BWTransparentScroller drawKnobSlot]-[BWTransparentScroller drawRect:]-[BWTransparentScroller initWithCoder:]_OBJC_METACLASS_$_BWTransparentScroller_OBJC_CLASS_$_BWTransparentScroller_OBJC_IVAR_$_BWTransparentScroller.isVertical_slotVerticalFill_backgroundColor_minKnobHeight_minKnobWidth_slotBottom_slotTop_slotRight_slotHorizontalFill_slotLeft_knobBottom_knobVerticalFill_knobTop_knobRight_knobHorizontalFill_knobLeftBWTransparentTextFieldCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWTransparentTextFieldCell.o-[BWTransparentTextFieldCell _textAttributes]/Users/brandon/Temp/bwtoolkit/BWTransparentTextFieldCell.m+[BWTransparentTextFieldCell initialize]_OBJC_METACLASS_$_BWTransparentTextFieldCell_OBJC_CLASS_$_BWTransparentTextFieldCell_textShadowBWToolbarItem.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWToolbarItem.o-[BWToolbarItem initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWToolbarItem.m-[BWToolbarItem identifierString]-[BWToolbarItem dealloc]-[BWToolbarItem setIdentifierString:]-[BWToolbarItem encodeWithCoder:]_OBJC_METACLASS_$_BWToolbarItem_OBJC_CLASS_$_BWToolbarItem_OBJC_IVAR_$_BWToolbarItem.identifierStringNSString+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/NSString+BWAdditions.o+[NSString(BWAdditions) bwRandomUUID]/Users/brandon/Temp/bwtoolkit/NSString+BWAdditions.mNSEvent+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/NSEvent+BWAdditions.o+[NSEvent(BWAdditions) bwShiftKeyIsDown]/Users/brandon/Temp/bwtoolkit/NSEvent+BWAdditions.m+[NSEvent(BWAdditions) bwCommandKeyIsDown]+[NSEvent(BWAdditions) bwOptionKeyIsDown]+[NSEvent(BWAdditions) bwControlKeyIsDown]+[NSEvent(BWAdditions) bwCapsLockKeyIsDown]BWHyperlinkButton.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWHyperlinkButton.o-[BWHyperlinkButton awakeFromNib]/Users/brandon/Temp/bwtoolkit/BWHyperlinkButton.m-[BWHyperlinkButton initWithCoder:]-[BWHyperlinkButton setUrlString:]-[BWHyperlinkButton urlString]-[BWHyperlinkButton dealloc]-[BWHyperlinkButton resetCursorRects]-[BWHyperlinkButton openURLInBrowser:]-[BWHyperlinkButton encodeWithCoder:]_OBJC_METACLASS_$_BWHyperlinkButton_OBJC_CLASS_$_BWHyperlinkButton_OBJC_IVAR_$_BWHyperlinkButton.urlStringBWHyperlinkButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWHyperlinkButtonCell.o-[BWHyperlinkButtonCell _textAttributes]/Users/brandon/Temp/bwtoolkit/BWHyperlinkButtonCell.m-[BWHyperlinkButtonCell isBordered]-[BWHyperlinkButtonCell setBordered:]-[BWHyperlinkButtonCell drawBezelWithFrame:inView:]_OBJC_METACLASS_$_BWHyperlinkButtonCell_OBJC_CLASS_$_BWHyperlinkButtonCellBWGradientBox.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWGradientBox.o-[BWGradientBox initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWGradientBox.m-[BWGradientBox fillStartingColor]-[BWGradientBox fillEndingColor]-[BWGradientBox fillColor]-[BWGradientBox topBorderColor]-[BWGradientBox bottomBorderColor]-[BWGradientBox setTopInsetAlpha:]-[BWGradientBox topInsetAlpha]-[BWGradientBox setBottomInsetAlpha:]-[BWGradientBox bottomInsetAlpha]-[BWGradientBox setHasTopBorder:]-[BWGradientBox hasTopBorder]-[BWGradientBox setHasBottomBorder:]-[BWGradientBox hasBottomBorder]-[BWGradientBox setHasGradient:]-[BWGradientBox hasGradient]-[BWGradientBox setHasFillColor:]-[BWGradientBox hasFillColor]-[BWGradientBox dealloc]-[BWGradientBox setBottomBorderColor:]-[BWGradientBox setTopBorderColor:]-[BWGradientBox setFillEndingColor:]-[BWGradientBox setFillStartingColor:]-[BWGradientBox setFillColor:]-[BWGradientBox isFlipped]-[BWGradientBox drawRect:]-[BWGradientBox encodeWithCoder:]_OBJC_METACLASS_$_BWGradientBox_OBJC_CLASS_$_BWGradientBox_OBJC_IVAR_$_BWGradientBox.fillStartingColor_OBJC_IVAR_$_BWGradientBox.fillEndingColor_OBJC_IVAR_$_BWGradientBox.fillColor_OBJC_IVAR_$_BWGradientBox.topBorderColor_OBJC_IVAR_$_BWGradientBox.bottomBorderColor_OBJC_IVAR_$_BWGradientBox.topInsetAlpha_OBJC_IVAR_$_BWGradientBox.bottomInsetAlpha_OBJC_IVAR_$_BWGradientBox.hasTopBorder_OBJC_IVAR_$_BWGradientBox.hasBottomBorder_OBJC_IVAR_$_BWGradientBox.hasGradient_OBJC_IVAR_$_BWGradientBox.hasFillColorBWStyledTextField.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWStyledTextField.o-[BWStyledTextField hasShadow]/Users/brandon/Temp/bwtoolkit/BWStyledTextField.m-[BWStyledTextField setHasShadow:]-[BWStyledTextField shadowIsBelow]-[BWStyledTextField setShadowIsBelow:]-[BWStyledTextField shadowColor]-[BWStyledTextField setShadowColor:]-[BWStyledTextField hasGradient]-[BWStyledTextField setHasGradient:]-[BWStyledTextField startingColor]-[BWStyledTextField setStartingColor:]-[BWStyledTextField endingColor]-[BWStyledTextField setEndingColor:]-[BWStyledTextField solidColor]-[BWStyledTextField setSolidColor:]_OBJC_METACLASS_$_BWStyledTextField_OBJC_CLASS_$_BWStyledTextFieldBWStyledTextFieldCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/BWStyledTextFieldCell.o-[BWStyledTextFieldCell initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWStyledTextFieldCell.m-[BWStyledTextFieldCell shadowIsBelow]-[BWStyledTextFieldCell shadowColor]-[BWStyledTextFieldCell setHasShadow:]-[BWStyledTextFieldCell hasShadow]-[BWStyledTextFieldCell setShadow:]-[BWStyledTextFieldCell shadow]-[BWStyledTextFieldCell setPreviousAttributes:]-[BWStyledTextFieldCell previousAttributes]-[BWStyledTextFieldCell startingColor]-[BWStyledTextFieldCell endingColor]-[BWStyledTextFieldCell hasGradient]-[BWStyledTextFieldCell solidColor]-[BWStyledTextFieldCell setShadowColor:]-[BWStyledTextFieldCell setShadowIsBelow:]-[BWStyledTextFieldCell setHasGradient:]-[BWStyledTextFieldCell setSolidColor:]-[BWStyledTextFieldCell setEndingColor:]-[BWStyledTextFieldCell setStartingColor:]-[BWStyledTextFieldCell drawInteriorWithFrame:inView:]-[BWStyledTextFieldCell applyGradient]-[BWStyledTextFieldCell awakeFromNib]-[BWStyledTextFieldCell changeShadow]-[BWStyledTextFieldCell _textAttributes]-[BWStyledTextFieldCell dealloc]-[BWStyledTextFieldCell copyWithZone:]-[BWStyledTextFieldCell encodeWithCoder:]_OBJC_METACLASS_$_BWStyledTextFieldCell_OBJC_CLASS_$_BWStyledTextFieldCell_OBJC_IVAR_$_BWStyledTextFieldCell.shadowIsBelow_OBJC_IVAR_$_BWStyledTextFieldCell.hasShadow_OBJC_IVAR_$_BWStyledTextFieldCell.hasGradient_OBJC_IVAR_$_BWStyledTextFieldCell.shadowColor_OBJC_IVAR_$_BWStyledTextFieldCell.startingColor_OBJC_IVAR_$_BWStyledTextFieldCell.endingColor_OBJC_IVAR_$_BWStyledTextFieldCell.solidColor_OBJC_IVAR_$_BWStyledTextFieldCell.shadow_OBJC_IVAR_$_BWStyledTextFieldCell.previousAttributesNSApplication+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/x86_64/NSApplication+BWAdditions.o+[NSApplication(BWAdditions) bwIsOnLeopard]/Users/brandon/Temp/bwtoolkit/NSApplication+BWAdditions.mT __TEXT@@__text__TEXT__symbol_stub__TEXT__stub_helper__TEXTZ4Z__cstring__TEXTAT__const__TEXT>>__unwind_info__TEXT?H?__DATA@@__dyld__DATA@@__la_symbol_ptr__DATA@@!__nl_symbol_ptr__DATA@$@B__const__DATA@ @__cfstring__DATA@@__data__DATAHH__bss__DATAH4__OBJCP@P@__message_refs__OBJCPP__cls_refs__OBJCWW__class__OBJChXphX__meta_class__OBJC`p`__inst_meth__OBJCHi8Hi__symbols__OBJC~@~__module_info__OBJC@__instance_vars__OBJC__property__OBJC`__class_ext__OBJCPP__cls_meth__OBJCp__category__OBJC\\__cat_inst_meth__OBJC  __cat_cls_meth__OBJCl__image_info__OBJC  8__LINKEDIT p@loader_path/../Frameworks/BWToolkitFramework.framework/Versions/A/BWToolkitFramework}";⿯͓ɂ"0\\\D ̎ P  6: [6TxK~  T/System/Library/Frameworks/Cocoa.framework/Versions/A/Cocoa 4/usr/lib/libgcc_s.1.dylib 4}/usr/lib/libSystem.B.dylib 4/usr/lib/libobjc.A.dylib d,/System/Library/Frameworks/CoreServices.framework/Versions/A/CoreServices h &/System/Library/Frameworks/CoreFoundation.framework/Versions/A/CoreFoundation p&/System/Library/Frameworks/ApplicationServices.framework/Versions/A/ApplicationServices `,/System/Library/Frameworks/Foundation.framework/Versions/C/Foundation X-/System/Library/Frameworks/AppKit.framework/Versions/C/AppKitPQX0L$ (L$YXfX'UX(]ÐUX(]ÐUX(]ÐUX7]ÐUX~(]ÐUSWV ^"?&?7L$$7D$L$<$qNj*?7L$$WË7v(L$D$<$97D$L$$#~7L$$ ^_[]ÐUX>6D$ $]ÐUX']ÐUX']ÐUX']ÐUX6]ÐUX']ÐUSWV ^=>b6L$$W^6D$L$<$ANj=Z6L$$'ËV6'L$D$<$ R6D$L$$N6L$$ ^_[]ÐUXU=5D$ $]ÐUE@D]ÐUE@D]ÐUE@X]UV^.6L$$eV5L$$S^]ÐUWV^66L$D$}<$u ^_]Ë-6L$$5L$$UWV ^96=6L$D$}<$GPG@5L$$tF5D$<$5L$$D$h5D$<$D$N55L$D$<$D$D$D$  ^_]ÐUWV^4D$}<$D$4D$L$<$D$ ^_]USWV^}G@4L$$u@4D$<$D$}4D$L$<$D$ _^_[]Ë_DG@4L$$?4D$L$$)몐USWV^3D$E$MQD4D$|$$MAT:3T$$Nj:38$\$ ]\$T$$3D$ED$ H$\$L$<$vEHT 4L$T$$D$ R^_[]USWV ^3D$}<$&2L$$2L$$s 1 ^_[]Ë]3D$<$2L$$2\$L$$2L$$USWV^2D$E$~42L$$ll1L$$ZNj<91]\$T$ $8D2UT$ D$L$<$2|$D$E$^_[]USWV ^L2P2L$D$}<$uCE1L$$Ë2D$<$@1\$L$$u  ^_[]Ë2D$<$f@1\$L$$P<1L$$>UXMIH}0UT$D$ $ ]UXA0D$E$]USWV ^}G@0L$$T0!T$L$$uM0D$<$ËG@0L$$n0D$L$$XGTGT ^_[]GTUWV^E}GT+0D$L$<$'0D$L$<$D$ ^_]UV^j'J0L$$N0D$E$j'L$$^]UWV^//L$D$E$ot?}'/L$$P/D$<$>'L$$^_]ÐUSWV^EE苆6E싆r/}|$D$E$n/fL$D$<$j/D$L$$n/vL$D$<$f/D$L$$|b/L$D$<$`CXn/L$D$<$A^/D$L$$+؃^_[]ÐUED$ E D$E$D$D$D$@]UE D$E$D$ D$@]ÐUED$ E D$E$D$D$D$L]USWV^}G@Y-L$$J=-D$<$2 -]\$L$$=-D$<$q-L$$,L$$D$4M,L$$Ë=-D$<$q-L$$-L$$9-L$D$$,L$L$L$ L$D$$2A,L$$ Pt6Q-|$D$<$,D$ D$L$<$=-D$E$q-L$$-L$$,L$$},L$${A,L$$iDžDžDžDžDžDžDžDžE-T$ T$L$$D$ E1;t $ExPt)y,T$ \$D$E$ju,\$D$$HG9uE-L$ L$D$$D$ 2EH@A-T$ $ -L$$A,L$$Nj-\$ D$L$<$EH@-|$T$ ${=-D$E$fq-L$$T9-L$D$ $PEH@,T$ $ -L$$A,L$$ٿNj 4,L$ D$T$ $裿-\$ D$L$<$艿EH@,|$T$ $mq,}|$L$E$QljE@@A-L$$1,|$L$$.=-D$E$q-L$$EH@m,T$ $ξi,ut$T$ D$L$ $覾ExPlEH@A-T$ ${ -L$$iA,L$$WNj=-L$E$@q-L$$.-L$$-\$ D$L$<$EH@-|$T$ $EH@,T$ $Ƚ -L$$趽A,L$$褽 4=-L$E$能q-L$$q9-L$D$ $m,L$ D$L$<$$-\$ D$L$ $E@@,L$T$EH@,T$ $Ǽ,|$L$$諼e,L$$虼=-L$E$xq-L$$fi,UT$T$ T$L$$8E@@A-L$$ ,|$L$$ ,L$$},L$$A,L$$Ի,L$$輻Dž0Dž4Dž8Dž<Dž@DžDDžHDžLE-PL$ 0L$D$$D$!U8 EȉDž8;t $Ǻ44ExPtKQ-]\$D$$蜺-L$$芺y,D$ t$L$$p=-D$E$Uq-L$$C-L$$1u,t$L$$@;E-PL$ 0L$D$$D$̹ExPtOƋF@A-L$$螹,\$L$$肹a,D$L$4$l=-D$E$Qq-L$$?],L$$-E@@u-L$$GEEEEEEEE=-D$E$贸%-L$$蜸E-UT$ UT$L$$D$nM EȉDžE;t&%-D$$$E!-L$$,t$L$$ȷ=-D$}<$襷q-L$$蓷Ë,D$$y,D$L$$cPtHQ-T$D$$ENj,D$$+,D$L$<$@;E-ML$ ML$D$$D$ȶeČ^_[]UWV^6&L$$艶EEEEEEEEEvD$E$9E^L$$$E~ML$ ML$D$E$D$TM MEȉMEEM;t^D$E$賵$蟵EMu]ZD$<$(&2T$L$$ u+D$<$VD$L$E$ݴE@E;E~ML$ ML$D$E$D$袴EĐ^_]ÐUSWVXEuN@}|$D$ $WFXpu~@]ct$D$4$+L$$D$L$<$EEEEEEEEOD$4$蹳x7L$$衳pWUT$ UT$L$$D$sM tEEȉ|EEt;t#E7D$x$$EuE}3L$$ËOD$E$ڲL$$ȲD$L$$貲EEEEFu;|TWML$ ML$D$p$D$fuc}|$D$<$BËD$E$+D$L$$c|$D$<$L$$D$Ĝ^_[]Ëuc}|$D$<$辱ËG@L$$觱D$L$$葱c|$D$<${L$$D$awEUWV^ $L$$'\L$$L$$0D$E$HDž8Dž<Dž@DžDDžHDžLDžPDžTD$E${(L$$c XL$ 8L$D$ $D$)~@ $Eȉ,Dž4@$;t D$($ѯ$软<4<D$<$訯 T$L$$茯D$<$r T$L$$Vu`D$<$@ T$L$$$u.D$<$D$L$0$4@4;,XL$ 8L$D$ $D$襮EEEEEEEED$E$K$UT$ UT$L$$D$rM (Eȉ,Dž4E(;tD$E$έ$躭E4<D$<$設 T$L$$茭D$<$r T$L$$Vu`D$<$@ T$L$$$u.D$<$D$L$0$4@4;,ML$ ML$D$$$D$諬0^_]ÐUSWV,^XD$}<$nL$$\TL$D$E$[$EML$ D$L$$E܋G@tL$$E؋G@tL$$tw}G@L$$ƫ$L$$贫\L$$被Ë4U؉T$ U܉T$D$$耫G@\$L$$g,^_[]ÐUWV^}Lu,L$$/|$$D$L GLL$$)L$$^_]ÐUSWVXEEEEEEEEEMIDMUT$ UT$D$ $D$nM M0ۅEȉM1EM;tE@D$)EM_}|$L$$ffDF;uuEML$ ML$D$E$D$Щlt@uFD}]\$L$$袩D$L$4$D$ 脩Č^_[]ÐUSWVXEEEEEEEEEMIDMCUT$ UT$D$ $D$M M0ۅEȉM1EM;tE@D$赨EM}|$L$$蜨ffDF;uuECML$ ML$D$E$D$\lt@uFD}S]\$L$$.[D$L$4$D$ Č^_[]ÐUWV ^L$$ާNjD$E$ǧL$$赧S WD$L$ ED$T$<$茧EHD_T$ $tEHH_T$ $\EHL_T$ $DEH@_T$ $,EEESD$E$ ^_]ÐUSWV^EEEEEEEED$E$衦EUT$ UT$L$$D$vM MEȉM1EM;tD$E$8$$E[UT$D$$SWL$D$$G;}uML$ ML$D$E$D$ĥVČ^_[]USWV^\D$}<$芥Ë(D$$vrkE D$L$$XXL$$FÉ}苆<E싆\$D$E$%G@\$L$$^_[]UWV^ L$$դ L$$ä L$$豤EEEEEEEEE D$E$aE L$$LE ML$ ML$D$E$D$>M MEȉMEEM;t D$E$ۣ$ǣEM< D$<$踣r T$L$$蜣u} D$<$膣r T$L$$juK D$<$Tr ~T$L$$8u |$D$E$E@E;E ML$ ML$D$E$D$v D$E$âu 1Đ^_]Ën UT$D$E$藢Nj D$E$耢 L$$n |$L$$XUSWVX Ex@xP - L$D$}<$) D$L$<$Dž0Dž4Dž8Dž<Dž@DžDDžHDžL! PT$ 0T$L$$D$h8 Eȉ18;t $4< %$虠% D$L$<$tML$<$D$@ F;u ! PL$ 0L$D$$D$葠7 5$ % D$L$E$\A] }|$D$<$;G@ L$$& L$$u|p@  L$$M L$$ L$D$$ݟ L$ D$D$4$蔟  L$$v D$}<$[M L$$I   D$L$t$ |$T$$EEEEEEEE  D$E$! UT$ UT$L$$D$蒞M EȉDžE;t#  D$E$=$)E4ExD T$4$  D$T$<$ExH D$4$ݝ D$ t$L$<$Ý;F؋! ML$ ML$D$$D${ }|$D$<$T D$<$BG@5 L$$-t1@@ L$$ L$$X = D$}<$D$՜ D$L$<$远 5$?% D$L$E$蒜EH@  T$ $l L$$Z L$$HNjEH@5 T$ $.Ë L$E$M L$$ L$$ \$ D$L$<$ٛEH@ |$T$ $轛EH@ T$ $襛 L$$蓛 L$$聛NjEH@5 T$ $g L$E$FM L$$4 L$D$ $0 (,L$ D$L$$ \$ D$L$<$ǚE@@ |$L$$諚^_[]Ëu~DF@ 5 L$$1 D$L$<$i D$L$4$SUWV ^EE EaML$D$E$ %L$$]L$$|$$D$D軙 %L$$赙]L$$裙|$$D$H}GTGPY|$D$<$nQUL$D$<$D$D$D$ : ^_]ÐUSWV,^EE苆 E싆ND$E$E䋆JT$T$ T$L$$D$輘NjJT$T$T$ T$L$$D$rËF|$D$E$WDE,^_[]ÐUSWV^}}苆E싆|UT$D$E$xD$<$t\$ D$L$E$חpL$<$ŗtT$ D$L$E$袗OXl\$ L$T$M ${hD$<$itt$ D$T$M $F^_[]UE@@@@@ ]UWV ^EEEgML$D$E$tTkoL$D$<$轖t4L$D$<$D$D$D$ 腖 ^_]UWV ^L$D$}<$OtsD$<$9L$$D$1]fM.u6z4L$D$<$D$D$D$ ؕD$<$ƕL$$贕t^D$<$螕T$L$$肕t,D$<$lL$$D$R ^_]ÐUV^D$E$(L$$D$ D$B^]UE@@@@@ ]UWV ^EEE)ML$D$E$觔t,YD$<$艔UL$$D$o ^_]U]U]ÐUV^D$E$4Dȋ^]ÐUWV0^L$$UD$E$ܓEtdx |$ x|$x|$$t$T$L$D$(D$$?D$ D$0^_]Ëx |$ x|$x|$$t$T$L$D$(D$$?D$ D$讒USWV,^EXED$}<$ܒT$L$$]t"D$<$D$ AD$ A藒D$<$腒t-D$E$lD$L$<$VNjEE苆E싆K L$KL$KL$ L$ M$L$|$D$E$,^_[]USWV^pL$$ՑD$L$<$近NjxL$$襑ËL$D$<$臑D$L$$qL$$GxL$$GËL$D$<$)D$L$$L$$xL$$Ë$L$D$<$ːD$L$$赐L$$苐xL$$苐Ë4L$D$<$mD$L$$WL$$-xL$$-ËDL$D$<$D$L$$L$$ϏxL$$ϏËTL$D$<$豏D$L$$蛏L$$qL$$q`L$$_L$$5L$$D$ ?D$?%`L$$L$$^_[]ÐUSWV^L$$юL$$迎L$$譎NjEE苎vM싎L$M $荎D$L$<$qJ~T$ $D$0AI\$ D$L$<$/ND$E$\$ D$L$<$^_[]U8XEXEM MoMM$L$M L$ML$ML$M(L$ ML$ D$ED$E$臍8]U]U]ÐUWV^7D$E$=Nj?L$$#3D$L$<$ ^_]ÐUSWV^D$}<$ތËL$$ČD$L$$讌t7D$<$蘌uAt$<${^_[]ËD$<$aDȋыt$<$D$ ?D$F?*USWV^L$$6L$$L$$݋NjEE苎M싎L$M $轋D$L$<$衋~L$E$脋\$ D$L$<$jL$E$UzufL$$D$0A)\$ D$L$<$D$ T$L$<$^_[]ËL$$D$0AÊ\$ D$t$USWV^\L$$聊D$L$<$kNj$L$$QËL$D$<$3|D$L$$\L$$$L$$Ë L$D$<$Չ|D$L$$迉hL$$蕉$L$$蕉Ë0L$D$<$w|D$L$$adL$$7$L$$7Ë@L$D$<$|D$L$$`L$$و\L$$D$шhL$$D$豈dL$$D$葈`L$$D$qThL$$Y L$$GPL$$TdL$$D$ ?D$?  L$$TL$$ч`L$$чL$$过XL$$蕇XL$$D$ D$腇^_[]ÐUSWVL^E E(XMM**L$$>fnE\EZYZMXX&ZMM$}D$}<$߆.L$<$m]†MX6M.EEEt}>D$<$tg.:N L$NL$NL$6t$ED$$ED$ ED$D$<$D$ .D$<$u>D$<$.D$<$҅u>D$<$輅.D$<$袅tx>D$<$茅ub6:r t$rt$rt$T$ED$$ED$ ED$L$$D$ &L^_[]Ë2*UWV0^D$}<$E MtX}Uq t$qt$qt$ L$D$T$E$葄0^_]USWVL^bD$E $`}t^E E苆bE싶G D$GD$GD$?|$}(|$ }|$ t$ut$u4$H^_[]>VL$$RL$$уÉ$I$D$?E EbE䋆O L$OL$OL$L$M(L$ ML$ D$ED$EЉ$o$ԂEЋEE@E@E@ L$U]U]ÐUV^D$E$Dȋ^]ÐUSWV,^L$$賂UD$}<$蛂ËD$<$臂ۍMt}tey |$ y|$y|$ $t$T$D$D$(D$$?D$ D$蹁,^_[]Ë뙄t끋y |$ y|$y|$ $t$T$D$D$(D$$?D$ D$(jUSWVL^D$E$dlj}܋D$<$D$=2D$<$+zT$L$$t$.D$$D$ AD$ A*D$E܉$Ҁt1&D$E$蹀"D$L$E܉$蠀E܋JL$$腀Ǎ]C D$ D$<$D$[D$<$D$ D$?9D$<$'K L$KL$KL$ L$ D$ED$E$Q T$$QT$ QT$ L$ML$ML$ML$ ML$D$E܉$D$,?D$(~D$<$yD$<$gL^_[]ÐUSWV<^} }苆E싆\M L$ML$ML$ML$ D$ED$E؉$EX E܋PD$<$~]PD$<$~PD$<$~PD$<$~PD$<$r~PD$<$W~tPD$<$@~uEX$EEECECEC <^_[]EXEEX E말USWV^>L$$}D$L$<$}NjFL$$s}ËrL$D$<$U}D$L$$?}L$$}FL$$}ËL$D$<$|D$L$$|L$$|FL$$|ËL$D$<$|D$L$$|L$$Y|FL$$Y|ËL$D$<$;|D$L$$%|L$${FL$${ËL$D$<${D$L$${L$${FL$${ËL$D$<${D$L$$i{L$$?{FL$$?{ËL$D$<$!{D$L$$ {L$$zFL$$zËL$D$<$zD$L$$zL$$zvL$$z.L$$qzL$$GzvL$$D$ ?D$?7z.L$$%zL$$y^_[]ÐUSWV^L$$yL$$yL$$yNjEE苎HM싎L$M $yD$L$<$y\T$ $D$0A[y\$ D$L$<$Ay`D$E$$y\$ D$L$<$ y^_[]USWV<^} }苆>E싆M L$ML$ML$ML$ D$ED$E؉$xEXEEXEEXED$<$_x]D$<$BxD$<$'xD$<$ xD$<$wD$<$wu+D$<$wuSEXE?D$<$wtD$<$}wuEXEEECECEC <^_[]U]U]ÐU]U]ÐU(XMAhMM;ML$ED$ ED$D$E$v(]ÐUSWV ^L$$vNjD$E$~v9*L$$XvD$L$<$BvNj2L$$(vËL$D$<$ vD$L$$uL$$u2L$$uËL$D$<$uD$L$$uL$$lu2L$$luËL$D$<$NuD$L$$8uL$$u2L$$uËL$D$<$tD$L$$tL$$t2L$$tËL$D$<$tD$L$$|tL$$Rt2L$$RtË.L$D$<$4tD$L$$tL$$s2L$$sË>L$D$<$sD$L$$sL$$s ^_[]U(XMAhMGMM$L$M L$ED$ED$ED$ ED$D$E$=s(]USWV<^} }苆E싆X]\$ D$ED$E؉$rhD$<$rE1EE@E@E@ <^_[]EXEML$ML$ M܉L$M؉L$D$$D$r8럐USWV<^~D$}<$$rGh}ut.2>:EOMD$$qfnM\Y $q}O M(XWU苆D$$qfnM\Y $q~D$E$]m]U\UXU2qEXEXE~XEEXE苆rED$ ED$D$$D$p<^_[]Í6USWV\^EEEEEEEE܋bL$$epUfnM.v2\YEE $Xp]EXEEEXEEXEЋD$E$o~ nM\MXEE؋6D$E$o]܉\$ ]؉\$]ԉ\$]Љ$] \$(fD$$|$T$L$D$ D$nL$E$.oD$E$o1|$ D$]\$E$nZnL$$nL$$nED$ ED$ED$E$XnD$$Gn9x\^_[]ÐUSWV^EE苆E싆ML$D$}<$BnËD$$D$ nCh]苆E싆D$<$D$m؃^_[]UEƀ]ÐUE@\]ÐUE@[]UE@Z]UEMAZ]UE@|]ÐUEMA|]UEMAY]UE@X]USWV^EE苆DE싆}|$D$E$BmL$D$<$mlD$L$$mL$D$<$lhD$L$$l(L$D$<$ldD$L$$l8L$D$<$}l`D$L$$glHL$D$<$Kl\D$L$$5lXL$D$<$lXD$L$$lThL$D$<$kPD$L$$kxL$D$<$kLD$L$$k]苆DE싆HD$}<$kD$L$$ek]苆DE싆\$D$<$Ik؃^_[]ÐUSWV^L$$D$ ?D$%?kL$$j>L$$jL$$D$ ?D$}?jL$$jJL$$yjL$$D$ ?D$^?ijL$$WjNL$$-jL$$-j2JN|$ T$L$$j:L$$iL$$iD$L$<$iNjL$$iË ZL$D$<$iD$L$$siBL$$IiL$$IiË jL$D$<$+iD$L$$iFL$$hBL$$D$hFL$$D$h^_[]ÐUED$ E D$E$D$D$D$`h]UED$ E D$E$D$D$D$deh]UED$ E D$E$D$D$D$h)h]UED$ E D$E$D$D$D$lg]UED$ E D$E$D$D$D$pg]UE D$E$D$ D$p`g]ÐUED$ E D$E$D$D$D$tGg]UE D$E$D$ D$tf]ÐUED$ E D$E$D$D$D$xf]UE D$E$D$ D$xf]ÐUED$ E D$E$D$D$D$sf]UE D$E$D$ D$"f]ÐUED$E$D$\e]ÐUWV^}GTWL$$eG`WL$$eGdWL$$eGhWL$$eGlWL$$eGpWL$$meGtWL$$XeWL$$@eGxWL$$+e}EKD$E$e^_]ÐUWV^}lu,AL$$d|$$D$ldGlaL$$dL$$d^_]ÐUWV^}hu,L$$ad|$$D$h;dGhL$$8d[L$$&d^_]ÐUWV^}du,]L$$c|$$D$dcGd}L$$cL$$c^_]ÐUWV^}`u,7L$$}c|$$D$`WcG` L$$TcwL$$Bc^_]ÐUWV^}Tu>}L$$ cL$$b|$$D$TbGTL$$bL$$b^_]ÐUSWV ^}GT]9t8L$$bD$$vb|$$D$TPbD$<$D$Hb ^_[]UXMUJXD$$D$b]UWV ^D$}<$at  ^_]É}E􋆯D$E$a]Ef.UWV ^}}oEML$D$E$maD$<$Ua ^_]USWV^}_\,,L$$!a0D$L$$ at<t$<$`^_[]ËG\T$L$$`u;}tD$E$`EM\D$L$ ML$USWV<^D$}<$_` D$<$G`L$$5`D$L$$`8D$<$`ED$D$$_DžDžDžDž DžDžDžDžE@t4L$$`_$Q L$ L$D$$$D$&_ 0f<E1ۋ0;t D$4$^$^!L$$^ٝC9<XA)ED$E$A uoD$}<$@ߩL$$@Ë߫D$<$@ߩL$$@9EEEEEEEEoD$$r@t3UT$ UT$L$$D$D@+M x|EEx;t EoD$E$?$?EM4}oD$]$?Ct$L$$?Et$D$$?E߫D$$?שut$L$$y?L$$g?8EuUE@E;|+3ML$ ML$D$t$D$?|0Ĝ^_[]ÐUSWVl^D$]$>sL$$>D$L$<$>L$$>L$$k>Dž0Dž4Dž8Dž<Dž@DžDDžHDžLD$$>ǧPL$ 0L$D$$D$=8 fEȉ18;tD$E$p=$\=4#\$D$E$F=tXD$E$-=iD$\$$!=XG;HǧPL$ 0L$D$$D$<EEEEEEEED$E$T<ǧUT$ UT$L$$D$&<M EȉDžE;tD$E$;$;E<D$E$;ק|$L$$;#|$L$E$y;ËL$E$b;ۋL$|$ $N; f.^;T$|$ $:NjD$D$ $:|$ D$L$ $:C|$ $D$p:D$L$ $T:L$|$ $I:,;|$L$$9NjD$L$$9|$ D$L$$9CL$$D$9D$L$$x9@;fǧML$ ML$D$$D$19T$D$}<$ 9T$D$<$8T$D$<$8l^_[]fD$\$$8L$|$ $8?fWL$|$ $S8USWVL^Exdd]\$L$$7hD$L$<$7VEExld]\$L$$7hD$L$<$7,L$$x7NjD$E$s7]̃EEģD$}<$H7},D$<$!7L$$7L$<$m]HfnV\ZYEE6D$D$E$6E\EZZM^$YZ$6L^_[]DEEEE܋t$u4$[6ʼnD$ED$EЉ$I6EzUSWVL^Ex`f]\$L$$5jD$L$<$5REExhf]\$L$$5jD$L$<$5$L$$z5Nj D$E$u5]̃EEơD$}<$J5}.D$<$#5L$$5L$<$m]HfnV\ZYEE4u|D$D$E$4E\EZZM^&YZ$4L^_[]fEEEE t$u4$e4ɉD$ED$EЉ$S4E끐USWV ^D$}<$ 4]tҞD$$3u6D$<$3uҞD$$3$ 1 ^_[]ÐUSWV^EEEEEEEED$E$I3EsUT$ UT$L$$D$3M MEE1ۋEM;tD$E$2$2EϞD$L$E$2EC9usML$ ML$D$E$D$z2kEČ^_[]EUWV^}G\T$L$$*2tEO\D$T$ $ 2^_]ÐUSWV\^}[ttD$<$1ËpD$<$1ۋĚ0L$D$E$1fM.v\D$<$D$x1}[uaD$<$^1ËpD$<$J1ۋĚL$D$E$A1 ZMf.D$<$0tD$<$0МD$<$D$0G\TT$L$$0tG\ut$L$$0\^_[]ÉL$D$M $0fML$D$MЉ $g0 ZM!\D$<$D$UWV@^} G\sӚT$L$$/Eu2M@A@A@ A @^_]M(W\Ӛy |$,y|$(y|$$ L$ H L$HL$HL$D$E8D$0ED$ t$T$E$l/<뒐USWV^D$}<$*/L$D$<$/uXG\T$L$$.t5_\,,L$$.0D$L$$.tEEE^_[]ËEMW\D$ED$ L$t$$.ȐUSWV^E@\'T$L$$8.th|s_ \$_\$_\$?|$}|$ L$$D$(D$$UWV0^pD$}<$][f.EEvXt;OTt4px |$x|$x|$ D$t$ $0^_]É}w}􋶏px |$x|$x|$ D$t$E$E뻋pP T$PT$PT$ D$L$<$UV^soL$$oL$$ٞd^]ÐUSWV^}}苆vEG\hlD$L$E$}苎vM싎mUT$L$M $noD$<$Vl\_L$ D$\$E$3oL$<$!ll_T$ ЉT$L$E$oL$<$l|_T$ D$L$E$oL$<$l_T$ D$L$E$oL$<$l_T$ D$L$E$\oL$<$Jl_T$ D$L$E$'oL$<$|o_T$ D$L$E$xoL$<$l_T$ ЉT$L$E$}苆vE싆oD$E$hlD$L$<$}苎vM싎hl|$L$E$d^_[]UE@`]ÐUSWV^EE苆HtE싆j}|$D$E$(m]L$D$<$C`j]L$D$<$mD$L$$j]L$D$<$mD$L$$؃^_[]ÐUSWV ^o^pVhL$$KRhD$L$<$5NjoNhL$$ËJh\L$D$<$FhD$L$$aL$$oNhL$$ËJh\L$D$<$FhD$L$$aL$$_oNhL$$_ËJh ]L$D$<$AFhD$L$$+aL$$oNhL$$ËJh]L$D$<$FhD$L$$aL$$ ^_[]ÐUED$ E D$E$D$D$D$t]UE D$E$D$ D$tH]ÐUED$ E D$E$D$D$D$x/]UE D$E$D$ D$x]ÐUWV^}Gt9gL$$Gx9gL$$}pE-fD$E$^_]ÐUWV ^fD$}<$WiL$$D$=}ypEyiD$E$" ^_]UWV ^fD$}<$iL$$D$}pEiD$E$ ^_]USWV^hD$}<$}iD$<$}hD$<$k۽|iD$<$S5hD$<$m]m]ۭ|]]E\EZEE\EZ|]ieD$|$E$EEhD$$۽phD$$iD$<$ۭp]]]|M^UYXE\E^YZXEZhD$D$<$!hD$<$ËhD$<$h\$ D$L$<$Ĝ^_[]ÉD$|$EЉ$EEUSWV^}}苆mE싆f]\$D$E${Gtf\$L$$\Gxf\$L$$C^_[]ÐUSWV^}GtefL$$GxefL$$`uyE@wnbD$|$EЉ$EX]QEEXaQEЋdM܉L$M؉L$MԉL$ MЉL$D$<$|E@`ww}uqbD$}|$E$dEXeQEEXiQEdML$ML$ML$ ML$D$<$} }!j bL$$NjQ[cL$$ӋQ[cL$$DžpDžtx|Ib|L$xL$tL$ pL$D$<$=}|$$D$tGtafL$$D$ Gt]fQ[T$L$$Gtb|$L$$GtbYfT$L$$GtcL$$ieL$$D$!j bL$$klU[cL$$MhU[cL$$/ËifD$|$E$,EXEXaQEE]hEIbML$ML$ML$ ML$D$l$|$$D$xGxafL$$D$Gx]fU[T$L$$cGxb|$L$$JGxbUfT$L$$+GxcL$$ieL$$D$Gt5bD$L$<$Gx5bD$t$!j bL$$NjY[cL$$ӋY[cL$$EEE]IbML$ML$ML$ ML$D$<$?}|$$D$tGtafL$$D$ Gt]fY[T$L$$Gtb|$L$$GtbYfT$L$$GtcL$$ieL$$D$!j bL$$ml][cL$$Oh][cL$$1ËifD$|$E$.EXEXaQEE]ȋhE̋IbM̉L$MȉL$MĉL$ ML$D$l$|$$D$xGxafL$$D$Gx]f][T$L$$eGxb|$L$$LGxbUfT$L$$-GxcL$$ieL$$D$Gt5bD$L$<$Gx5bD$L$<$EMH`Ĭ^_[]USWVL^^D$}|$E$EGdEGhEGlEGp&_D$<$P&_D$<$5Gt^L$$D$ @D$A_x^D$|$E$EXE\I^D$D$$D$ @GlXIGlIXGdGd6\D$<$^WpT$WlT$WhT$ WdT$|$L$$NL^_[]ËGt^L$$D$ @@D$@!_x^D$|$EЉ$EXE\IXvI^D$D$$D$ @@ USWV\XE6]D$E$Qu]ED$ ED$D$}<$D$cEӋGtYL$D$E$ZẺD$EȉD$EĉD$ ED$\$E$t]Ct\^_[]fnEfnMM@x񋉊YL$D$EЉ$E܉D$E؉D$EԉD$ EЉD$ED$M $NtE@x뀋EEEcM싀 ]ED$ ED$D$E$S>EEEcM䋀 ]ED$ ED$D$E$USWV^L[D$}<$\[\$D$<$T[D$<$ËX[D$<$P[\$ D$L$<$^_[]USWV^ZD$}<$rZ\$D$<$JZD$<$8ËZD$<$$Z\$ D$L$<$ ^_[]UWV^WD$}<$aZUT$L$$XD$<$D$^_]ÐUV^$WD$E$ZL$$p^]USWV^}}苆h`E싆VUT$D$E$6YD$<$YI\$ D$L$E$YL$<$VIT$ D$L$E$YL$<$VIT$ D$L$E$^_[]ÐU1]ÐU]ÐU1]ÐU]ÐU]UE@l]ÐUEMAl]U(XMAhMy_MmVML$ED$ ED$D$E$(]ÐUSWV ^[SL$$NjSD$E$9 \[[SL$$SD$L$<$tNjd[SL$$ZËSHL$D$<$<SD$L$$&(ML$$d[SL$$ËSHL$D$<$SD$L$$ ML$$d[SL$$ËSHL$D$<$SD$L$$j$ML$$@d[SL$$@ËSHL$D$<$"SD$L$$ ML$$d[SL$$ËSHL$D$<$SD$L$$ML$$ ^_[]U(XMAhM\MSM$L$M L$ED$ED$ED$ ED$D$E$+(]USWV<^}hNJJJDȋEEMM苆RD$$fnM\Y? $}MM(XUU苆RD$$fnM\Y? $m]]lEXEEU\UUu(X?E苆JSED$ ED$D$$D$<^_[]USWVL^EEEEEEEE}_l&IQL$$fnŠ] E+(E@ \Y>MM$]MXMMEX*?EEX.?EvQD$<$.I&I*ItSut$ ut$ut$u4$t$(T$L$D$D$$?D$ D$PL^_[]Ëut$ ut$ut$u4$t$(T$L$D$D$$?D$ D$X>USWV^}}苆YE싆O]\$D$E$ RD$<$zOCT$ D$L$$^_[]ÐUSWV^EE苆 YE싆*O}|$D$E$tSOBL$D$<$:RD$L$$gPD$$D$MCh؃^_[]ÐUE@@@@@ ]UWV ^EEwXEgNML$D$E$tTkNoNL$D$<$t4NNL$D$<$D$D$D$ ^_]UWV ^MML$D$}<$OtsMD$<$9ML$$D$1]fM.u6z4MML$D$<$D$D$D$ MD$<$ML$$t^MD$<$MMT$L$$t,MD$<$lML$$D$R ^_]ÐUV^LD$E$(LL$$D$ D$A^]UXDD]UE@X]ÐUE@R]UEMAR]UE@P]UEMAP]UE@Q]UE@T]ÐUSWV^EE苆$VE싆K}|$D$E$bK?L$D$<$6dOD$L$$K?L$D$<$`OD$L$$K?L$D$<$\OD$L$$tN?L$D$<$XOD$L$$؃^_[]ÐUSWVLXEQ,KT$ $D$ ?D$J?<MJT$$'MBT$$MQ,Kt$$D$ ?D$*?MJT$$MBT$$MQ,Kt$$D$ ?D$}?MJT$$}MBT$$PMQ,Kt$$D$ ?D$r?=MJT$$(MBT$$MQ,Kt$$D$ ?D$f?MJT$$MBT$$MQ,Kt$$D$ ?D$f?MJT$$~MBT$$QMQ,Kt$$D$ ?D$?>MJT$$)MBT$$MQ,Kt$$D$ ?D$>?MJT$$MBT$$M@QLIt$$MHNMMBBBB\$,|$ t$T$UT$$D$4?D$0D$(/?D$$D$/?D$D$D$ D$8MBT$$MQ,Kt$$D$ ?D$MJT$$MBT$$MQ,Kt$$D$ ?D$?MJT$$lMBL$$?L^_[]ÐUED$E$D$X]ÐUWV^}GX{FHT$L$$u 1^_]ËEMWXHD$ L$t$$ѐUWV ^}GXFGT$L$$u 1 ^_]ËEMUXGD$L$ T$t$<$[UWV@^} GXE GT$L$$&Eu2M@A@A@ A @^_]M(WX Gy |$,y|$(y|$$ L$ H L$HL$HL$D$E8D$0ED$ t$T$E$<뒐UWV ^}GXD;FT$L$$TEuEE ^_]ËEMWX;FD$D$ L$t$$%ΐUWV^}GXcDET$L$$u 1^_]ËEMWXED$ L$t$$ѐUWV ^}GXCDT$L$$zEu FL$$a ^_]EMOXDD$L$ D$t$ $+ȐUWV ^}GX{CDT$L$$EuEE ^_]ËEMWXDD$D$ L$t$$ΐUWV ^}GXCsDT$L$$EuEE ^_]ËEMWXsDD$D$ L$t$$UΐUSWV^ED$E $}9+A|$}|$}<$ EEA|$} |$M $E\EEoED$|$E$E\EEED$<$zËED$<$fۋA|$D$}Љ<$]EXEX{0EoEt$u t$u4$'EMuMNFpAF UE @XBDT$L$$ua1M@A@A@ A Č^_[]|$D$}<$EE1E @XD|$UT$ t$D$u4$JĈUSWV^CD$}<$ËBD$$9u?D$$D$}苆JE싆x?D$E$^_[]ÐUSWV ^}]tZt>tCD$$D$ixCD$$D$OKtCD$$D$tCD$$D$xCD$$D${TxAD$$D$ ^_[]ÐUWV0^E}GQ>udD$|$E$@ED$D$<$D$ A7@D$<$D$^0^_]ÉD$|$E؉$\@ED$D$<$D$ A0USWV ^1EHAD$<$Nj E<L$$?D$L$<$tNj E<L$$?D$L$<$uz؃ ^_[]USWV ^@D$}<$NË AD$<$:|<L$$(ۉt<t$$ ^_[]Ë@D$<$P=D$L$$ΐUSWV ^@D$}<$u 1 ^_[]Ë\@D$<$Ë@D$<$;L$$pX@L$$^9UWV^@D$}<$1t+?D$<$@D$L$<$^_]ÐUSWV^;D$E$q;L$$;D$}<$i;L$$D$EEEEEEEE;D$<$:;ML$ ML$D$$D$M EȉDžE ;t;D$E$$EML$ML$ML$ML$ML$ ,ȉL$D$<$D$(D$$D$ ^_[]USWV,^9ML$ML$ML$ML$}|$ D$] $D$(D$$D$ D$9ML$ML$ML$ML$|$ D$$D$(D$$D$ D$Q9ML$ML$ML$ML$|$ D$$D$(D$$D$ D$,^_[]ÐUSWV|^(9D$}|$]$QYC D$CD$ CD$D$E$D$?D$(EEEEEEEE̋8.8ỦT$UȉT$UĉT$ UT$L$$D$C!ExQ@.|8S T$ST$ST$T$UT$ L$$D$(D$$D$ D$ExPXCX8$EE@E@E A9D$E$mtE@9D.U܉T$U؉T$UԉT$ UЉT$L$D$E$'M܉L$M؉L$ MԉL$MЉL$M $D$D$?9H.}|$}|$}|$ }|$T$L$M $9K L$KL$KL$ L$D$}<$Q L.|8S T$ST$ST$T$UT$ L$$D$(D$$D$ D$L.|8{ |${|${|$;|$}|$ L$$D$(D$$D$ D$L.|8S T$ST$ST$T$|$ L$$D$(D$$D$ D$m|^_[]C KS]UMX#E<.USWV^84L$$4L$$؋5D$E$ Nj4D$<$5D$E$4D$<$4D$<$iË91L$$O4D$L$$981L$$4D$L$<$5D$<$Ë91L$$4D$L$$81L$$4D$L$<$4D$<$iEÉ߅tl5D$<$1Jt⋞5\$<$4Ë91L$$4D$L$$1t5\$끋5ML$|$}1UT$D$<$5D$E$^_[]Ë5&USWV^}}苆(:E싆/UT$D$E$fX3D$<$N/#\$ D$L$E$(T3L$<$/#T$ ЉT$L$E$P3L$<$/#T$ ЉT$L$E$L3L$<$L2#T$ D$L$E$^_[]ÐUWV ^EE 9E􋆍-ML$ML$ML$ ML$D$E$2t`M5%1L$$!1L$$؋I2D$<$D$E2D$<$D$ ^_]ÐUE@]]UEMA]]UE@\]UEMA\]UWV ^EEG8E-ML$D$E$Ut*g4_1L$$1uG`?Gd? ^_]G`GdU(XM M7M,D$ED$E$EAEEE@E@@ A(]UWV ^50D$}<$s}U7E􋆁.ML$D$E$Q ^_]U]U]ÐUEEE@E@E @ ]USWV<^,D$E$/L$$T,/T$L$$,D$E$/L$$/L$$o}Ep$.}W T$WT$WT$ T$L$$D$B%t$E싎,L$M $._ \$_\$_\$\$D$ T$E$D$(D$$D$ D$x$E싎,L$M $._ \$_\$_\$\$D$ T$E$D$(D$$D$ D$Ax$E싎,L$M $#.W T$WT$WT$T$D$ L$E$D$(D$$D$ D$E$E싎,L$M $._ \$_\$_\$\$D$ T$E$D$(D$$D$ D$S$E싎,L$M $5._ \$_\$_\$\$D$ T$E$D$(D$$D$ D$$E싎,L$M $ÿ.W T$WT$WT$T$D$ L$E$D$(D$$D$ D$oEs,D$E$PT,/T$L$$4:,D$E$/L$$tut$E,L$M $.Uz |$z|$z|$T$D$ L$E$D$(D$$D$ D$茾,D$E$w/L$$etot$,D$E$F.Ur t$rt$rt$T$D$ L$<$D$(D$$D$ D$<^_[]E~|$E싎,L$M $ý.}_ \$_\$_\$\$D$ T$E$D$(D$$D$ D$l$E싎,L$M $N._ \$_\$_\$\$D$ T$E$D$(D$$D$ D$$UV^r&D$E$̼~zDȋ^]ÐUSWV^<,$L$$苼%L$$y|$L$$gNjEE苎0M싎@&L$M $G<&D$L$<$+)L$E$T%\$ D$L$<$\,8&L$$D$0A̻T%\$ D$L$<$費T%DD$ T$L$<$芻^_[]USWVLXE&+6%T$ $D$ ?D$}?FM$T$$1M"T$$M&+6%t$$D$ ?D$r?M$T$$ܺM&T$$诺M&+6%t$$D$ ?D$f?蜺M$T$$臺M*T$$ZM&+6%t$$D$ ?D$f?GM$T$$2M.T$$MJ+V#t$$MR(MM"&*.\$,|$ t$T$UT$$D$4?D$0D$(/?D$$D$/?D$D$D$ D$8tMT$$GM&+6%t$$D$ ?D$J?4M$T$$MT$$M&+6%t$$D$ ?D$*?߸M$T$$ʸMT$$蝸M&+6%t$$D$ L>D$芸M$T$$uMT$$HM&+6%t$$D$ ?D$?5M$T$$ MT$$M&+6%t$$D$ 33>D$M$T$$˷MT$$螷M&+6%t$$D$ ?D$ =苷M$T$$vM T$$IM z(t$$D$?>M$T$$)MT$$M&+6%t$$D$ ?D$>M$T$$ԶMT$$觶Mz(t$$D$?蜶M$T$$臶MT$$ZM&+6%t$$D$ >D$GM$T$$2MT$$M&+6%t$$D$ ?D$>?M$T$$ݵMT$$谵M2+V#t$$譵M$T$$蘵MT$$kMb%t$$D$ D$XM&+6%|$$D$ @?D$?'Mv(D$L$4$L^_[]USWV<^D$}<$|T$L$$ƴ]t"D$<$D$ AD$ A蝴D$<$苴!D$$quD$$Zt\!D$$CD$L$<$-Nj!D$<$D$4L$$]苆(EEH L$HL$ HL$D$E؉$D$?D$fML$ML$M܉L$M؉L$ M$L$|$D$E${<^_[]ÐUV^D$E$JDȋ^]ÐU8XM M!'M!M L$ML$ML$ML$ D$ED$E$ED$ED$ ED$ED$E$D$?D$U8]USWV<^}}苆&E싆ML$ML$ML$ ML$M L$D$E$HJD$<$0tz]6L$$K L$KL$KL$ L$ D$|$E؉$ED$ ED$E܉D$E؉$D$v<^_[]USWVl^(M$L$M L$ML$ML$ D$E(D$}<${E$D$E D$ ED$ED$E$߰EEMMMM MM$},]t<D$E($GtXGXG XG EGE$O L$OL$OL$L$ D$E(D$EЉ$芰EEGEGEG }0t#},*M\Xp,ً|!TL$$PL$$}|!TL$$گPL$$m]ԯ]Ȁ},*^EOMM*M^MMMXMMXO U\MUE!L$$BNjD$<$D$EXEEED$ EXED$D$<$ED$ ED$D$<$®D$E$譮D$<$蛮l^_[]MZMXMMXO\MMEUSWV<^D$E$D$0L$$NjL$E$D$~L$$Ë2T$ $ӭz*ED$ *ML$L$$裭&L$$葭NjD$<$}jL$$UY2USËfUT$ 2Y]]\$D$$v}d$D$$]W]f]\$ UWT$D$$豬^D$$蟬EEEEMM싆D$E$D$`rUT$UT$UT$ UT$L$$2D$<$ <^_[]UWV0^D$}<$EEEUD$<$ͫNjID$<$蹫ED$E$褫ED$ ED$ED$E$D$@ED$<$jD$<$X0^_]ÐUE@]UEMA]UEP@]UEE@E@]UWV ^EE+ED$E$aWL$D$E$豪D$L$<$蛪WT$L$E$| OD$T$ $`D$L$<$JWT$L$E$+wD$L$<$WT$L$E$;D$L$<$KT$L$E$T$ D$L$<$觩KT$L$E$舩CD$L$<$o ^_]UED$ E D$E$D$D$D$M]UE D$E$D$ D$]ÐUED$ E D$E$D$D$D$]UE D$E$D$ D$蒨]ÐUED$ E D$E$D$D$D$ y]UE D$E$D$ D$ (]ÐUED$ E D$E$D$D$D$]UE D$E$D$ D$辧]ÐUWV^}GL$$蘧GL$$胧G L$$nGL$$Y}E D$E$>^_]ÐUSWV^D$E$ ^T$ D$L$M $2T$E$ΦjD$T$<$踦^|$ D$T$M $蕦T$E$耦^|$ D$T$M $]NT$E$H^|$ D$T$M $%&T$E$f\$T$ D$|$U$.L$E$ԥVt$ D$L$U$讥^_[]UWV ^EEE􋆵D$E$zu>1} L$$LL$$:|$$D$u>1} L$$L$$|$$D$Ф u>} L$$ĤL$$貤|$$D$ 茤u>} L$$耤L$$n|$$D$H ^_]ÐUXD$E$/]USWV|^ D$}|$E$EE D$<$ڣ]t8 D$|$E$ңE\EYXEE D$|$E$蚣EE D$|$EЉ$tEXEM\EEEMED$ ED$ED$E$辢u=nML$ML$ML$ ML$ˉL$D$<$D$Ѣ|^_[]ÐUEM9tU 9u9D]1]ÐUWV^!D$}<${|$ t$L$$[^_]UXD$E$D$+]UWV ^ L$$}L$$]) yZED$L$D$}<$D$ 蹡1 D$<$觡 ^_]UXX]ÐU1]ÐUSWV,^EE苆E싆}|$D$E$R D$<$:L$$( XT$L$$ \ L$$ L$$ڠE䋆 D$}<$ p D$L$]$詠UT$D$<$萠 |$ UT$D$$s,^_[]ÐUXsKD$ $F]ÐUV^ L$$D$ HZ?D$> L$$L$$ϟ L$$D$ HZ?D$ #>迟 L$$譟L$$胟 L$$D$ HZ?D$>s L$$aL$$7^]ÐUSWVL^ ML$ML$ML$ ML$D$}<$É]ЉЉE؋ L$<$<9EEM܋EЍ< |$D$Eԉ$赞e |$ D$ED$E$襞EXE싆 L$$` L$$H L$$D$.L$$D$ HZ?D$>NjL$$D$ HZ?D$>ܝËL$$B \$ |$L$$訝L$$薝 UT$UT$UT$ UT$L$$D$B` L$$HE@E;EaL^_[]UVX LD$ t$T$ $D$^]ÐUWV ^g D$}<$Ŝt?E}7Mc P T$PT$PT$ D$L$E$舜 ^_]ÐUSWV,^D$E$VT$L$$:,D$E$ 4L$$Nj PL$$L$$ћDL$$进Ë$ D$E$訛 L$$D$ D$膛D$L$$p L$ |$T$$N8$ L$$D$0A&|$ D$L$$ PL$$NjD$E$ݚ \$ D$L$<$ÚDL$$豚 D$L$E$蘚E@4\@XMM苎M싎@P T$PT$PT$ D$E D$L$E$7,^_[]Ë0L$$D$ ?D$F?UWV0^ML$ML$ML$ML$ D$}|$E$ԙG0}E􋆑ML$ML$ML$ ML$M,L$$M(L$ M$L$M L$D$E$bG00^_]ÐUWV@^ML$ML$ML$ML$ D$}|$E$"G0} EML$ML$ML$ ML$M0L$(M,L$$M(L$ M$L$M L$D$E$詘G0@^_]UWV@^} } E3M L$ML$ML$ML$ D$ED$E$O0}ugE/P T$PT$PT$ D$L$E $fnM(\f.v\MYoXUUEEGEGEG @^_]UE@a]UEMAa]UE@`]UEMA`]UWV ^EE E􋆻ML$D$E$9t*KCL$$uGd?Gh? ^_]GdGhU(XM M MD$ED$E$迖EAEEE@E@@ A(]UWV ^D$}<$W}) EeML$D$E$5 ^_]U]U]ÐUEEE@E@E @ ]USWV<^D$E$•hL$$谕8T$L$$蔕D$E$whL$$eL$$SEp}W T$WT$WT$ T$L$$D$B E싎L$M $l_ \$_\$_\$\$D$ T$E$D$(D$$D$ D$藔E싎L$M $yl_ \$_\$_\$\$D$ T$E$D$(D$$D$ D$%E싎L$M $lW T$WT$WT$T$D$ L$E$D$(D$$D$ D$賓EE싎L$M $苓l_ \$_\$_\$\$D$ T$E$D$(D$$D$ D$7E싎L$M $l_ \$_\$_\$\$D$ T$E$D$(D$$D$ D$ŒE싎L$M $角lW T$WT$WT$T$D$ L$E$D$(D$$D$ D$SEyD$E$48T$L$$@D$E$L$$tuEL$M $ǑlUz |$z|$z|$T$D$ L$E$D$(D$$D$ D$pD$E$[L$$ItuEL$M $'lUz |$z|$z|$T$D$ L$E$D$(D$$D$ D$АMQ T$QT$QT$ L$D$E$蝐<^_[]EEE싎L$M $nl}_ \$_\$_\$\$D$ T$E$D$(D$$D$ D$E싎L$M $l_ \$_\$_\$\$D$ T$E$D$(D$$D$ D$襏UV^D$E$xzvDȋ^]ÐUSWV^4L$$7lL$$%(L$$NjEE苎<M싎L$M $D$L$<$׎DL$E$躎\$ D$L$<$蠎L$$D$0Ax\$ D$L$<$^@D$ T$L$<$6^_[]USWVLXET$ $D$ ?D$}?MT$$ݍM"T$$谍Mt$$D$ ?D$r?蝍MT$$舍M&T$$[Mt$$D$ ?D$f?HMT$$3M*T$$Mt$$D$ ?D$f?MT$$ތM.T$$豌Mt$$讌MMM"&*.\$,|$ t$T$UT$$D$4?D$0D$(/?D$$D$/?D$D$D$ D$8 MT$$Mt$$D$ ?D$J?MT$$ˋMT$$螋Mt$$D$ ?D$*?苋MT$$vMT$$IMt$$D$ L>D$6MT$$!MT$$Mt$$D$ ?D$?MT$$̊MT$$蟊Mt$$D$ 33>D$茊MT$$wMT$$JMt$$D$ ?D$ =7MT$$"MT$$M&t$$D$?MT$$ՉM T$$訉Mt$$D$ ?D$>蕉MT$$耉MT$$SM&t$$D$?HMT$$3MT$$Mt$$D$ >D$MT$$ވMT$$豈Mt$$D$ ?D$>?螈MT$$艈MT$$\Mt$$YM:T$$DMT$$Mt$$D$ D$M|$$D$ @?D$?ӇM"D$T$4$躇M: |$$虇MD$T$4$耇ƋM|$$cNjM\$T$4$BMD$T$<$)ML$$L^_[]USWVL^"D$E$E܋L$$ˆT$L$$识t%D$E܉$D$ AD$ A膆D$E܉$qt1D$E$XD$L$E܉$?E܋L$$$Ǎ]C D$ D$<$D$D$<$D$ D$?؅D$<$ƅ K L$KL$KL$ L$ D$ED$E$觅fQ T$$QT$ QT$ L$ML$ML$ML$ ML$D$E܉$D$,?D$(*D$<$D$<$L^_[]UWV@^} }EM L$ML$ML$ML$ D$ED$E$资EE܋D$<$芄L$$xfn.E܋EvEXEEXEE@E@E@ @^_]UV^D$E$Dȋ^]ÐUVT^E EEM L$ML$ML$ML$ D$ED$E$蘃EXEED$ED$ ED$ED$EЉ$D$D$@@EMU]ЋEPH@ T^]USWV<^EXEE싾D$E$тD$L$<$軂E䋆L$$蠂lj}ED$ D$<$D$vD$<$D$ D$?T D$<$B8L$$*$D$E$EY$ ]EXLEEEdO L$OL$OL$L$XED$ ML$D$E$D$$?D$ qT$ $YÍMQ T$ L$$D$/L$$D$ D$? L$$W T$WT$WT$T$E\ED$ ML$L$M $D$$?D$ 蘀D$$膀 D$$tD$}<$_ D$<$M<^_[]ËdQ T$QT$QT$ L$EXD$ ED$D$E$D$$?D$ hUSWV<^}}苆E싆ML$ML$ML$ ML$M L$D$E$D$<$ttz] L$$UK L$KL$KL$ L$ D$|$E؉$9ED$ ED$E܉D$E؉$D$~<^_[]USWV<^u D$}|$E$~D$<$~E苆`D$<$~L$$~ D$$f~EuD$E$K~hL$$9~NjhL$$~u u uD$E$}L$$}EH L$ HL$HL$$D$w}upD$E$}Ǎ$}D$L$<$u} pD$E$X}L$$F}hL$$4} uF\}pD$4$}L$$|Ë`D$$D$|9~tuN L$NL$NL$L$}|$ D$]$D$(D$$D$ D$|EtV T$VT$VT$T$|$ L$$D$(D$$D$ D$+|Ep\$<$|]|L$$|t F D$FD$FD$D$ED$ \$]$D$(D$$D$ D${}tV T$VT$VT$T$UT$ L$$D$(D$$D$ D$K{tF D$FD$FD$D$UT$ \$]$D$(D$$D$ D$z]tuN L$NL$NL$L$}|$ D$E$D$(D$$D$ D$ztN L$NL$NL$L$|$ \$E$D$(c ElD$$Fz;EEtuV T$VT$VT$T$UT$ L$]$D$(D$$D$ D$yEt~ |$~|$~|$6t$UT$ L$$D$(D$$D$ D$yEpL$U$qyM|T$$\yMt uF D$FD$FD$D$ED$ L$߉<$D$(D$$D$ D$xEtV T$VT$VT$T$ED$ L$<$D$(D$$D$ D$xEtV T$VT$VT$T$ED$ L$]$D$(D$$D$ D$GxEtN L$NL$NL$L$ML$ D$$D$(D$$D$ D$wEtMQ T$QT$QT$ L$ML$ D$E$upD$E$w|L$$wtuN L$NL$NL$L$ML$ D$}<$D$(D$$D$ D$'wEtV T$VT$VT$T$UT$ L$<$D$(D$$D$ D$vEt^ \$^\$^\$\$UT$ L$<$D$(D$$D$ D$yvEt^ \$^\$^\$\$UT$ L$<$D$(D$$D$ D$"vEt~ |$~|$~|$>|$UT$ L$}<$D$(D$$D$ D$uEtN L$NL$NL$L$UT$ D$<$)uN L$NL$NL$L$ML$ D$}<$D$(D$$D$ D$=uEtV T$VT$VT$T$UT$ L$<$D$(D$$D$ D$tEt^ \$^\$^\$\$UT$ L$<$D$(D$$D$ D$tEt^ \$^\$^\$\$UT$ L$<$D$(D$$D$ D$8tEt~ |$~|$~|$>|$UT$ L$}<$D$(D$$D$ D$sEtN L$NL$NL$L$UT$ D$<$D$(D$$E@\Mtu~ |$~|$~|$>|$D$ T$}<$D$(D$$D$ D$6sMt^ \$^\$^\$\$]\$ T$<$D$(D$$D$ D$rMtV T$VT$VT$T$\$ D$<$D$(D$$D$ D$rMtV T$VT$VT$T$\$ D$<$D$(D$$D$ D$7rMtV T$VT$VT$T$\$ D$]$D$(D$$D$ D$qMtV T$VT$VT$T$UT$ D$$D$(D$$D$ D$qMt~ |$~|$~|$>|$UT$ D$$D$(D$$D$ D$2qMtN L$NL$NL$L$UT$ D$$D$(D$$D$ D$pE@ E.@v3MQ T$QT$QT$ L$D$E$p<^_[]ËED$E uXuN L$NL$NL$L$ML$ \$]$D$(D$$D$ D$p}tF D$FD$FD$D$ED$ T$$D$(D$$D$ D$otN L$NL$NL$L$ED$ \$]$D$(D$$tuV T$VT$VT$T$UT$ L$]$D$(D$$D$ D$)oMtV T$VT$VT$T$UT$ D$$D$(D$$D$ D$nMt~ |$~|$~|$>|$UT$ D$}<$D$(D$$D$ D$xnMtF D$FD$FD$D$UT$ L$<$D$(,USWV<^Ex\4D$E$nL$$m2;M,I L$ JL$T$$mE܋D$E$mZT$L$$muD$E$rmE܋L$$WmFL$$EmL$$3mNjL$$m\$ D$L$<$lL$$D$@Al\$ D$L$<$lL$$lFL$$lL$$ylËD$$D$ D$UlzL$$=l2L$$D$>#l.D$L$$ lD$ \$L$<$kBL$$k|$ }܉|$L$$kL$$kǍ]CK L$D$ D$|$E$D$k(YK YC~YUX~YE$XECk}E$1k\$ m\$D$<$j<^_[]ÍE,H,@ 2D$L$ :D$|$$jM,IUWV ^EEEML$D$E$kjt*}uL$$GjuG\?G`? ^_]G\G`U(XM M]MD$ED$E$iEAEEE@E@@ A(]UWV ^KD$}<$i}E􋆗ML$D$E$gi ^_]U(E D$ED$ ED$ED$E$D$?D$h(]UWV@^ED$ED$ ED$ED$E$D$@D$ghML$ML$ML$ ML$D$<$D$BhD$E$shUT$UT$UT$UT$D$ L$<$D$(D$$D$ D$!h!L$E$hUT$UT$UT$UT$D$ L$<$D$(D$$D$ D$g%L$E$gUT$UT$UT$UT$D$ L$<$D$(D$$D$ D$Gg)L$E$,gUT$UT$UT$UT$D$ L$<$D$(D$$D$ D$f%L$E$fUT$UT$UT$UT$D$ L$<$D$(D$$D$ D$mf%L$E$RfUT$UT$UT$UT$D$ L$<$D$(D$$D$ D$f@^_]ÐUSWVLXET$ $D$ ?D${?eMVT$$eMT$$|eMt$$D$ ?D${?ieMVT$$TeMT$$'eMt$$D$ ?D$l?eMVT$$dMT$$dMt$$D$ ?D$s?dMVT$$dMT$$}dMt$$zdMMM\$,|$ t$T$UT$$D$4?D$0D$(?D$$D$?D$D$D$ D$8cMT$$cMt$$D$ ?D$>cMVT$$cMT$$jcMt$$D$ ?D$?WcMVT$$BcM T$$cMt$$D$ ף=D$cMVT$$bMT$$bMt$$D$ q= ?D$?bMVT$$bMT$$kbMt$$D$ >D$XbMVT$$CbM"L$$bL^_[]USWV^EEEEEEEE-D$E$atUT$ UT$L$$D$aM xEȉ|1Ex;t-D$E$Ra$>aED$\$E$Ca)ED$D$$D$ AaG;|uML$ ML$D$t$D$`>Ĝ^_[]UE@ ]ÐUE@]ÐUE@]ÐUWV ^}GL$$D$d`GT$L$$D$D$D$ -`GT$L$$`tGL$$D$_ ^_]USWV^L$$_}OL$T$$_L$$_ËL$$w_OL$T$$^_L$$L_NjL$ \$D$]$'_(L$ |$D$$_^_[]ÐUWV ^}GL$$D$?^aOWT$ L$t$$D$D$D$^ ^_]ÐUWV^}GL$$D$Z^OsL$T$$9^^_]UWV^E@ thT$L$$]tHEMI D$ |$T$ $]t4ML$t$ $]UT$D$$]^_]USWV^EE苆`E싆D$E$e]E}ĻL$D$<$5]ËԻL$D$<$]NjD$$]]\$$D$\D$<$\\$$D$\؃^_[]UED$ E D$E$D$D$D$\]UED$ E D$E$D$D$D$g\]UED$ E D$E$D$D$D$ +\]UWV ^EEEWML$D$E$[t:[ L$D$<$[uD$<$D$[ ^_]UXgD$ $b[]ÐUE@@@@@ ]UWV ^EEeE􋆅ML$D$E$[tTL$D$<$Zt49L$D$<$D$D$D$ Z ^_]UWV ^L$D$}<$mZts D$<$WZL$$D$OZ]fM.u6z4L$D$<$D$D$D$ Y D$<$YL$$Yt^ D$<$YT$L$$Yt, D$<$YL$$D$pY ^_]ÐUWV^D$}<$EYL$$D$ D$A#YD$<$YoT$L$$Xt,D$<$XoL$$D$X^_]UE@@@@@ ]UWV ^EEEML$D$E$eXtTL$D$<$=Xt4L$D$<$D$D$D$ X ^_]UWV ^OSL$D$}<$WtsoD$<$WgL$$D$W]fM.u6z4sL$D$<$D$D$D$ XWoD$<$FWcL$$4Wt^oD$<$WO_T$L$$Wt,oD$<$V_L$$D$V ^_]ÐUWV^=D$}<$V9L$$D$ D$ BV=D$<$sVT$L$$WVt,=D$<$AVL$$D$'V^_]USWV ^:L$$UNjJD$]$UFD$L$<$UNjBML$D$<$U>D$$U:D$L$<$U6D$]$tU^D$L$<$^UbL$$FU2D$L$<$0U.D$$U*D$L$<$UD$<$T ^_[]UXMA$#uD$ $D$T]ÉD$ $D$TUSWV,^vNL$$}TJL$$}T}䋆zL$$PTL$$>TnL$$,Tlj}܋JD$<$D$ @D$@TD$<$D$SD$<$SL$$SNjD$<$D$ D$SD$<$m]D$ D$@EEj^EXnEQSED$ D$<$D$`@,SD$<$D$ D$ SL$$^^EERËED$ D$$D$RED$ D$$D$@RD$$D$ @D$`@rRED$ D$$D$MRJ}^L$$+RL$$D$@?RҾL$$QD$$Qֶ|$L$$D$ BQD$u܉4$Q,^_[]ËL$$QL$$D$L>~QҾL$$lQD$<$ZQҶҾ|$$BQD$$0QbUSWV^ѼL$$QͼL$$Q۽dML$ML$ML$ML$ D$ED$E$PED$ED$ ED$ED$ۭdٝ|^|`D$D$E$OẺD$EȉD$ EĉD$ED$`D$D$EЉ$ۭdݝpOApf.} wf. ML$ML$ML$ML$ D$|$E$OEEEEEEEEM̉L$MȉL$MĉL$ML$ D$|$E$eOEEEEEEEE̋M܉L$M؉L$MԉL$MЉL$ D$|$E$OEEEEEEEEYEiUT$UT$UT$ UT$D$D$L$$uNdYE̋iỦT$UȉT$UĉT$ UT$D$D$L$$"N`YE܋iU܉T$U؉T$UԉT$ UЉT$D$D$L$$MMA$imd\$L$$D$ BMmm`\$L$$D$ BlMqm|$L$$D$ BHMeD$E$3MaUT$UT$UT$ UT$L$$MZEf.f.uL$$D$=D$'?D$ l>D$>LUL$$LL$$~LL$$fLL$$D$ LLqD$d$4LL$$Lļ^_[]Ë]md\$L$$D$ BKam`\$L$$D$ BKeLUXMA$u ]ÉMMD$E$xKUSWV^L$$D$?D$~?D$ d?D$Y?)KNjL$$D$?D$z?D$ T?D$C?JË:FL$$Jj\$ |$L$$JL$$JL$$D$?D$f?D$ 8?D$$?qJNjL$$D$?D$G?D$ ?D$>7JË:FL$$Jj\$ |$L$$JL$$IL$$D$?D$~?D$ j?D$b?INjL$$D$?D$z?D$ ]?D$N?IË:FL$$eIj\$ |$L$$KIL$$!IL$$D$?D${?D$ >D$>INjL$$D$?D$l?D$ >D$>HË:FL$$Hj\$ |$L$$HL$$iHL$$D$?D$x?D$ >D$L>IHNjL$$D$?D$i?D$ <>D$(>HË:FL$$Gj\$ |$L$$GL$$GL$$D$?D${?D$ ?D$>GNjL$$D$?D$l?D$ >D$>WGË:FL$$=Gj\$ |$L$$#GL$$FL$$D$?D$^?D$ ?D$>FNjL$$D$?D$K?D$ >D$h>FË:FL$$Fj\$ |$L$$kFL$$AF"FL$$AF~L$$/FL$$FBL$$EL$$E]R*^ED$ D$<$D$EL$$EjL$$D$>EfD$L$<$oEL$$D$?D$~?D$ y?D$v?7EδL$$%EL$$D^_[]ÐUSWV\^} }苆E싆8M L$ML$ML$ML$ D$ED$E؉$DEXЛEG$]uEXěE܋ܴL$$lDL$$lD]$Mf.w f.vrD$<$(DUT$UT$U܉T$U؉T$ L$D$Eȉ$ DEEEEEEEEEECECEC \^_[]USWV,^}G$u-}]䋞$\$]$cCÉ؃,^_[]Ë lL$$9CL$$'C`L$$CÉ}苾}싾$|$}<$B D$|$$B?8|$ t$D$$BTUV^\L$$BfnfXXhME^]ÐUV^L$$?BfnfXX ME^]ÐUWVP^EE;E/ML$ML$ML$ ML$D$E$At}D$<$D$AOD$|$EЉ$AEE̋OD$|$E$AE^EEט.Ew GxP^_]GxUSWV^RL$$AD$L$<$@NjL$$@ËL$D$<$@ D$L$$@L$$@L$$@ËL$D$<$c@ D$L$$M@L$$#@L$$#@ËL$D$<$@ D$L$$?L$$?L$$?ËL$D$<$? D$L$$?L$$g?L$$g?ËΟL$D$<$I? D$L$$3?L$$ ?L$$ ?ËޟL$D$<$> D$L$$>L$$>L$$>ËL$D$<$> D$L$$w>ƣL$$M>L$$M>ËL$D$<$/> D$L$$>£L$$=L$$=ËL$D$<$= D$L$$=L$$=L$$=ËL$D$<$s= D$L$$]=L$$3=L$$3=Ë.L$D$<$= D$L$$<L$$<L$$<Ë>L$D$<$< D$L$$<L$$w<L$$D$ HZ?D$>g<L$$U<L$$+<L$$+<׋L$$<L$$fnfnXM;fnXEXƣL$$;Nj£L$$;T$ $fnfnXMt;fnXEX^_[]ÐUSWV^E}z] ዶt$\$<$%;D$\$E$D$ :{xNE<D$$:ٝL<YL$:E4M<0t$$ٝHe:ٝD0_H0<\YD $;:ٝ@4X@4f<E84<G0G8G {x D$\$E$9E<D$\$]$t9!4E\\f8<\X<48OG<O ^_[]NONON ŋD$\$E$D$ 8D$\$E$D$ 8D$\$EЉ$D$ b8{x=]X]eX!\fUOgW D$\$E$D$ 7{x!e\fU랋HOHOH O E<D$$y7ٝ\<Y\$k7E<M48t$$ٝX7ٝT8_X84\YT $6ٝP<XPL$D$<$.jD$L$$.؃^_[]UE D$E$D$ D$HJ.]ÐUWV^}GHL$$$.}ɥE􋆙D$E$ .^_]USWV ^}GH]9t8VL$$-D$$-|$$D$H-GHtAr.T$L$$-u!GHfD$L$<$h- ^_[]ËjL$$H-ZL$$6-fD$t$<$ -USWV^}}苆E싆T]\$D$E$,D$<$,L0T$ D$L$$,^_[]USWV ^$+lj|$$+$+É<$+tD$$Y, ^_[]ÐUV^КL$$),̚L$$,^]ÐUV^nL$$+L$$+^]ÐUV^(DL$$+@L$$+^]ÐUV^L$$W+L$$E+^]ÐUV^L$$+L$$*^]ÐUE@\]ÐUWV^E}|$D$<$*=L$D$<$*^_]USWV ^L$D$E$n*ua.L$$R*Nj2D$E$5**D$L$$*&D$L$<$ * ^_[]ÐUSWV^EE苆E싆N}|$D$E$)t2J"L$D$<$)D$L$$)؃^_[]UED$ E D$E$D$D$D$\k)]UWV^}G\L$$")}E􋆗D$E$)^_]USWV<^ L$$(Nj,D$]\$E$(|ML$ML$ML$ ML$|$D$$(<^_[]USWV^}}苆&E싆]\$D$E$D(D$<$,(T$ D$L$$ (^_[]U]ÐU]ÐU]USWV^xďL$$'L$$'L$$'NjEE苆̟E싆|D$E$'xD$L$<$g'DL$$G'\$ D$L$<$-'T0L$$D$'\$ D$L$<$&^_[]ÐU]UE@o]UEMAo]UE@n]UEMAn]UE@m]UEMAm]UE@l]UEMAl]UE@h]ÐUEE@h]UE@d]ÐUEE@d]UE@`]ÐUE@\]ÐUE@X]ÐUE@T]ÐUE@P]ÐUWV^}GXQL$$%GPQL$$%GTQL$$%G\QL$$%G`QL$$|%}EED$E$a%^_]USWV ^}G`]9tRL$$&%D$$%|$$D$`$"D$<$D$$ ^_[]USWV ^}G\]9tR8L$$$<D$$$|$$D$\x$D$<$D$p$ ^_[]USWV ^}GT]9tRL$$:$ƍD$$($|$$D$T$6D$<$D$# ^_[]USWV ^}GP]9tRLL$$#PD$$#|$$D$P#D$<$D$# ^_[]USWV ^}GX]9tR֌L$$N#ڌD$$<#|$$D$X#JD$<$D$# ^_[]USWVXlExnyota΋NXl1T$ $"5L$t$M $"ML$ ML$ML$M $D$<"MylGlL$$M"}GdD$L$$-"Ë5D$|$E$*"ML$ML$ML$ML$|$ D$$D$(D$$D$ D$!ExmlL$$!}GhD$L$$r!Ë5D$|$E$o!ML$ML$ML$ML$|$ D$$D$(D$$D$ D$!ļ^_[]Ël͒يT$ $ uNPVTlT$ L$\$$ Njl5T$t$p$ l|t$xt$tt$ pt$T$<$D$BA l]L$<$) u~\l5L$t$M $ UT$UT$UT$UT$t$ L$<$D$(D$$D$ D$L$$FdD$L$$uNj5D$t$E$rML$ML$ML$ML$t$ D$<$D$(D$$D$ D$Cu~`l5D$t$E$M̉L$MȉL$MĉL$ML$t$ D$<$D$(D$$D$ D$L$$nFhD$L$$QNj5D$t$EЉ$NM܉L$M؉L$MԉL$MЉL$t$ D$<$D$(D$$D$ D$USWV^}}苆E싆UT$D$E$D$<$ }\$ D$L$E$mL$<$[ }T$ D$L$E$8L$<$& .}T$ D$L$E$L$<$ >}T$ D$L$E$L$<$ N}T$ D$L$E$L$<$^}T$ ЉT$L$E$aL$<$On}T$ ЉT$L$E$)L$<$~}T$ ЉT$L$E$L$<$}T$ ЉT$L$E$L$<$}T$ \$L$E$L$<$}T$ \$L$E$O^_[]ÐUSWV^EE苆TE싆}|$D$E$xzL$D$<$LD$L$$zL$D$<$HD$L$$zL$D$<$DD$L$$lzL$D$<$P@D$L$$:zL$D$<$<D$L$$zL$D$<$8D$L$$zL$D$<$4D$L$$zL$D$<$0D$L$$izL$D$<$M,D$L$$4({L$D$<$*$\$D$$({L$D$<$ \$D$$D$$u.L$$LD$L$$D$$zu.L$$^HD$L$$HD$$6u.L$$DD$L$$ D$$u.L$$@D$L$$D$$u.L$$<D$L$$|؃^_[]UV^D$E$PL$$>^]ÐUWV^D$}<$cUT$L$$D$<$D$^_]UV^VD$E$L$$^]ÐUWV^D$}<$uUT$L$$[gD$<$D$A^_]UV^D$E$^L$$^]UWV^D$}<$UT$L$$πD$<$D$^_]ÐUV^"D$E$ZL$$n^]ÐUWV^~D$}<$AOUT$L$$'3D$<$D$ ^_]UV^~D$E$&L$$^]UWV^K~D$}<$UT$L$$D$<$D$v^_]ÐUV^}D$E$LL$$:^]UWV^}D$}<$GUT$L$$D$<$D$^_]ÐUV^V}D$E$L$$^]UWV^}D$}<$yUT$L$$`k~D$<$D$F^_]ÐUE@@]ÐUE@2]UE@<]ÐUE@8]ÐUE@D]ÐUE@1]UEMA1]UE@4]ÐUE@0]USWV,^EE苆>E싆|}|$D$E$|rL$D$<$pD$L$$W|rL$D$<$;D$L$$"|rL$D$<$D$L$$|rL$D$<$D$L$$|rL$D$<$:D$L$$|sL$D$<$mD$L$$W|sL$D$<$;D$L$$%|"sL$D$<$ ځD$L$$D$$u.v}L$$D$L$$D$$u.v|L$$D$L$$kD$$Yu.v}L$$=D$L$$'ށD$$u.v6L$$ځD$L$$D$$t4{2L$D$$D$D$D$ ؃,^_[]ÐUED$ E D$E$D$D$D$Du]UED$ E D$E$D$D$D$H9]UE D$E$D$ D$H]ÐUSWV ^}G4]9tJBxL$$FxD$$|$$D$4~D$<$ ^_[]UXMUJ0}D$$S]UWV^E}G2t}t$<$!^_]Ë]}D$<$a|D$L$<$ USWV ^}G@]9tQJwL$$ NwD$$ |$$D$@ G@|D$L$<$ ^_[]ÐUSWV ^}G<]9tJvL$$L vD$$: |$$D$< |D$<$ ^_[]USWV ^}G8]9tJfvL$$ jvD$$ |$$D$8 n|D$<$ ^_[]USWV|^X|pvL$$w zL$$e zD$E$P {L$$P }zL$E$& {L$$& }EE yL$} <$ Ë`uL$|$Mȉ $ {UԉT$UЉT$ỦT$UȉT$ L$\$M؉ $m]m]D$M\ME\YtcE EXEEX|pvL$$A {ED$ L$$D$ EE苆 E싆dvML$ML$ML$ ML$|$D$E$ X|pvL$$ yL$$ |^_[]USWVl^|tD$E$ tL$$p W\yD$E$S :xD$E$6 yL$$6 }xL$E$ yL$$m] ]E\E$ }|tL$E$ hsL$D$MЉ $ EEz|rT$ $m] wMML$ ED$L$$T prL$$B Epz|rL$$' NjyD$E$ ËyL$E$v\$ D$L$<$prL$$NjwL$M $EEEEMM싖0v]\$]\$]\$ ]\$T$<$D$C^wD$M $ILzyML$T$$*xD$L$E$l^_[]ÐUSWV^woL$$qL$$oL$$Nj]]苆vE싆qD$E$qD$L$<$rw|$D$$kjwD$$Y^_[]ÐUSWV^w&oL$$)^pL$$oL$$Nj]C4FtD$L$<${02qu:D$<$D$ ?D$v|$D$$^_[]ÉD$<$D$ USWV,^vfnL$$ioL$$WZnL$$Elj}]]苆~E싆pD$E$"pD$L$<${1tRuD$؉$t:^8uD$E$2o|$ D$L$E$E@HnfT$L$$E@Hnf|$L$$bËn|$D$E$GuD$L$$1uPouL$D$}<$D$D$D$ uUT$D$<$E,^_[]UWV^}GD-nL$$GH-nL$$G@-nL$$G<-nL$$mG8-nL$$XG4-nL$$C}A}E!mD$E$(^_]ÐUSWV^}}苆|E싆tsML$D$E$GHlL$$\$$D$HGDxmL$$\$$D$DrG4xmL$$o\$$D$4IG8xmL$$F\$$D$8 Gh@hXh@hvh@}hh @mhh$@]hh(@Mhh,@=hh0@-h h4@h#h8@ h8h<@hLh@@hahD@hshH@hhL@hhP@hhT@hhX@hh\@}hh`@mhhd@]hhh@Mh&hl@=h>hp@-hRht@hkhx@ hh|@hh@hh@hh@orderFrontColorPanel:sharedApplicationautoreleaseinitWithContentsOfFile:pathForImageResource:bundleForClass:classNSApplicationBWToolbarShowColorsItemColorsShow Color PanelToolbarItemColors.tiffNSToolbarItemtoolTip:8@0:4paletteLabelimage#@orderFrontFontPanel:BWToolbarShowFontsItemFontsShow Font PanelToolbarItemFonts.tiffactiontargetlabelitemIdentifierrecalculateKeyViewLoopremoveObject:sizeValuebwResizeToSize:animate:initialIBWindowSizeidentifierAtIndex:addSubview:moveObject:toParent:copyaddObject:toParent:initWithFrame:makeFirstResponder:arrayoldWindowTitlesetTitle:selectedItemIdentifiersetOldWindowTitle:titlesetIsPreferencesToolbar:selectableItemIdentifiersboolValuenumberWithBool:removeObserver:name:object:setAction:toggleActiveView:setTarget:postNotificationName:object:userInfo:dictionaryWithObject:forKey:setSelectedIdentifier:setSelectedItemIdentifier:countvalueWithSize:windowSizesByIdentifiersetContentViewsByIdentifier:contentViewmutableCopyselectItemAtIndex:setItemSelectorssetObject:forKey:addObject:itemsaddObserver:selector:name:object:windowDidResize:defaultCentereditableToolbarcountByEnumeratingWithState:objects:count:isMemberOfClass:childrenOfObject:parentOfObject:indexOfObject:switchToItemAtIndex:animate:toolbarIndexFromSelectableIndex:selectInitialItemsetAllowsUserCustomization:setShowsToolbarButton:_windowinitialSetupsetEditableToolbar:initWithIdentifier:isEqualToArray:arrayWithObjects:_defaultItemIdentifiersenabledByIdentifierdocumentToolbarsetEnabledByIdentifier:setHelper:setDocumentToolbar:decodeObjectForKey:initWithCoder:ibDidAddToDesignableDocument:NSArrayNSMutableArrayNSNotificationCenterNSValueNSDictionaryBWClickedItemBWSelectableToolbarItemClickedNSObjectNSToolbarBWSelectableToolbar@"BWSelectableToolbarHelper"itemIdentifiers@"NSMutableArray"itemsByIdentifier@"NSMutableDictionary"inIBi@8@0:4v16@0:4i8c12setSelectedIndex:labelstoolbarSelectableItemIdentifiers:toolbar:itemForItemIdentifier:willBeInsertedIntoToolbar:@20@0:4@8@12c16toolbarAllowedItemIdentifiers:toolbarDefaultItemIdentifiers:validateToolbarItem:c12@0:4@8setEnabled:forIdentifier:v16@0:4c8@12setSelectedItemIdentifierWithoutAnimation:@12@0:4i8i12@0:4i8selectFirstItem 50T@"NSMutableArray",R,PT@"NSMutableDictionary",C,VenabledByIdentifier,PisPreferencesToolbarhelperT@"BWSelectableToolbarHelper",&,Vhelper,PBWSTDocumentToolbarBWSTHelperBWSTIsPreferencesToolbarBWSTEnabledByIdentifierNSToolbarFlexibleSpaceItemNSToolbarSpaceItemNSToolbarSeparatorItem7E6A9228-C9F3-4F21-8054-E4BF3F2F6BA80D5950D1-D4A8-44C6-9DBC-251CFEF852E2BWSelectableToolbarHelperIBEditableBWSelectableToolbarsetMovable:isSheetcontentBorderThicknessForEdge:setContentBorderThickness:forEdge:addBottomBarBWAddRegularBottomBar{_NSRect={_NSPoint=ff}{_NSSize=ff}}8@0:4 BWRemoveBottomBarsetBackgroundStyle:NSTextFieldBWInsetTextField1NSButtonBWTransparentButton1isEnabled_textAttributesinitdrawTitle:withFrame:inView:setSize:namecolorWithCalibratedWhite:alpha:NSBundleBWTransparentButtonCellNSActionTemplateNSButtonCell{_NSRect={_NSPoint=ff}{_NSSize=ff}}32@0:4@8{_NSRect={_NSPoint=ff}{_NSSize=ff}}12@28TransparentButtonLeftN.tiffTransparentButtonFillN.tiffTransparentButtonRightN.tiffTransparentButtonLeftP.tiffTransparentButtonFillP.tiffTransparentButtonRightP.tiffBWTransparentCheckboxsizebackgroundStylegraphicsPortcontrolViewboldSystemFontOfSize:isInTableViewinteriorColoraddEntriesFromDictionary:setShadowOffset:setFlipped:allocBWTransparentCheckboxCellNSMutableDictionaryBWTransparentTableViewNSGraphicsContext!2TransparentCheckboxOffN.tiffTransparentCheckboxOffP.tiffTransparentCheckboxOnN.tiffTransparentCheckboxOnP.tiffNSPopUpButtonBWTransparentPopUpButton1 alignmentimagePositioninvertimageRectForBounds:concatsetScalesWhenResized:pullsDownisHighlightedBWTransparentPopUpButtonCellNSColorNSAffineTransforminitializecontrolSize{_NSRect={_NSPoint=ff}{_NSSize=ff}}24@0:4{_NSRect={_NSPoint=ff}{_NSSize=ff}}8drawImageWithFrame:inView:drawBezelWithFrame:inView:!3 TransparentPopUpFillN.tiffTransparentPopUpFillP.tiffTransparentPopUpRightN.tiffTransparentPopUpRightP.tiffTransparentPopUpLeftN.tiffTransparentPopUpLeftP.tiffTransparentPopUpPullDownRightN.tifTransparentPopUpPullDownRightP.tifNSSliderBWTransparentSliderstopTracking:at:inView:mouseIsUp:startTrackingAt:inView:knobRectFlipped:rectOfTickMarkAtIndex:setTickMarkPosition:BWTransparentSliderCellNSSliderCellv32@0:4{_NSPoint=ff}8{_NSPoint=ff}16@24c28{_NSRect={_NSPoint=ff}{_NSSize=ff}}12@0:4c8_usesCustomTrackImagev28@0:4{_NSRect={_NSPoint=ff}{_NSSize=ff}}8c24!0TransparentSliderTrackLeft.tiffTransparentSliderTrackFill.tiffTransparentSliderTrackRight.tiffTransparentSliderThumbP.tiffTransparentSliderThumbN.tiffTransparentSliderTriangleThumbN.tiffTransparentSliderTriangleThumbP.tiffdeallocnewblackColorsetDividerStyle:splitView:resizeSubviewsWithOldSize:sortUsingDescriptors:arrayWithObject:initWithKey:ascending:allValuesdictionaryWithCapacity:validateAndCalculatePreferredProportionsAndSizescorrectCollapsiblePreferredProportionOrSizevalidatePreferredProportionsAndSizesrecalculatePreferredProportionsAndSizesallKeysnonresizableSubviewPreferredSizeresizableSubviewPreferredProportionsetStateForLastPreferredCalculations:setNonresizableSubviewPreferredSize:setResizableSubviewPreferredProportion:numberWithFloat:dictionaryarrayWithCapacity:autoresizingMasksplitViewWillResizeSubviews:splitViewDidResizeSubviews:collapsibleSubviewIsCollapsedsplitView:effectiveRect:forDrawnRect:ofDividerAtIndex:splitView:constrainSplitPosition:ofSubviewAt:clearPreferredProportionsAndSizessplitView:constrainMinCoordinate:ofSubviewAt:subviewMinimumSize:subviewMaximumSize:splitView:constrainMaxCoordinate:ofSubviewAt:splitView:shouldCollapseSubview:forDoubleClickOnDividerAtIndex:splitView:canCollapseSubview:splitView:additionalEffectiveRectOfDividerAtIndex:collapsibleDividerIndexmouseDown:resizeAndAdjustSubviewsrestoreAutoresizesSubviews:animationEndedsetCollapsibleSubviewCollapsedHelper:setMinSizeForCollapsibleSubview:endGroupingsetFrameSize:animatorsetDuration:animationDurationcurrentContextbeginGroupingremoveMinSizeForCollapsibleSubviewcollapsibleSubviewCollapsedsetHidden:autoresizesSubviewssubviewIsResizable:setShowsStateBy:cellsetToggleCollapseButton:objectForKey:setAutoresizesSubviews:removeObjectForKey:numberWithInt:setState:hasCollapsibleDividerhasCollapsibleSubviewbwShiftKeyIsDownsetCollapsibleSubviewCollapsed:invalidateCursorRectsForView:adjustSubviewscollapsibleSubviewIndexsubviewIsCollapsed:collapsibleSubviewisSubviewCollapsed:subviewIsCollapsible:subviewsconvertRectFromBase:convertRectToBase:drawDimpleInRect:bwDrawPixelThickLineAtPosition:withInset:inRect:inView:horizontal:flip:isVerticalcenterScanRect:drawGradientDividerInRect:drawDividerInRect:drawSwatchInRect:dividerThicknessuserSpaceScaleFactordividerCanCollapseencodeInt:forKey:collapsiblePopupSelectionmaxUnitsminUnitsmaxValuescolorIsEnabledcolordelegatesetDividerCanCollapse:setCollapsiblePopupSelection:decodeIntForKey:setMaxUnits:setMinUnits:setMaxValues:setMinValues:setColorIsEnabled:setColor:BWSplitViewNSEventNSNumberNSAnimationContextBWAnchoredButtonBarNSSortDescriptorNSSplitViewcheckboxIsEnabledsecondaryDelegate@"NSArray"uncollapsedSizeisAnimatingsetCheckboxIsEnabled:setSecondaryDelegate:f12@0:4i8resizableSubviewsf20@0:4@8f12i16c20@0:4@8@12i16c16@0:4@8@12c16@0:4@8i12toggleCollapse:v24@0:4{_NSRect={_NSPoint=ff}{_NSSize=ff}}8awakeFromNib"!T@,VsecondaryDelegate,PtoggleCollapseButtonT@"NSButton",&,VtoggleCollapseButton,PstateForLastPreferredCalculationsT@"NSArray",&,VstateForLastPreferredCalculations,PT@"NSMutableDictionary",&,VnonresizableSubviewPreferredSize,PT@"NSMutableDictionary",&,VresizableSubviewPreferredProportion,PTc,VcollapsibleSubviewCollapsedTc,VdividerCanCollapseTi,VcollapsiblePopupSelectionT@"NSMutableDictionary",&,VmaxUnits,PT@"NSMutableDictionary",&,VminUnits,PT@"NSMutableDictionary",&,VmaxValues,PminValuesT@"NSMutableDictionary",&,VminValues,PTc,VcheckboxIsEnabledTc,VcolorIsEnabledT@"NSColor",C,Vcolor,PBWSVColorBWSVColorIsEnabledBWSVMinValuesBWSVMaxValuesBWSVMinUnitsBWSVMaxUnitsBWSVCollapsiblePopupSelectionBWSVDividerCanCollapseselfGradientSplitViewDimpleBitmap.tifGradientSplitViewDimpleVector.pdfreleaseresignFirstResponderbecomeFirstRespondersetShowsFirstResponder:setFloatValue:deltaXdeltaYdoubleValuesetEnabled:setSliderToMaximumsetHighlightsBy:setSliderToMinimumsetImage:setBordered:setFrame:removeFromSuperviewsetFrameOrigin:convertPoint:fromView:hitTest:maxValuesendAction:to:setDoubleValue:minValuesetTrackHeight:maxButtonsetMaxButton:setMinButton:BWTexturedSlidersliderCellRect{_NSRect="origin"{_NSPoint="x"f"y"f}"size"{_NSSize="width"f"height"f}}@"NSButton"i8@0:4c8@0:4scrollWheel:v12@0:4c8setIndicatorIndex:@16@0:4{_NSPoint=ff}81rT@"NSButton",&,VmaxButton,PminButtonT@"NSButton",&,VminButton,PindicatorIndexTi,VindicatorIndexBWTSIndicatorIndexBWTSMinButtonBWTSMaxButtonTexturedSliderSpeakerQuiet.pngTexturedSliderSpeakerLoud.pngTexturedSliderPhotoSmall.tifTexturedSliderPhotoLarge.tifcompositeToPoint:operation:trackHeightBWTexturedSliderCellisPressedv12@0:4i8c20@0:4{_NSPoint=ff}8@16drawKnob:drawBarInside:flipped:setNumberOfTickMarks:numberOfTickMarksI8@0:4!@Ti,VtrackHeightBWTSTrackHeightTexturedSliderTrackLeft.tiffTexturedSliderTrackFill.tiffTexturedSliderTrackRight.tiffTexturedSliderThumbP.tiffTexturedSliderThumbN.tiffBWAddSmallBottomBarsplitView:shouldHideDividerAtIndex:dividerIndexNearestToHandlelastObjectisInLastSubviewsetIsAtRightEdgeOfBar:setIsAtLeftEdgeOfBar:classNameobjectAtIndex:drawLastButtonInsetInRect:drawResizeHandleInRect:withColor:bwBringToFrontsetSplitViewDelegate:splitViewDelegateisKindOfClass:splitViewisAtBottomisResizablesetHandleIsRightAligned:setIsAtBottom:setIsResizable:mainScreeninitWithColorsAndLocations:retainNSScreenwasBorderedBarv8@0:4{_NSRect={_NSPoint=ff}{_NSSize=ff}}48@0:4@8{_NSRect={_NSPoint=ff}{_NSSize=ff}}12{_NSRect={_NSPoint=ff}{_NSSize=ff}}28i44v20@0:4@8{_NSSize=ff}12{_NSRect={_NSPoint=ff}{_NSSize=ff}}16@0:4@8i12viewDidMoveToSuperview@24@0:4{_NSRect={_NSPoint=ff}{_NSSize=ff}}8AT@,VsplitViewDelegate,PhandleIsRightAlignedTc,VhandleIsRightAlignedTc,VisResizableTc,VisAtBottomselectedIndexTi,VselectedIndexBWABBIsResizableBWABBIsAtBottomBWABBHandleIsRightAlignedBWABBSelectedIndexBWAnchoredButtonBWAnchoredPopUpButtontopAndLeftInset{_NSPoint="x"f"y"f}1@Tc,VisAtRightEdgeOfBarTc,VisAtLeftEdgeOfBardrawImage:withFrame:inView:setTemplate:intValueshowsStateBytitleRectForBounds:systemFontOfSize:textColorisAtRightEdgeOfBarsuperviewhighlightRectForBounds:drawWithFrame:inView:setShadowColor:colorWithAlphaComponent:BWAnchoredButtonCellv32@0:4@8{_NSRect={_NSPoint=ff}{_NSSize=ff}}12@28v28@0:4{_NSRect={_NSPoint=ff}{_NSSize=ff}}8@24strokelineToPoint:moveToPoint:setLineWidth:bezierPathNSBezierPathBWAdditionsv44@0:4i8i12{_NSRect={_NSPoint=ff}{_NSSize=ff}}16@32c36c40drawInRect:rotateByDegrees:pixelsHighpixelsWidebestRepresentationForDevice:unlockFocuslockFocusbwRotateImage90DegreesClockwise:@12@0:4c8encodeBool:forKey:encodeSize:forKey:selectedIdentifierarchivedDataWithRootObject:contentViewsByIdentifierdecodeBoolForKey:setInitialIBWindowSize:decodeSizeForKey:setWindowSizesByIdentifier:unarchiveObjectWithData:NSStringNSUnarchiverNSArchiver@"NSString"{_NSSize="width"f"height"f}v12@0:4@8v16@0:4{_NSSize=ff}8{_NSSize=ff}8@0:40Tc,VisPreferencesToolbarT{_NSSize="width"f"height"f},VinitialIBWindowSizeT@"NSString",C,VoldWindowTitle,PT@"NSString",C,VselectedIdentifier,PT@"NSMutableDictionary",C,VwindowSizesByIdentifier,PT@"NSMutableDictionary",C,VcontentViewsByIdentifier,PBWSTHContentViewsByIdentifierBWSTHWindowSizesByIdentifierBWSTHSelectedIdentifierBWSTHOldWindowTitleBWSTHInitialIBWindowSizeBWSTHIsPreferencesToolbarstyleMasksetFrame:display:animate:NSWindowbwIsTexturedv20@0:4{_NSSize=ff}8c16setWantsLayer:bwTurnOffLayerdurationsortSubviewsUsingFunction:context:bwAnimatorrestoreGraphicsStatesetCompositingOperation:saveGraphicsStaterectOfRow:containsIndex:selectedRowIndexesrowsInRect:drawBackgroundInClipRect:usesAlternatingRowBackgroundColorssetDataCell:dataCelladdTableColumn:BWTransparentTableViewCellNSTableViewcellClass#8@0:4highlightSelectionInClipRect:_highlightColorForCell:_alternatingRowBackgroundColorsbackgroundColor1ueditWithFrame:inView:editor:delegate:event:selectWithFrame:inView:editor:delegate:start:length:cellSizeForBounds:drawingRectForBounds:setAttributedStringValue:initWithString:attributes:attributesAtIndex:effectiveRange:attributedStringValueNSMutableAttributedStringmIsEditingOrSelectingv40@0:4{_NSRect={_NSPoint=ff}{_NSSize=ff}}8@24@28@32@36v44@0:4{_NSRect={_NSPoint=ff}{_NSSize=ff}}8@24@28@32i36i40! 1PdrawInRect:fromRect:operation:fraction:isTemplatedrawAtPoint:fromRect:operation:fraction:scaleXBy:yBy:translateXBy:yBy:transformbwTintedImageWithColor:imageColordrawArrowInFrame:isAtLeftEdgeOfBardrawInRect:angle:respondsToSelector:NSShadowBWAnchoredPopUpButtonCellNSFontNSPopUpButtonCelldrawBorderAndBackgroundWithFrame:inView:setControlSize:v12@0:4I8ButtonBarPullDownArrow.pdfdrawAtPoint:boundingRectWithSize:options:stringWithFormat:drawTextInRect:childlessCustomViewBackgroundColorcontainerCustomViewBackgroundColorbwIsOnLeopardcustomViewDarkBorderColorcustomViewDarkTexturedBorderColorcustomViewLightBorderColor%d x %d pt%d ptNSCustomViewBWCustomViewisOnItsOwn#BWUnanchoredButton10BWUnanchoredButtonCellBWUnanchoredButtonContainercloseSheet:performSelector:withObject:shouldCloseSheet:endSheet:beginSheet:modalForWindow:modalDelegate:didEndSelector:contextInfo:encodeObject:forKey:initWithWindow:orderOut:setAlphaValue:NSWindowControllerBWSCSheetBWSCParentWindowBWSheetControllersheet@"NSWindow"parentWindow@setParentWindow:setSheet:setDelegate:messageDelegateAndCloseSheet:openSheet:@12@0:4@8T@,&,N,Vdelegate,PT@"NSWindow",&,N,Vsheet,PT@"NSWindow",&,N,VparentWindow,PsetDrawsBackground:ibTesterBWTransparentScrollerNSScrollViewBWTransparentScrollView_verticalScrollerClass&setBottomCornerRounded:BWAddMiniBottomBarBWAddSheetBottomBarNSTokenFieldBWTokenField13setFont:fontsetAttachment:attachmentsetRepresentedObject:initTextCell:stringValueBWTokenAttachmentCellNSTokenFieldCellBWTokenFieldCellsetUpTokenAttachmentCell:forRepresentedObject:@16@0:4@8@12!$GpullDownRectForBounds:arrowInHighlightedState:interiorBackgroundStylegetRed:green:blue:alpha:tokenBackgroundColorbezierPathWithRoundedRect:xRadius:yRadius:drawInBezierPath:angle:fillcolorWithCalibratedRed:green:blue:alpha:NSTokenAttachmentCellpullDownImagedrawTokenWithFrame:inView:%floatValue_drawingRectForPart:rectForPart:drawKnobknobProportiondrawKnobSlotsetArrowsPosition:NSScrollerscrollerWidthForControlSize:f12@0:4I8scrollerWidthf8@0:4c{_NSRect={_NSPoint=ff}{_NSSize=ff}}12@0:4I81Q0TransparentScrollerKnobTop.tifTransparentScrollerKnobVerticalFill.tifTransparentScrollerKnobBottom.tifTransparentScrollerSlotTop.tifTransparentScrollerSlotVerticalFill.tifTransparentScrollerSlotBottom.tifTransparentScrollerKnobLeft.tifTransparentScrollerKnobHorizontalFill.tifTransparentScrollerKnobRight.tifTransparentScrollerSlotLeft.tifTransparentScrollerSlotHorizontalFill.tifTransparentScrollerSlotRight.tifBWTransparentTextFieldCell!_setItemIdentifier:bwRandomUUIDisEqualToString:setIdentifierString:BWToolbarItem#AidentifierStringT@"NSString",C,VidentifierString,PBWTIIdentifierStringmodifierFlagscurrentEventbwCapsLockKeyIsDownbwControlKeyIsDownbwOptionKeyIsDownbwCommandKeyIsDownaddCursorRect:cursor:pointingHandCursoropenURL:URLWithString:sharedWorkspaceurlStringsetUrlString:openURLInBrowser:NSWorkspaceNSURLNSCursorBWHyperlinkButtonresetCursorRects1T@"NSString",C,N,VurlString,PBWHBUrlStringblueColorBWHyperlinkButtonCellisBorderedsetNeedsDisplay:boundssetinitWithStartingColor:endingColor:bottomInsetAlphaencodeFloat:forKey:topInsetAlphahasFillColorhasBottomBorderhasTopBorderencodeWithCoder:bottomBorderColorfillColorfillEndingColorfillStartingColorgrayColorsetBottomInsetAlpha:setTopInsetAlpha:decodeFloatForKey:setHasFillColor:setHasBottomBorder:setHasTopBorder:setBottomBorderColor:setTopBorderColor:setFillColor:setFillEndingColor:setFillStartingColor:NSViewBWGradientBoxfv12@0:4f8isFlippeddrawRect:%0Tc,VhasFillColorTc,VhasBottomBorderTc,VhasTopBorderTf,VbottomInsetAlphaTf,VtopInsetAlphaT@"NSColor",&,N,VbottomBorderColor,PtopBorderColorT@"NSColor",&,N,VtopBorderColor,PT@"NSColor",&,N,VfillColor,PT@"NSColor",&,N,VfillEndingColor,PT@"NSColor",&,N,VfillStartingColor,PBWGBFillStartingColorBWGBFillEndingColorBWGBFillColorBWGBTopBorderColorBWGBBottomBorderColorBWGBHasTopBorderBWGBHasBottomBorderBWGBHasGradientBWGBHasFillColorBWGBTopInsetAlphaBWGBBottomInsetAlphasolidColorsetEndingColor:setStartingColor:hasShadowBWStyledTextFieldchangeShadowdrawInteriorWithFrame:inView:setPatternPhase:convertRect:toView:framesetTextColor:colorWithPatternImage:initWithSize:descenderascenderwindowsetShadow:isEqualTo:shadowcopyWithZone:shadowIsBelowendingColorstartingColorshadowColorperformSelector:withObject:afterDelay:applyGradientgreenColorwhiteColorsetSolidColor:setPreviousAttributes:setHasGradient:setHasShadow:setShadowIsBelow:NSImageNSGradientNSTextFieldCellBWStyledTextFieldCell@"NSColor"@"NSShadow"@12@0:4^{_NSZone=}8!&T@"NSColor",&,N,VsolidColor,PhasGradientTc,VhasGradientT@"NSColor",&,N,VendingColor,PT@"NSColor",&,N,VstartingColor,PpreviousAttributesT@"NSMutableDictionary",&,VpreviousAttributes,PT@"NSShadow",&,N,Vshadow,PTc,VhasShadowT@"NSColor",&,N,VshadowColor,PTc,VshadowIsBelowBWSTFCShadowIsBelowBWSTFCHasShadowBWSTFCHasGradientBWSTFCShadowColorBWSTFCPreviousAttributesBWSTFCStartingColorBWSTFCEndingColorBWSTFCSolidColor.???@@@@@@?@)\(?0C?Y@?@>Gz?HBHA@p0BAS?1Zd? A44?4 ~.>N^n~.>N^n~`A0HPp0 @,  @`$$000Pp"" 0Pp$$     0GP!!   @`0P @0"P"p""""<(  ) )6+  +00P0'0!00'1!01P1)1 11)2 3X4 888 88909D9`999=> >@>`>>>>(?@  -APdjyn$ <GYd>p22 /;GZ+xt`:=N`pb@;&dEYi{`*`5''*2Q:t0HiN'&p;&:}L&y&$'2'D'@bz4pX(-CTuAXKl* /HYv7ey4Mhy $-:[iF2J`w " : N a u     '* 5 E ` s   d      . 2 F O f        4&3b4|ZL-=GXcqL4Sn  &@O~f'$.'b?FS`n6:)x N ""<#K#Z#c######## $$$G$T$]$%?%t%%%%%%q'((((( ).)<)V)#x) *,*H*Z*d****A,U,,--f:X"-1-<-R-`--..1.J._....+/@/M/V/e/|/H2c2223#3|33333333f4455"5<;5N5q5755555566;)6=6P6f6y666;99;9&;4;;;;9:0:A:t:::::::$=g;u;;0;PXxk 6,(U'4<   * I  c yg p } m$ &'*^,l-34 4`0HHiaHi8a\j Pha6Pka6Pladla \*(bD0lXb M\*bUDlbLZ`sb(lc#,\*HclX\mxcc  hm \c#|8qYhcpxlrtd6jPs8d6* \Hshd  hԆtzdD ud u d$hv %(e<m$4Hv&XeL@lXv&e('Lwe))`w)e )dx)f)D0xHf6)PPxxf:+dxft,,xx,f6,Pyg6,PHy8g,-x-hg--y-g.l-(y/g/^,|ȇy*0g<!20@z<2(h2L؇Tz2Xh 4`z54ȋhp4D{h66p8{7ԋh9d|i<&<L4}<000060600 00 M0U0LZ0(0#,00(c  0<#0P0d6j06* 0x  000$0<m$0L@0('0̌))0 )0)06)0:+0t,,06,06,0,-0--0.l-0/^,0<!20H20 40p4066090<&<0pjLXZp(pFnp4tp"p|pLZpXpvnpdtpRp& #pL#b z#~# R p~13p6+, $+C+ ;p<bw6 D= >,@Z0AG  GB2CEn JE+M{pO`5 O+ "& !p B!p4P7 Q R+Q40S+VSX(h(SXSpSHp8Yi-BZUTX(h(ZXZ`:(cp.[i-cZHp\X(h(eX epeHp&nr0orhfVe X(h(qX qh(q@tbqz2t^p u4x|w+yM z z  v      *f z zO xz lz`z flp ЀKp  :Xpv p   pTz4 p. p p.p2 p  z ~ $by:آȦ4y) e)  w= Y ֵv .X 7X ĹX lh x hz Xh d  > i* .8M*:/Dz  rN p" &: wu wL+   BE  :`  < "`5 f+zq ~pc Xp$R &&7 x9h3*bG.`5 + G@b^ 4x<ZpX(h(X`5 +T47  +Oth&Z N  pB  h n  X  x  b X 7X |z@TpVS 6n&7 :  `5 !+A"#'##.t#`:*$h $+# *3f'p4r5Hp~+$pB+.%br$|5X(h($X$ >p?2  4?pp? ?p? @jpD@ = <<b<r@`5 A+$=dpB$ H$+F$pK$pF $ HK]$ F%:&.N?%r&N%rO:KP'PP.P`:FQh Q+P $ar2cf'pdrPdHpX$pXq' &e/(JRbrR|ThX(h(RXR( y7 Bi`:~h ~+}br~   v+ t^+p+ L+p+ F pz+  * + 2`5 J+ +(4Ԍ7  Ȏ+4r7 4 f+---r&.pBHp.~..T@//ެ+//M/e/7 +AHpj2p2 4`5 +<3 3p>$463 `5 +0 J482,HpB5p.5p"5p7p q5p565/564/=6N5)6;5;<t6f"5Z:P6 f6 R6 6 >y6 6P7 *`5 T+; 9pZ9 ;p9 d&;p*;< 04;p;;Z;9;T4;pH;:9.: :p"; $=p&;p;p <9p H;;; @9 9 $:g; (:Hp^:a<`5 Z+`hXXXX(YXYYYYZHZxZZZ[8[h[[[[(\\xX\\\\]H]x]]]^8^h^^^^(_X___̍_`H`x``@,~@,~@,~@,~@,~@,~@,~@,~@,@,@, @,0@,@@,P@,`@,p@,@,@,@,@,@,@,@,@,@,@, @,0@,@@,P@,`@,p@,@,@,@,@,@,Ѐ@,@,@,@,@, @,0@,@@,P@,`@,p@,@,@,@,@$D6HHHL_/PdTb/X/h2 ><T /X~ /Y /Z/[ t+\.H` Hd Hh HllHpKHtX x d| 6 /d\d`dtXx/hdl/P/Q /RdTt+X'/\./]Vf`HH  j  b/$&/0'/`./aVfd)/\Vf\L+R+^+R+F t+ * /x2 H3 \ 5><P5><T5><X7><\q5><`56d46hN5/l;5/m</n"5/o ;/09/1</24;><4&;><8;><<9><@:I<D$=HH1b  1XzKl= `    .8~ a 2 Xh 5Zu.'b !j\!!!!.'F +L++^+,223:4 "5*7<<;5G7N5h74z757q5777585.85S8 9<<<;<&;=$=7=:n=9=4;=;=     ȉ   H `    L.VL]L`jLtqL|LLB0LL,$$GLGLZL8,$L//̥//LLĸ, ;4#T6tg   63T9N'+<#C$# DK#E#p FEc2p03D3W3li3&.)N!`!Ip$} pQ"`DppSDppSCRBUDppSDppSDppSGpSDppSGpSDppSGpSDppSGpSCRBpSCRBUCRBUCRBUDppSCRBUCRBUDppSCRBUDppSCRBpSCRBUDppSCRBpSCRBpSDppSDppSCRCTDppSDppSDppSGpSDppSDppSCRBpSDppSCRBUCRBUDppSCRBUDppSCRBUISISISISISISISDpSISDpSISDpSISDpSDpSDpSDpSISDpSISDpSISDpSISISDpSISISDpSISISDpSISISISISDpSDpSDpSISISISISISK`B`B`rB\BSBSB`B`B`B`B`B`9B`'B\B`]B`B`B`0B`B\B`B`$BVBYBVBSB`$BSB\B\BSB`B`BSB`B`B\B`QB`*B`QC3 pRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRBRARARARARARARARBRBRARARARARARARARARARARARARARARARARBRARARARARBRARBRARARARARBRARARBRARARARARARBRBRARARBRBRBRARARBRBRBRBRARARARARARARARARARARBRARARARARARARARARCXB`BVBRBZBTB\BTBVBRBRB`B`B SBSBSBSBSBSBSBVBSBVBSBSBSBSBYBVDSDSDSDRAp RAp RApSBVBVBYBSB`BS !ppp Q@dyld_stub_binderQq@___CFConstantStringClassReference$} @_NSZeroRectq@_NSApp@_NSFontAttributeNameq@_NSForegroundColorAttributeName@_NSShadowAttributeName@_NSUnderlineStyleAttributeName@_NSWindowDidResizeNotificationqq@_CFMakeCollectableq @_CFReleaseq@_CFUUIDCreateq@_CFUUIDCreateStringq@_CGContextRestoreGStateq@_CGContextSaveGStateq @_CGContextSetShouldSmoothFontsq$@_Gestaltq(@_NSClassFromStringq,@_NSDrawThreePartImageq0@_NSInsetRectq4@_NSIntegralRectq8@_NSIsEmptyRectq<@_NSOffsetRectq@@_NSPointInRectqD@_NSRectFillqH@_NSRectFillUsingOperationqL@_ceilfqP@_floorfqT@_fmaxfqX@_fminfq\@_modfq`@_objc_assign_globalqd@_objc_assign_ivarqh@_objc_enumerationMutationql@_objc_getPropertyqp@_objc_msgSendqt@_objc_msgSendSuperqx@_objc_msgSendSuper_stretq|@_objc_msgSend_fpretq@_objc_msgSend_stretq@_objc_setPropertyq@_roundf_.objc_cVcompareViewsJBWSelectableToolbarItemClickedNotificationP lass_name_BWxategory_name_NS TSARemoveBottomBarInsetTextFieldCustomViewUnanchoredButtonHyperlinkButtonGradientBoxoransparentexturedSliderolbarkenShowItemColorsItemFontsItem  electableToolbarplitViewheetControllertyledTextFieldȱ HelperddnchoredRegularBottomBarSMiniBottomBar  ز ButtonCheckboxPopUpButtonST Cell  Cell ȴ Cell lidercroll Cellص   Cell mallBottomBarheetBottomBar ButtonPopUpButtonBarȷ  Cell ظ ableViewextFieldCell Cell  Cell Ⱥ  Cellontainer ػ  Viewer   FieldAttachmentCellȽ Cell  ؾ    Cell   Cell Window_BWAdditions View_BWAdditions String_BWAdditions Image_BWAdditions Event_BWAdditions Color_BWAdditions Application_BWAdditions         &,28>DJPV\ t z $4DTdt$4DTdt@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@ @@@AA(A8AHAXAhAxAAAAAAAAABB(B8BHBXBhBxBBBBBBBBBCC(C8CHCXChCxCCCCCCCCCDD(D8DHDXDhDxDDDDDDDDDEE(E8EHEXEhExEEEEEEEEEFF(F8FHFXFhFxFFFFFFFFFGG(G8GHGXGhGxGGGGGGGGGHH(H8HHHXHhHxHHHHHPPP PPPPP P$P(P,P0P4P8PN>.h$$fNf.Jh$J$N.i$$PNP.nBi$n$N. ki$ $N.i$$N.i$$N.6i$6$N.j$$0N0., kj$, $&N&.R j$R $N. j$ $RNR.B!j$B!$RNR.!k$!$xNx. "Hk$ "$N.#nk$#$<N<.L#k$L#$.N..z#k$z#$<N<.#k$#$ N .~1l$~1$&N&.3/l$3$<N<.6_l$6$N.;l$;$4N4.<l$<$rNr.D=l$D=$tNt.>%m$>$tNt.,@Wm$,@$N.0Avm$0A$RNR.Bm$B$N.2Cm$2C$N.En$E$N.M$n$M$N.OOn$O$N.O~n$O$Nn n& Hn& Hdcdnd ofnYK.Po$Po$&N&.Qo$Qp$N.QHp$Q$2N2.Rkp$R$JNJdcdpdpfnYK.0Sq$0S$%N%dcd6qdIqfnYK.VSq$VSq$tNtdcdrd+rfnYK.Sr$S$ N .Sr$Sr$N.S0s$S$<N<.TYs$T$N.Us$U$N..Vs$.V$ N .8Ys$8Y$ N .BZt$BZ$}N}Nt& H\t& Hkt& Hxt& Ht& Ht& Ht& Ht& HdcdtdtfnYK.ZTu$Z$ N .Z}u$Zu$N.Zu$Z$^N^..[v$.[$N.\:v$\$zNz.]gv$]$2N2.`v$`$tNt.(cv$(c$N.cw$c$^N^N>.y]}$y$N}& $I}& (I}& ,I}& 0I}& 4I}& 8I}& N>.|$|$~N~.v($v$<N<.E$$<N<.b$$<N<.*~$*$<N<.f$f$<N<.р$$.N..Ѐ$Ѐ$<N<. 8$ $.N..:h$:$<N<.v$v$.N..΁$$<N<.$$.N..$$&N&.4?$4$N..V$.$rNr.n$$rNr.$$rNr.$$rNr.$$N.z͂$z$vNv.$$4N4.$$$$lNl.)$$RNR.I$$N.}$$N.:$:$LNL.Ճ$$RNR.آ$آ$N.ȦP$Ȧ$lNl.4$4$N.$$N. ބ$ $N.$$N.$$$NNN.ֵE$ֵ$XNX..q$.$N.$$N.$$N.Ĺ$Ĺ$N.l\$l$N.$$ZNZ.h$h$XNX.$$N.XW$X$ N .d$d$N.>$>$N.Ç$$ZNZ.*$*$N.. $.$ N .8P$8$dNd.$$N.*$*$hNh.ˈ$$:N:.$$DND.!$$bNb.r?$r$VNV.d$$^N^.&$&$dNd.$$DND.ډ$$~N~.L$L$N."$$DND.B>$B$N.:_$:$N.<$<$N."$"$DND.fNJ$f$tNt& H& @I& DI & HI& LI1& PIE& TIdcdWdjfnYK.ދ$$ N .2$$N.U$$N.~t$~$<N<.$$.N..$$<N<.$֌$$$.N..R$R$dNd.$$hNh.9$$hNh.b$$N.$$vNv.$$N.xʍ$x$N.h$h$N.*$*$N.,$$N..S$.$^N^.w$$:N:.$$N& XI͎& \Iގ& `I& dIdcddfnYK.$$N.$ޏ$N.$$N.=$$N.k$$ N .$$ N .$$N.$$ZNZ.B$B$ZNZ.8$$tNt.r$$,N,.<$<$N.Ñ$$xNx.T$T$N& hI & lI-& pI=& tIN& xIdcd^dtfnYK.$$&N&. $/$N.c$$2N2.$$JNJdcddfnYK.05$0[$N.B$B$ N .N$N$ N .Z$Z$N.h$h$ N .t7$t$N.^$$ N .$$ N .$$ N .˕$$(N(. $ $&N&. $ $fNf.n U$n $lNl. $ $N. $ $tNt. ?$ $fNf. t$ $N.$$tNt.|$|$tNt.:$$N.$$N.$$N.T̘$T$N.$$N.$$N.VF$V$N.m$$ZNZ.6$6$N.&͙$&$N.:$:$N. '$ $N.!K$!$ N ."s$"$N& |I& I& I& Iך& I& I& I & I& I'& I7& IJ& IdcdWdjfnYK.t#ޛ$t#$ N .#6$#$N.#a$#$ N .#$#$N.#$#$N.*$Ԝ$*$$pNp.$$$$RNRdcd d$fnYK.$$$$ N .$$$$N.$$$$2N2..%M$.%$N.B+$B+$<N<.~+$~+$2N2.,ʞ$,$zNz.*3$*3$N.4!$4$<N<.5D$5$N.5p$5$N& I& I& Iϟ& I& I& I& I!& I3& IF& IU& Ih& I|& I& I& I& I& Idcdd̠fnYK.6C$6$MNMdcdסdfnYK.9d$9$FNF.<Ѣ$<$NdcddfnYK.<$<̣$ N .<$<$N.<<$<$N.=m$=$N.$=$$=$N.>Τ$>$<N<.?$?$.N..4?>$4?$<N<.p?w$p?$.N..?$?$<N<.?$?$.N..@$@$<N<.D@@$D@$.N..r@l$r@$N.A$A$N.B$B$UNUdcddfnYK.Cp$C$,N,. D˧$ D$[N[dcddfnYK.hE$hE$*N*.EȨ$E$JNJ.E$E$.N.. F$ F$Ndcd6dOfnYK.Fɩ$F$N.F*$F$N.F\$F$N.G$G$*N*.G$G$N.HϪ$H$N.K$K$HNH.HKA$HK$mNmu& I& I& IdcddfnYK.K7$Ks$xNx..N$.N$N.N$N$N.OK$O$NdcddfnYK.P$P<$ N .Pr$P$N.P$P$ N .Pͮ$P$N.P$P$N.FQ$$FQ$pNp.QC$Q$RNRdcdgdfnYK.R$R$ N .R)$RV$N.R$R$2N2.JRŰ$JR$LNL.X $X$<N<.X2$X$2N2.Z_$Z$ N .$a$$a$N.2c$2c$N.d$d$<N<.Pd$Pd$N.&eI$&e$.N..Thx$Th$N& I& J̲& Jܲ& J& J & J& J.& J@& JS& Jb& $Ju& (J& ,J& 0J& 4J& 8J& $HNH.̥t$̥$HNH.$$N.$$N.ެ$ެ$N.$$nNn.J$$N.l$$N.$$N.$$N& J& J& J& J& J)& J2& J=& JQ& J[& Jg& Jy& J& J& J& JdcddfnYK.jF$jt$ZNZ.ĸ$ĸ$wNw& JdcddfnYK.<e$<$|N|.$$.N..$$NNN.4$4$N.$$tNtdcd6dMfnYK.$$YNYdcd d6fnYK.$$FNF.& $&$FNF.l5$l$FNF._$$FNF.$$ENEdcddfnYK.>?$>^$ N .J$J$JNJ.$$N.0$0$|N|.$$<N<. $$NNN.6=$6$N.c$$tNtdcddfnYK.,$,$N.2N$2t$N.8$8$ N .B$B$ N dcddfnYK.Px$P$ N .Z$Z$ N .f$f$N.t$t$ N .$$N.?$$ N .`$$N.$$ N .$$N.$$ N .$$N. $$ N .,$$N.O$$ N . r$ $ N .$$ N ."$"$ N ..$.$ N .:$:$N. $$vNv.R1$R$vNv.U$$vNv.>z$>$vNv.$$vNv.*$*$*N*.T$T$N.$$Ndcdd1fnYK.$$>N>.$$^N^.Z$Z$>N>.=$$^N^.d$$:N:.0$0$^N^.$$>N>.$$^N^.*$*$:N:.d$d$^N^.:$$:N:.[$$^N^.Z$Z$:N:.$$]N]dcddfnYK.U$y$ N .$$ N . $ $ N .$$ N ." $"$ N ..@$.$ N .:c$:$N.H$H$ N .T$T$ N .`$`$BNB.$$<N<."$$<N<.R$$.N..H~$H$nNn.$$,N,.$$^N^.@$@$vNv.#$$nNn.$L$$$nNn.w$$N.$$N.($($N.$$N.!$$N.^J$^$N.k$$DND.Z$Z$NdcddfnYK.NU$N$ENEd-@"j4FXj|(;RddvX/eJ9`n  69, R  B!;!f "#L#z##/~1M3}6;<D=C>u,@0AB2CEBMmOOPQ Q/ RU 0Sq VS S S S TE U| .V 8Y BZ Z- ZZ Z .[ \ ] `> (cy c  e e e< Vew f h `j&nA0oupq qq(q[tqttu|wAykDzTz`zlzxzzFzszzz|v (D*`fЀ .:cv4.4Le~z$Cj:آȦJ4  ֵ7.bĹ"l_hXPdj>*.8El*r*L&sLB%:O<q"f~4Rt$R!Ahxh*.5Z~, P x  B !'!<V!!T!!! "/"0U"B~"N"Z"h"t$#F#k### # $n r$ $ % :% v%%|&J&i&&T&& 'V3'a'6'&':' (!9("_(t#(#(#(#)#$)*$>)$])$)$)$).% *B+.*~+V*,y**3*4*5*5*+6+9+<+<%,<[,<,=,$=,>'-?]-4?-p?-?-?/.@_.D@.r@.A.B/C&/ DW/E}/E/ F/F/F!0FK0Go0G0H0K1HK:1Kv1.N1N2OG2Ps2P2P2P2P%3FQD3Qh3R3R3R3JR94X`4X4Z4$a42c5dF5Pdw5&e5Th5Bi5y6}86~T6~u6~6687 -7zK7f777J7278D8h8t888(8+9ԌH9m99Ȏ9r994:f9:|:B:: ;~:;^;&;;;̥<<<`<ެ<<<<=G=ju=ĸ=<===4>A>g>>&>l>?[?J}??0??@6.@T@,@2@8@B@PAZ4AfVAtsAAAAABCD*0DTRDrDDDZDDE0DEeEE*EdEEFZ:F^FFF FF"G.6G:]GHGTG`GG%HQHHzHHH@HI$JIII(IIJ^>JeJZJNJZJ HJ HJ HJ H K HK H'K H4K HBK HOK H\K HjK HwK HK HK HK HK HK HK HK HK IK IL IL IL I*L I7L IGL ISL I`L $ImL (IzL ,IL 0IL 4IL 8IL N INN IXN IhN I{N IN IN IN IN IN IN IN I O IO I0O I?O IRO IfO ItO IO IO IO IO IO IO IO IO JO JO JP J)P J9P JJP J\P JoP J~P $JP (JP ,JP 0JP 4JP 8JP ? @ A B C D E F G H I J K L M N O P Q R S T U V W X Y Z [ \ ] ^ _ ` a b c d e f g h i j k l m n o p q r s t u v w x y z { | } ~                  __mh_dylib_headerdyld_stub_binding_helper__dyld_func_lookup-[BWToolbarShowColorsItem itemIdentifier]-[BWToolbarShowColorsItem label]-[BWToolbarShowColorsItem paletteLabel]-[BWToolbarShowColorsItem action]-[BWToolbarShowColorsItem toolTip]-[BWToolbarShowColorsItem image]-[BWToolbarShowColorsItem target]-[BWToolbarShowFontsItem itemIdentifier]-[BWToolbarShowFontsItem label]-[BWToolbarShowFontsItem paletteLabel]-[BWToolbarShowFontsItem action]-[BWToolbarShowFontsItem toolTip]-[BWToolbarShowFontsItem image]-[BWToolbarShowFontsItem target]-[BWSelectableToolbar toolbarDefaultItemIdentifiers:]-[BWSelectableToolbar toolbarAllowedItemIdentifiers:]-[BWSelectableToolbar isPreferencesToolbar]-[BWSelectableToolbar documentToolbar]-[BWSelectableToolbar editableToolbar]-[BWSelectableToolbar awakeFromNib]-[BWSelectableToolbar selectFirstItem]-[BWSelectableToolbar selectInitialItem]-[BWSelectableToolbar toggleActiveView:]-[BWSelectableToolbar identifierAtIndex:]-[BWSelectableToolbar setEnabled:forIdentifier:]-[BWSelectableToolbar validateToolbarItem:]-[BWSelectableToolbar toolbar:itemForItemIdentifier:willBeInsertedIntoToolbar:]-[BWSelectableToolbar toolbarSelectableItemIdentifiers:]-[BWSelectableToolbar selectedIndex]-[BWSelectableToolbar setSelectedIndex:]-[BWSelectableToolbar setDocumentToolbar:]-[BWSelectableToolbar setEditableToolbar:]-[BWSelectableToolbar initWithCoder:]-[BWSelectableToolbar setHelper:]-[BWSelectableToolbar helper]-[BWSelectableToolbar setEnabledByIdentifier:]-[BWSelectableToolbar switchToItemAtIndex:animate:]-[BWSelectableToolbar labels]-[BWSelectableToolbar setIsPreferencesToolbar:]-[BWSelectableToolbar selectableItemIdentifiers]-[BWSelectableToolbar windowDidResize:]-[BWSelectableToolbar enabledByIdentifier]-[BWSelectableToolbar setSelectedItemIdentifierWithoutAnimation:]-[BWSelectableToolbar setSelectedItemIdentifier:]-[BWSelectableToolbar dealloc]-[BWSelectableToolbar setItemSelectors]-[BWSelectableToolbar selectItemAtIndex:]-[BWSelectableToolbar toolbarIndexFromSelectableIndex:]-[BWSelectableToolbar initialSetup]-[BWSelectableToolbar initWithIdentifier:]-[BWSelectableToolbar _defaultItemIdentifiers]-[BWSelectableToolbar encodeWithCoder:]-[BWAddRegularBottomBar bounds]-[BWAddRegularBottomBar initWithCoder:]-[BWAddRegularBottomBar drawRect:]-[BWAddRegularBottomBar awakeFromNib]-[BWRemoveBottomBar bounds]-[BWInsetTextField initWithCoder:]-[BWTransparentButtonCell controlSize]-[BWTransparentButtonCell setControlSize:]-[BWTransparentButtonCell interiorColor]-[BWTransparentButtonCell drawBezelWithFrame:inView:]-[BWTransparentButtonCell drawImage:withFrame:inView:]+[BWTransparentButtonCell initialize]-[BWTransparentButtonCell _textAttributes]-[BWTransparentButtonCell drawTitle:withFrame:inView:]-[BWTransparentCheckboxCell controlSize]-[BWTransparentCheckboxCell setControlSize:]-[BWTransparentCheckboxCell isInTableView]-[BWTransparentCheckboxCell interiorColor]-[BWTransparentCheckboxCell _textAttributes]+[BWTransparentCheckboxCell initialize]-[BWTransparentCheckboxCell drawImage:withFrame:inView:]-[BWTransparentCheckboxCell drawInteriorWithFrame:inView:]-[BWTransparentCheckboxCell drawTitle:withFrame:inView:]-[BWTransparentPopUpButtonCell controlSize]-[BWTransparentPopUpButtonCell setControlSize:]-[BWTransparentPopUpButtonCell interiorColor]-[BWTransparentPopUpButtonCell drawBezelWithFrame:inView:]-[BWTransparentPopUpButtonCell drawImageWithFrame:inView:]-[BWTransparentPopUpButtonCell imageRectForBounds:]+[BWTransparentPopUpButtonCell initialize]-[BWTransparentPopUpButtonCell _textAttributes]-[BWTransparentPopUpButtonCell titleRectForBounds:]-[BWTransparentSliderCell _usesCustomTrackImage]-[BWTransparentSliderCell setTickMarkPosition:]-[BWTransparentSliderCell controlSize]-[BWTransparentSliderCell setControlSize:]-[BWTransparentSliderCell startTrackingAt:inView:]+[BWTransparentSliderCell initialize]-[BWTransparentSliderCell stopTracking:at:inView:mouseIsUp:]-[BWTransparentSliderCell knobRectFlipped:]-[BWTransparentSliderCell drawKnob:]-[BWTransparentSliderCell drawBarInside:flipped:]-[BWTransparentSliderCell initWithCoder:]-[BWSplitView animationEnded]-[BWSplitView secondaryDelegate]-[BWSplitView collapsibleSubviewCollapsed]-[BWSplitView dividerCanCollapse]-[BWSplitView setDividerCanCollapse:]-[BWSplitView collapsiblePopupSelection]-[BWSplitView setCollapsiblePopupSelection:]-[BWSplitView setCheckboxIsEnabled:]-[BWSplitView colorIsEnabled]-[BWSplitView initWithCoder:]+[BWSplitView initialize]-[BWSplitView setMinValues:]-[BWSplitView setMaxValues:]-[BWSplitView setMinUnits:]-[BWSplitView setMaxUnits:]-[BWSplitView setResizableSubviewPreferredProportion:]-[BWSplitView resizableSubviewPreferredProportion]-[BWSplitView setNonresizableSubviewPreferredSize:]-[BWSplitView nonresizableSubviewPreferredSize]-[BWSplitView setStateForLastPreferredCalculations:]-[BWSplitView stateForLastPreferredCalculations]-[BWSplitView setToggleCollapseButton:]-[BWSplitView toggleCollapseButton]-[BWSplitView setSecondaryDelegate:]-[BWSplitView dealloc]-[BWSplitView maxUnits]-[BWSplitView minUnits]-[BWSplitView maxValues]-[BWSplitView minValues]-[BWSplitView color]-[BWSplitView setColor:]-[BWSplitView setColorIsEnabled:]-[BWSplitView checkboxIsEnabled]-[BWSplitView setDividerStyle:]-[BWSplitView splitView:resizeSubviewsWithOldSize:]-[BWSplitView resizeAndAdjustSubviews]-[BWSplitView clearPreferredProportionsAndSizes]-[BWSplitView validateAndCalculatePreferredProportionsAndSizes]-[BWSplitView correctCollapsiblePreferredProportionOrSize]-[BWSplitView validatePreferredProportionsAndSizes]-[BWSplitView recalculatePreferredProportionsAndSizes]-[BWSplitView subviewMaximumSize:]-[BWSplitView subviewMinimumSize:]-[BWSplitView subviewIsResizable:]-[BWSplitView resizableSubviews]-[BWSplitView splitViewWillResizeSubviews:]-[BWSplitView splitViewDidResizeSubviews:]-[BWSplitView splitView:effectiveRect:forDrawnRect:ofDividerAtIndex:]-[BWSplitView splitView:constrainSplitPosition:ofSubviewAt:]-[BWSplitView splitView:constrainMinCoordinate:ofSubviewAt:]-[BWSplitView splitView:constrainMaxCoordinate:ofSubviewAt:]-[BWSplitView splitView:shouldCollapseSubview:forDoubleClickOnDividerAtIndex:]-[BWSplitView splitView:canCollapseSubview:]-[BWSplitView splitView:additionalEffectiveRectOfDividerAtIndex:]-[BWSplitView splitView:shouldHideDividerAtIndex:]-[BWSplitView mouseDown:]-[BWSplitView toggleCollapse:]-[BWSplitView restoreAutoresizesSubviews:]-[BWSplitView removeMinSizeForCollapsibleSubview]-[BWSplitView setMinSizeForCollapsibleSubview:]-[BWSplitView setCollapsibleSubviewCollapsed:]-[BWSplitView collapsibleDividerIndex]-[BWSplitView hasCollapsibleDivider]-[BWSplitView animationDuration]-[BWSplitView setCollapsibleSubviewCollapsedHelper:]-[BWSplitView adjustSubviews]-[BWSplitView hasCollapsibleSubview]-[BWSplitView collapsibleSubview]-[BWSplitView collapsibleSubviewIndex]-[BWSplitView collapsibleSubviewIsCollapsed]-[BWSplitView subviewIsCollapsed:]-[BWSplitView subviewIsCollapsible:]-[BWSplitView setDelegate:]-[BWSplitView drawDimpleInRect:]-[BWSplitView drawGradientDividerInRect:]-[BWSplitView drawDividerInRect:]-[BWSplitView awakeFromNib]-[BWSplitView encodeWithCoder:]-[BWTexturedSlider indicatorIndex]-[BWTexturedSlider initWithCoder:]+[BWTexturedSlider initialize]-[BWTexturedSlider setMinButton:]-[BWTexturedSlider minButton]-[BWTexturedSlider setMaxButton:]-[BWTexturedSlider maxButton]-[BWTexturedSlider dealloc]-[BWTexturedSlider resignFirstResponder]-[BWTexturedSlider becomeFirstResponder]-[BWTexturedSlider scrollWheel:]-[BWTexturedSlider setEnabled:]-[BWTexturedSlider setIndicatorIndex:]-[BWTexturedSlider drawRect:]-[BWTexturedSlider hitTest:]-[BWTexturedSlider setSliderToMaximum]-[BWTexturedSlider setSliderToMinimum]-[BWTexturedSlider setTrackHeight:]-[BWTexturedSlider trackHeight]-[BWTexturedSlider encodeWithCoder:]-[BWTexturedSliderCell controlSize]-[BWTexturedSliderCell setControlSize:]-[BWTexturedSliderCell numberOfTickMarks]-[BWTexturedSliderCell setNumberOfTickMarks:]-[BWTexturedSliderCell _usesCustomTrackImage]-[BWTexturedSliderCell trackHeight]-[BWTexturedSliderCell setTrackHeight:]-[BWTexturedSliderCell startTrackingAt:inView:]+[BWTexturedSliderCell initialize]-[BWTexturedSliderCell stopTracking:at:inView:mouseIsUp:]-[BWTexturedSliderCell drawKnob:]-[BWTexturedSliderCell drawBarInside:flipped:]-[BWTexturedSliderCell encodeWithCoder:]-[BWTexturedSliderCell initWithCoder:]-[BWAddSmallBottomBar bounds]-[BWAddSmallBottomBar initWithCoder:]-[BWAddSmallBottomBar drawRect:]-[BWAddSmallBottomBar awakeFromNib]+[BWAnchoredButtonBar wasBorderedBar]-[BWAnchoredButtonBar splitViewDelegate]-[BWAnchoredButtonBar handleIsRightAligned]-[BWAnchoredButtonBar setHandleIsRightAligned:]-[BWAnchoredButtonBar isResizable]-[BWAnchoredButtonBar setIsResizable:]-[BWAnchoredButtonBar isAtBottom]-[BWAnchoredButtonBar selectedIndex]-[BWAnchoredButtonBar initWithCoder:]+[BWAnchoredButtonBar initialize]-[BWAnchoredButtonBar setSplitViewDelegate:]-[BWAnchoredButtonBar splitView:shouldHideDividerAtIndex:]-[BWAnchoredButtonBar splitView:shouldCollapseSubview:forDoubleClickOnDividerAtIndex:]-[BWAnchoredButtonBar splitView:effectiveRect:forDrawnRect:ofDividerAtIndex:]-[BWAnchoredButtonBar splitView:constrainSplitPosition:ofSubviewAt:]-[BWAnchoredButtonBar splitView:canCollapseSubview:]-[BWAnchoredButtonBar splitView:resizeSubviewsWithOldSize:]-[BWAnchoredButtonBar splitView:constrainMaxCoordinate:ofSubviewAt:]-[BWAnchoredButtonBar splitView:constrainMinCoordinate:ofSubviewAt:]-[BWAnchoredButtonBar splitView:additionalEffectiveRectOfDividerAtIndex:]-[BWAnchoredButtonBar dealloc]-[BWAnchoredButtonBar setSelectedIndex:]-[BWAnchoredButtonBar setIsAtBottom:]-[BWAnchoredButtonBar splitView]-[BWAnchoredButtonBar dividerIndexNearestToHandle]-[BWAnchoredButtonBar isInLastSubview]-[BWAnchoredButtonBar viewDidMoveToSuperview]-[BWAnchoredButtonBar drawLastButtonInsetInRect:]-[BWAnchoredButtonBar drawResizeHandleInRect:withColor:]-[BWAnchoredButtonBar drawRect:]-[BWAnchoredButtonBar awakeFromNib]-[BWAnchoredButtonBar encodeWithCoder:]-[BWAnchoredButtonBar initWithFrame:]-[BWAnchoredButton isAtRightEdgeOfBar]-[BWAnchoredButton setIsAtRightEdgeOfBar:]-[BWAnchoredButton isAtLeftEdgeOfBar]-[BWAnchoredButton setIsAtLeftEdgeOfBar:]-[BWAnchoredButton initWithCoder:]-[BWAnchoredButton frame]-[BWAnchoredButton mouseDown:]-[BWAnchoredButtonCell controlSize]-[BWAnchoredButtonCell setControlSize:]-[BWAnchoredButtonCell highlightRectForBounds:]-[BWAnchoredButtonCell drawBezelWithFrame:inView:]-[BWAnchoredButtonCell textColor]-[BWAnchoredButtonCell _textAttributes]+[BWAnchoredButtonCell initialize]-[BWAnchoredButtonCell drawImage:withFrame:inView:]-[BWAnchoredButtonCell imageColor]-[BWAnchoredButtonCell titleRectForBounds:]-[BWAnchoredButtonCell drawWithFrame:inView:]-[NSColor(BWAdditions) bwDrawPixelThickLineAtPosition:withInset:inRect:inView:horizontal:flip:]-[NSImage(BWAdditions) bwRotateImage90DegreesClockwise:]-[NSImage(BWAdditions) bwTintedImageWithColor:]-[BWSelectableToolbarHelper isPreferencesToolbar]-[BWSelectableToolbarHelper setIsPreferencesToolbar:]-[BWSelectableToolbarHelper initialIBWindowSize]-[BWSelectableToolbarHelper setInitialIBWindowSize:]-[BWSelectableToolbarHelper initWithCoder:]-[BWSelectableToolbarHelper setContentViewsByIdentifier:]-[BWSelectableToolbarHelper contentViewsByIdentifier]-[BWSelectableToolbarHelper setWindowSizesByIdentifier:]-[BWSelectableToolbarHelper windowSizesByIdentifier]-[BWSelectableToolbarHelper setSelectedIdentifier:]-[BWSelectableToolbarHelper selectedIdentifier]-[BWSelectableToolbarHelper setOldWindowTitle:]-[BWSelectableToolbarHelper oldWindowTitle]-[BWSelectableToolbarHelper dealloc]-[BWSelectableToolbarHelper encodeWithCoder:]-[BWSelectableToolbarHelper init]-[NSWindow(BWAdditions) bwIsTextured]-[NSWindow(BWAdditions) bwResizeToSize:animate:]-[NSView(BWAdditions) bwBringToFront]-[NSView(BWAdditions) bwTurnOffLayer]-[NSView(BWAdditions) bwAnimator]-[BWTransparentTableView backgroundColor]-[BWTransparentTableView _highlightColorForCell:]-[BWTransparentTableView addTableColumn:]+[BWTransparentTableView cellClass]+[BWTransparentTableView initialize]-[BWTransparentTableView highlightSelectionInClipRect:]-[BWTransparentTableView _alternatingRowBackgroundColors]-[BWTransparentTableView drawBackgroundInClipRect:]-[BWTransparentTableViewCell drawInteriorWithFrame:inView:]-[BWTransparentTableViewCell editWithFrame:inView:editor:delegate:event:]-[BWTransparentTableViewCell selectWithFrame:inView:editor:delegate:start:length:]-[BWTransparentTableViewCell drawingRectForBounds:]-[BWAnchoredPopUpButton isAtRightEdgeOfBar]-[BWAnchoredPopUpButton setIsAtRightEdgeOfBar:]-[BWAnchoredPopUpButton isAtLeftEdgeOfBar]-[BWAnchoredPopUpButton setIsAtLeftEdgeOfBar:]-[BWAnchoredPopUpButton initWithCoder:]-[BWAnchoredPopUpButton frame]-[BWAnchoredPopUpButton mouseDown:]-[BWAnchoredPopUpButtonCell controlSize]-[BWAnchoredPopUpButtonCell setControlSize:]-[BWAnchoredPopUpButtonCell highlightRectForBounds:]-[BWAnchoredPopUpButtonCell drawBorderAndBackgroundWithFrame:inView:]-[BWAnchoredPopUpButtonCell textColor]-[BWAnchoredPopUpButtonCell _textAttributes]+[BWAnchoredPopUpButtonCell initialize]-[BWAnchoredPopUpButtonCell drawImageWithFrame:inView:]-[BWAnchoredPopUpButtonCell imageRectForBounds:]-[BWAnchoredPopUpButtonCell imageColor]-[BWAnchoredPopUpButtonCell titleRectForBounds:]-[BWAnchoredPopUpButtonCell drawArrowInFrame:]-[BWAnchoredPopUpButtonCell drawWithFrame:inView:]-[BWCustomView drawRect:]-[BWCustomView drawTextInRect:]-[BWUnanchoredButton initWithCoder:]-[BWUnanchoredButton frame]-[BWUnanchoredButton mouseDown:]-[BWUnanchoredButtonCell highlightRectForBounds:]-[BWUnanchoredButtonCell drawBezelWithFrame:inView:]+[BWUnanchoredButtonCell initialize]-[BWUnanchoredButtonContainer awakeFromNib]-[BWSheetController delegate]-[BWSheetController sheet]-[BWSheetController parentWindow]-[BWSheetController awakeFromNib]-[BWSheetController encodeWithCoder:]-[BWSheetController openSheet:]-[BWSheetController closeSheet:]-[BWSheetController messageDelegateAndCloseSheet:]-[BWSheetController initWithCoder:]-[BWSheetController setParentWindow:]-[BWSheetController setSheet:]-[BWSheetController setDelegate:]-[BWTransparentScrollView initWithCoder:]+[BWTransparentScrollView _verticalScrollerClass]-[BWAddMiniBottomBar bounds]-[BWAddMiniBottomBar initWithCoder:]-[BWAddMiniBottomBar drawRect:]-[BWAddMiniBottomBar awakeFromNib]-[BWAddSheetBottomBar bounds]-[BWAddSheetBottomBar initWithCoder:]-[BWAddSheetBottomBar drawRect:]-[BWAddSheetBottomBar awakeFromNib]-[BWTokenFieldCell setUpTokenAttachmentCell:forRepresentedObject:]-[BWTokenAttachmentCell pullDownImage]-[BWTokenAttachmentCell arrowInHighlightedState:]-[BWTokenAttachmentCell drawTokenWithFrame:inView:]-[BWTokenAttachmentCell interiorBackgroundStyle]+[BWTokenAttachmentCell initialize]-[BWTokenAttachmentCell pullDownRectForBounds:]-[BWTokenAttachmentCell _textAttributes]+[BWTransparentScroller scrollerWidth]+[BWTransparentScroller scrollerWidthForControlSize:]-[BWTransparentScroller initWithFrame:]+[BWTransparentScroller initialize]-[BWTransparentScroller rectForPart:]-[BWTransparentScroller _drawingRectForPart:]-[BWTransparentScroller drawKnob]-[BWTransparentScroller drawKnobSlot]-[BWTransparentScroller drawRect:]-[BWTransparentScroller initWithCoder:]-[BWTransparentTextFieldCell _textAttributes]+[BWTransparentTextFieldCell initialize]-[BWToolbarItem initWithCoder:]-[BWToolbarItem identifierString]-[BWToolbarItem dealloc]-[BWToolbarItem setIdentifierString:]-[BWToolbarItem encodeWithCoder:]+[NSString(BWAdditions) bwRandomUUID]+[NSEvent(BWAdditions) bwShiftKeyIsDown]+[NSEvent(BWAdditions) bwCommandKeyIsDown]+[NSEvent(BWAdditions) bwOptionKeyIsDown]+[NSEvent(BWAdditions) bwControlKeyIsDown]+[NSEvent(BWAdditions) bwCapsLockKeyIsDown]-[BWHyperlinkButton urlString]-[BWHyperlinkButton awakeFromNib]-[BWHyperlinkButton openURLInBrowser:]-[BWHyperlinkButton initWithCoder:]-[BWHyperlinkButton setUrlString:]-[BWHyperlinkButton dealloc]-[BWHyperlinkButton resetCursorRects]-[BWHyperlinkButton encodeWithCoder:]-[BWHyperlinkButtonCell drawBezelWithFrame:inView:]-[BWHyperlinkButtonCell setBordered:]-[BWHyperlinkButtonCell isBordered]-[BWHyperlinkButtonCell _textAttributes]-[BWGradientBox isFlipped]-[BWGradientBox hasFillColor]-[BWGradientBox setHasFillColor:]-[BWGradientBox hasGradient]-[BWGradientBox setHasGradient:]-[BWGradientBox hasBottomBorder]-[BWGradientBox setHasBottomBorder:]-[BWGradientBox hasTopBorder]-[BWGradientBox setHasTopBorder:]-[BWGradientBox bottomInsetAlpha]-[BWGradientBox setBottomInsetAlpha:]-[BWGradientBox topInsetAlpha]-[BWGradientBox setTopInsetAlpha:]-[BWGradientBox bottomBorderColor]-[BWGradientBox topBorderColor]-[BWGradientBox fillColor]-[BWGradientBox fillEndingColor]-[BWGradientBox fillStartingColor]-[BWGradientBox dealloc]-[BWGradientBox setBottomBorderColor:]-[BWGradientBox setTopBorderColor:]-[BWGradientBox setFillEndingColor:]-[BWGradientBox setFillStartingColor:]-[BWGradientBox setFillColor:]-[BWGradientBox drawRect:]-[BWGradientBox encodeWithCoder:]-[BWGradientBox initWithCoder:]-[BWStyledTextField hasShadow]-[BWStyledTextField setHasShadow:]-[BWStyledTextField shadowIsBelow]-[BWStyledTextField setShadowIsBelow:]-[BWStyledTextField shadowColor]-[BWStyledTextField setShadowColor:]-[BWStyledTextField hasGradient]-[BWStyledTextField setHasGradient:]-[BWStyledTextField startingColor]-[BWStyledTextField setStartingColor:]-[BWStyledTextField endingColor]-[BWStyledTextField setEndingColor:]-[BWStyledTextField solidColor]-[BWStyledTextField setSolidColor:]-[BWStyledTextFieldCell solidColor]-[BWStyledTextFieldCell hasGradient]-[BWStyledTextFieldCell endingColor]-[BWStyledTextFieldCell startingColor]-[BWStyledTextFieldCell shadow]-[BWStyledTextFieldCell hasShadow]-[BWStyledTextFieldCell setHasShadow:]-[BWStyledTextFieldCell shadowColor]-[BWStyledTextFieldCell shadowIsBelow]-[BWStyledTextFieldCell initWithCoder:]-[BWStyledTextFieldCell setShadow:]-[BWStyledTextFieldCell setPreviousAttributes:]-[BWStyledTextFieldCell previousAttributes]-[BWStyledTextFieldCell setShadowColor:]-[BWStyledTextFieldCell setShadowIsBelow:]-[BWStyledTextFieldCell setHasGradient:]-[BWStyledTextFieldCell setSolidColor:]-[BWStyledTextFieldCell setEndingColor:]-[BWStyledTextFieldCell setStartingColor:]-[BWStyledTextFieldCell drawInteriorWithFrame:inView:]-[BWStyledTextFieldCell applyGradient]-[BWStyledTextFieldCell awakeFromNib]-[BWStyledTextFieldCell changeShadow]-[BWStyledTextFieldCell _textAttributes]-[BWStyledTextFieldCell dealloc]-[BWStyledTextFieldCell copyWithZone:]-[BWStyledTextFieldCell encodeWithCoder:]+[NSApplication(BWAdditions) bwIsOnLeopard] stub helpersdyld__mach_header_scaleFactor_documentToolbar_editableToolbar_enabledColor_disabledColor_buttonFillN_buttonRightP_buttonFillP_buttonLeftP_buttonRightN_buttonLeftN_enabledColor_disabledColor_contentShadow_checkboxOffN_checkboxOnP_checkboxOnN_checkboxOffP_enabledColor_disabledColor_popUpFillN_pullDownRightP_popUpFillP_popUpLeftP_popUpRightP_pullDownRightN_popUpLeftN_popUpRightN_thumbPImage_thumbNImage_triangleThumbPImage_triangleThumbNImage_trackFillImage_trackRightImage_trackLeftImage_gradient_borderColor_dimpleImageBitmap_dimpleImageVector_gradientStartColor_gradientEndColor_smallPhotoImage_largePhotoImage_quietSpeakerImage_loudSpeakerImage_thumbPImage_thumbNImage_trackFillImage_trackRightImage_trackLeftImage_wasBorderedBar_gradient_topLineColor_borderedTopLineColor_resizeHandleColor_resizeInsetColor_bottomLineColor_sideInsetColor_topColor_middleTopColor_middleBottomColor_bottomColor_fillGradient_bottomBorderColor_sideInsetColor_borderedTopBorderColor_borderedSideBorderColor_topBorderColor_sideBorderColor_enabledTextColor_disabledTextColor_contentShadow_enabledImageColor_disabledImageColor_pressedColor_fillStop1_fillStop2_fillStop3_fillStop4_rowColor_altRowColor_highlightColor_fillGradient_bottomBorderColor_sideInsetColor_borderedTopBorderColor_borderedSideBorderColor_topBorderColor_sideBorderColor_enabledTextColor_disabledTextColor_contentShadow_enabledImageColor_disabledImageColor_pressedColor_pullDownArrow_fillStop1_fillStop2_fillStop3_fillStop4_fillGradient_topInsetColor_topBorderColor_borderColor_bottomInsetColor_fillStop1_fillStop2_fillStop3_fillStop4_pressedColor_highlightedArrowColor_arrowGradient_blueStrokeGradient_blueInsetGradient_blueGradient_highlightedBlueStrokeGradient_highlightedBlueInsetGradient_highlightedBlueGradient_textShadow_slotVerticalFill_backgroundColor_minKnobHeight_minKnobWidth_slotBottom_slotTop_slotRight_slotHorizontalFill_slotLeft_knobBottom_knobVerticalFill_knobTop_knobRight_knobHorizontalFill_knobLeft_textShadow.objc_category_name_NSApplication_BWAdditions.objc_category_name_NSColor_BWAdditions.objc_category_name_NSEvent_BWAdditions.objc_category_name_NSImage_BWAdditions.objc_category_name_NSString_BWAdditions.objc_category_name_NSView_BWAdditions.objc_category_name_NSWindow_BWAdditions.objc_class_name_BWAddMiniBottomBar.objc_class_name_BWAddRegularBottomBar.objc_class_name_BWAddSheetBottomBar.objc_class_name_BWAddSmallBottomBar.objc_class_name_BWAnchoredButton.objc_class_name_BWAnchoredButtonBar.objc_class_name_BWAnchoredButtonCell.objc_class_name_BWAnchoredPopUpButton.objc_class_name_BWAnchoredPopUpButtonCell.objc_class_name_BWCustomView.objc_class_name_BWGradientBox.objc_class_name_BWHyperlinkButton.objc_class_name_BWHyperlinkButtonCell.objc_class_name_BWInsetTextField.objc_class_name_BWRemoveBottomBar.objc_class_name_BWSelectableToolbar.objc_class_name_BWSelectableToolbarHelper.objc_class_name_BWSheetController.objc_class_name_BWSplitView.objc_class_name_BWStyledTextField.objc_class_name_BWStyledTextFieldCell.objc_class_name_BWTexturedSlider.objc_class_name_BWTexturedSliderCell.objc_class_name_BWTokenAttachmentCell.objc_class_name_BWTokenField.objc_class_name_BWTokenFieldCell.objc_class_name_BWToolbarItem.objc_class_name_BWToolbarShowColorsItem.objc_class_name_BWToolbarShowFontsItem.objc_class_name_BWTransparentButton.objc_class_name_BWTransparentButtonCell.objc_class_name_BWTransparentCheckbox.objc_class_name_BWTransparentCheckboxCell.objc_class_name_BWTransparentPopUpButton.objc_class_name_BWTransparentPopUpButtonCell.objc_class_name_BWTransparentScrollView.objc_class_name_BWTransparentScroller.objc_class_name_BWTransparentSlider.objc_class_name_BWTransparentSliderCell.objc_class_name_BWTransparentTableView.objc_class_name_BWTransparentTableViewCell.objc_class_name_BWTransparentTextFieldCell.objc_class_name_BWUnanchoredButton.objc_class_name_BWUnanchoredButtonCell.objc_class_name_BWUnanchoredButtonContainer_BWSelectableToolbarItemClickedNotification_compareViews.objc_class_name_NSAffineTransform.objc_class_name_NSAnimationContext.objc_class_name_NSApplication.objc_class_name_NSArchiver.objc_class_name_NSArray.objc_class_name_NSBezierPath.objc_class_name_NSBundle.objc_class_name_NSButton.objc_class_name_NSButtonCell.objc_class_name_NSColor.objc_class_name_NSCursor.objc_class_name_NSCustomView.objc_class_name_NSDictionary.objc_class_name_NSEvent.objc_class_name_NSFont.objc_class_name_NSGradient.objc_class_name_NSGraphicsContext.objc_class_name_NSImage.objc_class_name_NSMutableArray.objc_class_name_NSMutableAttributedString.objc_class_name_NSMutableDictionary.objc_class_name_NSNotificationCenter.objc_class_name_NSNumber.objc_class_name_NSObject.objc_class_name_NSPopUpButton.objc_class_name_NSPopUpButtonCell.objc_class_name_NSScreen.objc_class_name_NSScrollView.objc_class_name_NSScroller.objc_class_name_NSShadow.objc_class_name_NSSlider.objc_class_name_NSSliderCell.objc_class_name_NSSortDescriptor.objc_class_name_NSSplitView.objc_class_name_NSString.objc_class_name_NSTableView.objc_class_name_NSTextField.objc_class_name_NSTextFieldCell.objc_class_name_NSTokenAttachmentCell.objc_class_name_NSTokenField.objc_class_name_NSTokenFieldCell.objc_class_name_NSToolbar.objc_class_name_NSToolbarItem.objc_class_name_NSURL.objc_class_name_NSUnarchiver.objc_class_name_NSValue.objc_class_name_NSView.objc_class_name_NSWindowController.objc_class_name_NSWorkspace_CFMakeCollectable_CFRelease_CFUUIDCreate_CFUUIDCreateString_CGContextRestoreGState_CGContextSaveGState_CGContextSetShouldSmoothFonts_Gestalt_NSApp_NSClassFromString_NSDrawThreePartImage_NSFontAttributeName_NSForegroundColorAttributeName_NSInsetRect_NSIntegralRect_NSIsEmptyRect_NSOffsetRect_NSPointInRect_NSRectFill_NSRectFillUsingOperation_NSShadowAttributeName_NSUnderlineStyleAttributeName_NSWindowDidResizeNotification_NSZeroRect___CFConstantStringClassReference_ceilf_floorf_fmaxf_fminf_modf_objc_assign_global_objc_assign_ivar_objc_enumerationMutation_objc_getProperty_objc_msgSend_objc_msgSendSuper_objc_msgSendSuper_stret_objc_msgSend_fpret_objc_msgSend_stret_objc_setProperty_roundfdyld_stub_binder/Users/brandon/Temp/bwtoolkit/BWToolbarShowColorsItem.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWToolbarShowColorsItem.o-[BWToolbarShowColorsItem itemIdentifier]/Users/brandon/Temp/bwtoolkit/BWToolbarShowColorsItem.m-[BWToolbarShowColorsItem label]-[BWToolbarShowColorsItem paletteLabel]-[BWToolbarShowColorsItem action]-[BWToolbarShowColorsItem toolTip]-[BWToolbarShowColorsItem image]-[BWToolbarShowColorsItem target]BWToolbarShowFontsItem.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWToolbarShowFontsItem.o-[BWToolbarShowFontsItem itemIdentifier]/Users/brandon/Temp/bwtoolkit/BWToolbarShowFontsItem.m-[BWToolbarShowFontsItem label]-[BWToolbarShowFontsItem paletteLabel]-[BWToolbarShowFontsItem action]-[BWToolbarShowFontsItem toolTip]-[BWToolbarShowFontsItem image]-[BWToolbarShowFontsItem target]BWSelectableToolbar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWSelectableToolbar.o-[BWSelectableToolbar toolbarDefaultItemIdentifiers:]/Users/brandon/Temp/bwtoolkit/BWSelectableToolbar.m-[BWSelectableToolbar toolbarAllowedItemIdentifiers:]-[BWSelectableToolbar isPreferencesToolbar]-[BWSelectableToolbar documentToolbar]-[BWSelectableToolbar editableToolbar]-[BWSelectableToolbar awakeFromNib]-[BWSelectableToolbar selectFirstItem]-[BWSelectableToolbar selectInitialItem]-[BWSelectableToolbar toggleActiveView:]-[BWSelectableToolbar identifierAtIndex:]-[BWSelectableToolbar setEnabled:forIdentifier:]-[BWSelectableToolbar validateToolbarItem:]-[BWSelectableToolbar toolbar:itemForItemIdentifier:willBeInsertedIntoToolbar:]-[BWSelectableToolbar toolbarSelectableItemIdentifiers:]-[BWSelectableToolbar selectedIndex]-[BWSelectableToolbar setSelectedIndex:]-[BWSelectableToolbar setDocumentToolbar:]-[BWSelectableToolbar setEditableToolbar:]-[BWSelectableToolbar initWithCoder:]-[BWSelectableToolbar setHelper:]-[BWSelectableToolbar helper]-[BWSelectableToolbar setEnabledByIdentifier:]-[BWSelectableToolbar switchToItemAtIndex:animate:]-[BWSelectableToolbar labels]-[BWSelectableToolbar setIsPreferencesToolbar:]-[BWSelectableToolbar selectableItemIdentifiers]-[BWSelectableToolbar windowDidResize:]-[BWSelectableToolbar enabledByIdentifier]-[BWSelectableToolbar setSelectedItemIdentifierWithoutAnimation:]-[BWSelectableToolbar setSelectedItemIdentifier:]-[BWSelectableToolbar dealloc]-[BWSelectableToolbar setItemSelectors]-[BWSelectableToolbar selectItemAtIndex:]-[BWSelectableToolbar toolbarIndexFromSelectableIndex:]-[BWSelectableToolbar initialSetup]-[BWSelectableToolbar initWithIdentifier:]-[BWSelectableToolbar _defaultItemIdentifiers]-[BWSelectableToolbar encodeWithCoder:]_BWSelectableToolbarItemClickedNotification_documentToolbar_editableToolbarBWAddRegularBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWAddRegularBottomBar.o-[BWAddRegularBottomBar bounds]/System/Library/Frameworks/Foundation.framework/Headers/NSGeometry.h-[BWAddRegularBottomBar initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWAddRegularBottomBar.m-[BWAddRegularBottomBar drawRect:]-[BWAddRegularBottomBar awakeFromNib]BWRemoveBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWRemoveBottomBar.o-[BWRemoveBottomBar bounds]BWInsetTextField.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWInsetTextField.o-[BWInsetTextField initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWInsetTextField.mBWTransparentButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWTransparentButtonCell.o-[BWTransparentButtonCell controlSize]-[BWTransparentButtonCell setControlSize:]/Users/brandon/Temp/bwtoolkit/BWTransparentButtonCell.m-[BWTransparentButtonCell interiorColor]-[BWTransparentButtonCell drawBezelWithFrame:inView:]-[BWTransparentButtonCell drawImage:withFrame:inView:]+[BWTransparentButtonCell initialize]-[BWTransparentButtonCell _textAttributes]-[BWTransparentButtonCell drawTitle:withFrame:inView:]_enabledColor_disabledColor_buttonFillN_buttonRightP_buttonFillP_buttonLeftP_buttonRightN_buttonLeftNBWTransparentCheckboxCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWTransparentCheckboxCell.o-[BWTransparentCheckboxCell controlSize]-[BWTransparentCheckboxCell setControlSize:]/Users/brandon/Temp/bwtoolkit/BWTransparentCheckboxCell.m-[BWTransparentCheckboxCell isInTableView]-[BWTransparentCheckboxCell interiorColor]-[BWTransparentCheckboxCell _textAttributes]+[BWTransparentCheckboxCell initialize]-[BWTransparentCheckboxCell drawImage:withFrame:inView:]-[BWTransparentCheckboxCell drawInteriorWithFrame:inView:]-[BWTransparentCheckboxCell drawTitle:withFrame:inView:]_enabledColor_disabledColor_contentShadow_checkboxOffN_checkboxOnP_checkboxOnN_checkboxOffPBWTransparentPopUpButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWTransparentPopUpButtonCell.o-[BWTransparentPopUpButtonCell controlSize]-[BWTransparentPopUpButtonCell setControlSize:]/Users/brandon/Temp/bwtoolkit/BWTransparentPopUpButtonCell.m-[BWTransparentPopUpButtonCell interiorColor]-[BWTransparentPopUpButtonCell drawBezelWithFrame:inView:]-[BWTransparentPopUpButtonCell drawImageWithFrame:inView:]-[BWTransparentPopUpButtonCell imageRectForBounds:]+[BWTransparentPopUpButtonCell initialize]-[BWTransparentPopUpButtonCell _textAttributes]-[BWTransparentPopUpButtonCell titleRectForBounds:]_enabledColor_disabledColor_popUpFillN_pullDownRightP_popUpFillP_popUpLeftP_popUpRightP_pullDownRightN_popUpLeftN_popUpRightNBWTransparentSliderCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWTransparentSliderCell.o-[BWTransparentSliderCell _usesCustomTrackImage]-[BWTransparentSliderCell setTickMarkPosition:]/Users/brandon/Temp/bwtoolkit/BWTransparentSliderCell.m-[BWTransparentSliderCell controlSize]-[BWTransparentSliderCell setControlSize:]-[BWTransparentSliderCell startTrackingAt:inView:]+[BWTransparentSliderCell initialize]-[BWTransparentSliderCell stopTracking:at:inView:mouseIsUp:]-[BWTransparentSliderCell knobRectFlipped:]-[BWTransparentSliderCell drawKnob:]-[BWTransparentSliderCell drawBarInside:flipped:]-[BWTransparentSliderCell initWithCoder:]_thumbPImage_thumbNImage_triangleThumbPImage_triangleThumbNImage_trackFillImage_trackRightImage_trackLeftImageBWSplitView.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWSplitView.o-[BWSplitView animationEnded]/Users/brandon/Temp/bwtoolkit/BWSplitView.m-[BWSplitView secondaryDelegate]-[BWSplitView collapsibleSubviewCollapsed]-[BWSplitView dividerCanCollapse]-[BWSplitView setDividerCanCollapse:]-[BWSplitView collapsiblePopupSelection]-[BWSplitView setCollapsiblePopupSelection:]-[BWSplitView setCheckboxIsEnabled:]-[BWSplitView colorIsEnabled]-[BWSplitView initWithCoder:]+[BWSplitView initialize]-[BWSplitView setMinValues:]-[BWSplitView setMaxValues:]-[BWSplitView setMinUnits:]-[BWSplitView setMaxUnits:]-[BWSplitView setResizableSubviewPreferredProportion:]-[BWSplitView resizableSubviewPreferredProportion]-[BWSplitView setNonresizableSubviewPreferredSize:]-[BWSplitView nonresizableSubviewPreferredSize]-[BWSplitView setStateForLastPreferredCalculations:]-[BWSplitView stateForLastPreferredCalculations]-[BWSplitView setToggleCollapseButton:]-[BWSplitView toggleCollapseButton]-[BWSplitView setSecondaryDelegate:]-[BWSplitView dealloc]-[BWSplitView maxUnits]-[BWSplitView minUnits]-[BWSplitView maxValues]-[BWSplitView minValues]-[BWSplitView color]-[BWSplitView setColor:]-[BWSplitView setColorIsEnabled:]-[BWSplitView checkboxIsEnabled]-[BWSplitView setDividerStyle:]-[BWSplitView splitView:resizeSubviewsWithOldSize:]-[BWSplitView resizeAndAdjustSubviews]-[BWSplitView clearPreferredProportionsAndSizes]-[BWSplitView validateAndCalculatePreferredProportionsAndSizes]-[BWSplitView correctCollapsiblePreferredProportionOrSize]-[BWSplitView validatePreferredProportionsAndSizes]-[BWSplitView recalculatePreferredProportionsAndSizes]-[BWSplitView subviewMaximumSize:]-[BWSplitView subviewMinimumSize:]-[BWSplitView subviewIsResizable:]-[BWSplitView resizableSubviews]-[BWSplitView splitViewWillResizeSubviews:]-[BWSplitView splitViewDidResizeSubviews:]-[BWSplitView splitView:effectiveRect:forDrawnRect:ofDividerAtIndex:]-[BWSplitView splitView:constrainSplitPosition:ofSubviewAt:]-[BWSplitView splitView:constrainMinCoordinate:ofSubviewAt:]-[BWSplitView splitView:constrainMaxCoordinate:ofSubviewAt:]-[BWSplitView splitView:shouldCollapseSubview:forDoubleClickOnDividerAtIndex:]-[BWSplitView splitView:canCollapseSubview:]-[BWSplitView splitView:additionalEffectiveRectOfDividerAtIndex:]-[BWSplitView splitView:shouldHideDividerAtIndex:]-[BWSplitView mouseDown:]-[BWSplitView toggleCollapse:]-[BWSplitView restoreAutoresizesSubviews:]-[BWSplitView removeMinSizeForCollapsibleSubview]-[BWSplitView setMinSizeForCollapsibleSubview:]-[BWSplitView setCollapsibleSubviewCollapsed:]-[BWSplitView collapsibleDividerIndex]-[BWSplitView hasCollapsibleDivider]-[BWSplitView animationDuration]-[BWSplitView setCollapsibleSubviewCollapsedHelper:]-[BWSplitView adjustSubviews]-[BWSplitView hasCollapsibleSubview]-[BWSplitView collapsibleSubview]-[BWSplitView collapsibleSubviewIndex]-[BWSplitView collapsibleSubviewIsCollapsed]-[BWSplitView subviewIsCollapsed:]-[BWSplitView subviewIsCollapsible:]-[BWSplitView setDelegate:]-[BWSplitView drawDimpleInRect:]-[BWSplitView drawGradientDividerInRect:]-[BWSplitView drawDividerInRect:]-[BWSplitView awakeFromNib]-[BWSplitView encodeWithCoder:]_scaleFactor_gradient_borderColor_dimpleImageBitmap_dimpleImageVector_gradientStartColor_gradientEndColorBWTexturedSlider.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWTexturedSlider.o-[BWTexturedSlider indicatorIndex]/Users/brandon/Temp/bwtoolkit/BWTexturedSlider.m-[BWTexturedSlider initWithCoder:]+[BWTexturedSlider initialize]-[BWTexturedSlider setMinButton:]-[BWTexturedSlider minButton]-[BWTexturedSlider setMaxButton:]-[BWTexturedSlider maxButton]-[BWTexturedSlider dealloc]-[BWTexturedSlider resignFirstResponder]-[BWTexturedSlider becomeFirstResponder]-[BWTexturedSlider scrollWheel:]-[BWTexturedSlider setEnabled:]-[BWTexturedSlider setIndicatorIndex:]-[BWTexturedSlider drawRect:]-[BWTexturedSlider hitTest:]-[BWTexturedSlider setSliderToMaximum]-[BWTexturedSlider setSliderToMinimum]-[BWTexturedSlider setTrackHeight:]-[BWTexturedSlider trackHeight]-[BWTexturedSlider encodeWithCoder:]_smallPhotoImage_largePhotoImage_quietSpeakerImage_loudSpeakerImageBWTexturedSliderCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWTexturedSliderCell.o-[BWTexturedSliderCell controlSize]-[BWTexturedSliderCell setControlSize:]/Users/brandon/Temp/bwtoolkit/BWTexturedSliderCell.m-[BWTexturedSliderCell numberOfTickMarks]-[BWTexturedSliderCell setNumberOfTickMarks:]-[BWTexturedSliderCell _usesCustomTrackImage]-[BWTexturedSliderCell trackHeight]-[BWTexturedSliderCell setTrackHeight:]-[BWTexturedSliderCell startTrackingAt:inView:]+[BWTexturedSliderCell initialize]-[BWTexturedSliderCell stopTracking:at:inView:mouseIsUp:]-[BWTexturedSliderCell drawKnob:]-[BWTexturedSliderCell drawBarInside:flipped:]-[BWTexturedSliderCell encodeWithCoder:]-[BWTexturedSliderCell initWithCoder:]_thumbPImage_thumbNImage_trackFillImage_trackRightImage_trackLeftImageBWAddSmallBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWAddSmallBottomBar.o-[BWAddSmallBottomBar bounds]-[BWAddSmallBottomBar initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWAddSmallBottomBar.m-[BWAddSmallBottomBar drawRect:]-[BWAddSmallBottomBar awakeFromNib]BWAnchoredButtonBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWAnchoredButtonBar.o+[BWAnchoredButtonBar wasBorderedBar]/Users/brandon/Temp/bwtoolkit/BWAnchoredButtonBar.m-[BWAnchoredButtonBar splitViewDelegate]-[BWAnchoredButtonBar handleIsRightAligned]-[BWAnchoredButtonBar setHandleIsRightAligned:]-[BWAnchoredButtonBar isResizable]-[BWAnchoredButtonBar setIsResizable:]-[BWAnchoredButtonBar isAtBottom]-[BWAnchoredButtonBar selectedIndex]-[BWAnchoredButtonBar initWithCoder:]+[BWAnchoredButtonBar initialize]-[BWAnchoredButtonBar setSplitViewDelegate:]-[BWAnchoredButtonBar splitView:shouldHideDividerAtIndex:]-[BWAnchoredButtonBar splitView:shouldCollapseSubview:forDoubleClickOnDividerAtIndex:]-[BWAnchoredButtonBar splitView:effectiveRect:forDrawnRect:ofDividerAtIndex:]-[BWAnchoredButtonBar splitView:constrainSplitPosition:ofSubviewAt:]-[BWAnchoredButtonBar splitView:canCollapseSubview:]-[BWAnchoredButtonBar splitView:resizeSubviewsWithOldSize:]-[BWAnchoredButtonBar splitView:constrainMaxCoordinate:ofSubviewAt:]-[BWAnchoredButtonBar splitView:constrainMinCoordinate:ofSubviewAt:]-[BWAnchoredButtonBar splitView:additionalEffectiveRectOfDividerAtIndex:]-[BWAnchoredButtonBar dealloc]-[BWAnchoredButtonBar setSelectedIndex:]-[BWAnchoredButtonBar setIsAtBottom:]-[BWAnchoredButtonBar splitView]-[BWAnchoredButtonBar dividerIndexNearestToHandle]-[BWAnchoredButtonBar isInLastSubview]-[BWAnchoredButtonBar viewDidMoveToSuperview]-[BWAnchoredButtonBar drawLastButtonInsetInRect:]-[BWAnchoredButtonBar drawResizeHandleInRect:withColor:]-[BWAnchoredButtonBar drawRect:]-[BWAnchoredButtonBar awakeFromNib]-[BWAnchoredButtonBar encodeWithCoder:]-[BWAnchoredButtonBar initWithFrame:]_wasBorderedBar_gradient_topLineColor_borderedTopLineColor_resizeHandleColor_resizeInsetColor_bottomLineColor_sideInsetColor_topColor_middleTopColor_middleBottomColor_bottomColorBWAnchoredButton.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWAnchoredButton.o-[BWAnchoredButton isAtRightEdgeOfBar]/Users/brandon/Temp/bwtoolkit/BWAnchoredButton.m-[BWAnchoredButton setIsAtRightEdgeOfBar:]-[BWAnchoredButton isAtLeftEdgeOfBar]-[BWAnchoredButton setIsAtLeftEdgeOfBar:]-[BWAnchoredButton initWithCoder:]-[BWAnchoredButton frame]-[BWAnchoredButton mouseDown:]BWAnchoredButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWAnchoredButtonCell.o-[BWAnchoredButtonCell controlSize]-[BWAnchoredButtonCell setControlSize:]/Users/brandon/Temp/bwtoolkit/BWAnchoredButtonCell.m-[BWAnchoredButtonCell highlightRectForBounds:]-[BWAnchoredButtonCell drawBezelWithFrame:inView:]-[BWAnchoredButtonCell textColor]-[BWAnchoredButtonCell _textAttributes]+[BWAnchoredButtonCell initialize]-[BWAnchoredButtonCell drawImage:withFrame:inView:]-[BWAnchoredButtonCell imageColor]-[BWAnchoredButtonCell titleRectForBounds:]-[BWAnchoredButtonCell drawWithFrame:inView:]_fillGradient_bottomBorderColor_sideInsetColor_borderedTopBorderColor_borderedSideBorderColor_topBorderColor_sideBorderColor_enabledTextColor_disabledTextColor_contentShadow_enabledImageColor_disabledImageColor_pressedColor_fillStop1_fillStop2_fillStop3_fillStop4NSColor+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/NSColor+BWAdditions.o-[NSColor(BWAdditions) bwDrawPixelThickLineAtPosition:withInset:inRect:inView:horizontal:flip:]/Users/brandon/Temp/bwtoolkit/NSColor+BWAdditions.mNSImage+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/NSImage+BWAdditions.o-[NSImage(BWAdditions) bwRotateImage90DegreesClockwise:]/Users/brandon/Temp/bwtoolkit/NSImage+BWAdditions.m-[NSImage(BWAdditions) bwTintedImageWithColor:]BWSelectableToolbarHelper.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWSelectableToolbarHelper.o-[BWSelectableToolbarHelper isPreferencesToolbar]/Users/brandon/Temp/bwtoolkit/BWSelectableToolbarHelper.m-[BWSelectableToolbarHelper setIsPreferencesToolbar:]-[BWSelectableToolbarHelper initialIBWindowSize]-[BWSelectableToolbarHelper setInitialIBWindowSize:]-[BWSelectableToolbarHelper initWithCoder:]-[BWSelectableToolbarHelper setContentViewsByIdentifier:]-[BWSelectableToolbarHelper contentViewsByIdentifier]-[BWSelectableToolbarHelper setWindowSizesByIdentifier:]-[BWSelectableToolbarHelper windowSizesByIdentifier]-[BWSelectableToolbarHelper setSelectedIdentifier:]-[BWSelectableToolbarHelper selectedIdentifier]-[BWSelectableToolbarHelper setOldWindowTitle:]-[BWSelectableToolbarHelper oldWindowTitle]-[BWSelectableToolbarHelper dealloc]-[BWSelectableToolbarHelper encodeWithCoder:]-[BWSelectableToolbarHelper init]NSWindow+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/NSWindow+BWAdditions.o-[NSWindow(BWAdditions) bwIsTextured]/Users/brandon/Temp/bwtoolkit/NSWindow+BWAdditions.m-[NSWindow(BWAdditions) bwResizeToSize:animate:]NSView+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/NSView+BWAdditions.o_compareViews/Users/brandon/Temp/bwtoolkit/NSView+BWAdditions.m-[NSView(BWAdditions) bwBringToFront]-[NSView(BWAdditions) bwTurnOffLayer]-[NSView(BWAdditions) bwAnimator]BWTransparentTableView.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWTransparentTableView.o-[BWTransparentTableView backgroundColor]/Users/brandon/Temp/bwtoolkit/BWTransparentTableView.m-[BWTransparentTableView _highlightColorForCell:]-[BWTransparentTableView addTableColumn:]+[BWTransparentTableView cellClass]+[BWTransparentTableView initialize]-[BWTransparentTableView highlightSelectionInClipRect:]-[BWTransparentTableView _alternatingRowBackgroundColors]-[BWTransparentTableView drawBackgroundInClipRect:]_rowColor_altRowColor_highlightColorBWTransparentTableViewCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWTransparentTableViewCell.o-[BWTransparentTableViewCell drawInteriorWithFrame:inView:]/Users/brandon/Temp/bwtoolkit/BWTransparentTableViewCell.m-[BWTransparentTableViewCell editWithFrame:inView:editor:delegate:event:]-[BWTransparentTableViewCell selectWithFrame:inView:editor:delegate:start:length:]-[BWTransparentTableViewCell drawingRectForBounds:]BWAnchoredPopUpButton.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWAnchoredPopUpButton.o-[BWAnchoredPopUpButton isAtRightEdgeOfBar]/Users/brandon/Temp/bwtoolkit/BWAnchoredPopUpButton.m-[BWAnchoredPopUpButton setIsAtRightEdgeOfBar:]-[BWAnchoredPopUpButton isAtLeftEdgeOfBar]-[BWAnchoredPopUpButton setIsAtLeftEdgeOfBar:]-[BWAnchoredPopUpButton initWithCoder:]-[BWAnchoredPopUpButton frame]-[BWAnchoredPopUpButton mouseDown:]BWAnchoredPopUpButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWAnchoredPopUpButtonCell.o-[BWAnchoredPopUpButtonCell controlSize]-[BWAnchoredPopUpButtonCell setControlSize:]/Users/brandon/Temp/bwtoolkit/BWAnchoredPopUpButtonCell.m-[BWAnchoredPopUpButtonCell highlightRectForBounds:]-[BWAnchoredPopUpButtonCell drawBorderAndBackgroundWithFrame:inView:]-[BWAnchoredPopUpButtonCell textColor]-[BWAnchoredPopUpButtonCell _textAttributes]+[BWAnchoredPopUpButtonCell initialize]-[BWAnchoredPopUpButtonCell drawImageWithFrame:inView:]-[BWAnchoredPopUpButtonCell imageRectForBounds:]-[BWAnchoredPopUpButtonCell imageColor]-[BWAnchoredPopUpButtonCell titleRectForBounds:]-[BWAnchoredPopUpButtonCell drawArrowInFrame:]-[BWAnchoredPopUpButtonCell drawWithFrame:inView:]_fillGradient_bottomBorderColor_sideInsetColor_borderedTopBorderColor_borderedSideBorderColor_topBorderColor_sideBorderColor_enabledTextColor_disabledTextColor_contentShadow_enabledImageColor_disabledImageColor_pressedColor_pullDownArrow_fillStop1_fillStop2_fillStop3_fillStop4BWCustomView.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWCustomView.o-[BWCustomView drawRect:]/Users/brandon/Temp/bwtoolkit/BWCustomView.m-[BWCustomView drawTextInRect:]BWUnanchoredButton.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWUnanchoredButton.o-[BWUnanchoredButton initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWUnanchoredButton.m-[BWUnanchoredButton frame]-[BWUnanchoredButton mouseDown:]BWUnanchoredButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWUnanchoredButtonCell.o-[BWUnanchoredButtonCell highlightRectForBounds:]-[BWUnanchoredButtonCell drawBezelWithFrame:inView:]/Users/brandon/Temp/bwtoolkit/BWUnanchoredButtonCell.m+[BWUnanchoredButtonCell initialize]_fillGradient_topInsetColor_topBorderColor_borderColor_bottomInsetColor_fillStop1_fillStop2_fillStop3_fillStop4_pressedColorBWUnanchoredButtonContainer.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWUnanchoredButtonContainer.o-[BWUnanchoredButtonContainer awakeFromNib]/Users/brandon/Temp/bwtoolkit/BWUnanchoredButtonContainer.mBWSheetController.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWSheetController.o-[BWSheetController delegate]/Users/brandon/Temp/bwtoolkit/BWSheetController.m-[BWSheetController sheet]-[BWSheetController parentWindow]-[BWSheetController awakeFromNib]-[BWSheetController encodeWithCoder:]-[BWSheetController openSheet:]-[BWSheetController closeSheet:]-[BWSheetController messageDelegateAndCloseSheet:]-[BWSheetController initWithCoder:]-[BWSheetController setParentWindow:]-[BWSheetController setSheet:]-[BWSheetController setDelegate:]BWTransparentScrollView.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWTransparentScrollView.o-[BWTransparentScrollView initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWTransparentScrollView.m+[BWTransparentScrollView _verticalScrollerClass]BWAddMiniBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWAddMiniBottomBar.o-[BWAddMiniBottomBar bounds]-[BWAddMiniBottomBar initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWAddMiniBottomBar.m-[BWAddMiniBottomBar drawRect:]-[BWAddMiniBottomBar awakeFromNib]BWAddSheetBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWAddSheetBottomBar.o-[BWAddSheetBottomBar bounds]-[BWAddSheetBottomBar initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWAddSheetBottomBar.m-[BWAddSheetBottomBar drawRect:]-[BWAddSheetBottomBar awakeFromNib]BWTokenFieldCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWTokenFieldCell.o-[BWTokenFieldCell setUpTokenAttachmentCell:forRepresentedObject:]/Users/brandon/Temp/bwtoolkit/BWTokenFieldCell.mBWTokenAttachmentCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWTokenAttachmentCell.o-[BWTokenAttachmentCell pullDownImage]/Users/brandon/Temp/bwtoolkit/BWTokenAttachmentCell.m-[BWTokenAttachmentCell arrowInHighlightedState:]-[BWTokenAttachmentCell drawTokenWithFrame:inView:]-[BWTokenAttachmentCell interiorBackgroundStyle]+[BWTokenAttachmentCell initialize]-[BWTokenAttachmentCell pullDownRectForBounds:]-[BWTokenAttachmentCell _textAttributes]_highlightedArrowColor_arrowGradient_blueStrokeGradient_blueInsetGradient_blueGradient_highlightedBlueStrokeGradient_highlightedBlueInsetGradient_highlightedBlueGradient_textShadowBWTransparentScroller.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWTransparentScroller.o+[BWTransparentScroller scrollerWidth]/Users/brandon/Temp/bwtoolkit/BWTransparentScroller.m+[BWTransparentScroller scrollerWidthForControlSize:]-[BWTransparentScroller initWithFrame:]+[BWTransparentScroller initialize]-[BWTransparentScroller rectForPart:]-[BWTransparentScroller _drawingRectForPart:]-[BWTransparentScroller drawKnob]-[BWTransparentScroller drawKnobSlot]-[BWTransparentScroller drawRect:]-[BWTransparentScroller initWithCoder:]_slotVerticalFill_backgroundColor_minKnobHeight_minKnobWidth_slotBottom_slotTop_slotRight_slotHorizontalFill_slotLeft_knobBottom_knobVerticalFill_knobTop_knobRight_knobHorizontalFill_knobLeftBWTransparentTextFieldCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWTransparentTextFieldCell.o-[BWTransparentTextFieldCell _textAttributes]/Users/brandon/Temp/bwtoolkit/BWTransparentTextFieldCell.m+[BWTransparentTextFieldCell initialize]_textShadowBWToolbarItem.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWToolbarItem.o-[BWToolbarItem initWithCoder:]/Users/brandon/Temp/bwtoolkit/BWToolbarItem.m-[BWToolbarItem identifierString]-[BWToolbarItem dealloc]-[BWToolbarItem setIdentifierString:]-[BWToolbarItem encodeWithCoder:]NSString+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/NSString+BWAdditions.o+[NSString(BWAdditions) bwRandomUUID]/Users/brandon/Temp/bwtoolkit/NSString+BWAdditions.mNSEvent+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/NSEvent+BWAdditions.o+[NSEvent(BWAdditions) bwShiftKeyIsDown]/Users/brandon/Temp/bwtoolkit/NSEvent+BWAdditions.m+[NSEvent(BWAdditions) bwCommandKeyIsDown]+[NSEvent(BWAdditions) bwOptionKeyIsDown]+[NSEvent(BWAdditions) bwControlKeyIsDown]+[NSEvent(BWAdditions) bwCapsLockKeyIsDown]BWHyperlinkButton.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWHyperlinkButton.o-[BWHyperlinkButton urlString]/Users/brandon/Temp/bwtoolkit/BWHyperlinkButton.m-[BWHyperlinkButton awakeFromNib]-[BWHyperlinkButton openURLInBrowser:]-[BWHyperlinkButton initWithCoder:]-[BWHyperlinkButton setUrlString:]-[BWHyperlinkButton dealloc]-[BWHyperlinkButton resetCursorRects]-[BWHyperlinkButton encodeWithCoder:]BWHyperlinkButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWHyperlinkButtonCell.o-[BWHyperlinkButtonCell drawBezelWithFrame:inView:]-[BWHyperlinkButtonCell setBordered:]/Users/brandon/Temp/bwtoolkit/BWHyperlinkButtonCell.m-[BWHyperlinkButtonCell isBordered]-[BWHyperlinkButtonCell _textAttributes]BWGradientBox.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWGradientBox.o-[BWGradientBox isFlipped]-[BWGradientBox hasFillColor]/Users/brandon/Temp/bwtoolkit/BWGradientBox.m-[BWGradientBox setHasFillColor:]-[BWGradientBox hasGradient]-[BWGradientBox setHasGradient:]-[BWGradientBox hasBottomBorder]-[BWGradientBox setHasBottomBorder:]-[BWGradientBox hasTopBorder]-[BWGradientBox setHasTopBorder:]-[BWGradientBox bottomInsetAlpha]-[BWGradientBox setBottomInsetAlpha:]-[BWGradientBox topInsetAlpha]-[BWGradientBox setTopInsetAlpha:]-[BWGradientBox bottomBorderColor]-[BWGradientBox topBorderColor]-[BWGradientBox fillColor]-[BWGradientBox fillEndingColor]-[BWGradientBox fillStartingColor]-[BWGradientBox dealloc]-[BWGradientBox setBottomBorderColor:]-[BWGradientBox setTopBorderColor:]-[BWGradientBox setFillEndingColor:]-[BWGradientBox setFillStartingColor:]-[BWGradientBox setFillColor:]-[BWGradientBox drawRect:]-[BWGradientBox encodeWithCoder:]-[BWGradientBox initWithCoder:]BWStyledTextField.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWStyledTextField.o-[BWStyledTextField hasShadow]/Users/brandon/Temp/bwtoolkit/BWStyledTextField.m-[BWStyledTextField setHasShadow:]-[BWStyledTextField shadowIsBelow]-[BWStyledTextField setShadowIsBelow:]-[BWStyledTextField shadowColor]-[BWStyledTextField setShadowColor:]-[BWStyledTextField hasGradient]-[BWStyledTextField setHasGradient:]-[BWStyledTextField startingColor]-[BWStyledTextField setStartingColor:]-[BWStyledTextField endingColor]-[BWStyledTextField setEndingColor:]-[BWStyledTextField solidColor]-[BWStyledTextField setSolidColor:]BWStyledTextFieldCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/BWStyledTextFieldCell.o-[BWStyledTextFieldCell solidColor]/Users/brandon/Temp/bwtoolkit/BWStyledTextFieldCell.m-[BWStyledTextFieldCell hasGradient]-[BWStyledTextFieldCell endingColor]-[BWStyledTextFieldCell startingColor]-[BWStyledTextFieldCell shadow]-[BWStyledTextFieldCell hasShadow]-[BWStyledTextFieldCell setHasShadow:]-[BWStyledTextFieldCell shadowColor]-[BWStyledTextFieldCell shadowIsBelow]-[BWStyledTextFieldCell initWithCoder:]-[BWStyledTextFieldCell setShadow:]-[BWStyledTextFieldCell setPreviousAttributes:]-[BWStyledTextFieldCell previousAttributes]-[BWStyledTextFieldCell setShadowColor:]-[BWStyledTextFieldCell setShadowIsBelow:]-[BWStyledTextFieldCell setHasGradient:]-[BWStyledTextFieldCell setSolidColor:]-[BWStyledTextFieldCell setEndingColor:]-[BWStyledTextFieldCell setStartingColor:]-[BWStyledTextFieldCell drawInteriorWithFrame:inView:]-[BWStyledTextFieldCell applyGradient]-[BWStyledTextFieldCell awakeFromNib]-[BWStyledTextFieldCell changeShadow]-[BWStyledTextFieldCell _textAttributes]-[BWStyledTextFieldCell dealloc]-[BWStyledTextFieldCell copyWithZone:]-[BWStyledTextFieldCell encodeWithCoder:]NSApplication+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/i386/NSApplication+BWAdditions.o+[NSApplication(BWAdditions) bwIsOnLeopard]/Users/brandon/Temp/bwtoolkit/NSApplication+BWAdditions.msingle module  H__TEXT``__text__TEXT 4 4__picsymbolstub1__TEXT __cstring__TEXT T __const__TEXT]]__DATA``__dyld__DATA``__la_symbol_ptr__DATA`|`__nl_symbol_ptr__DATA``>__const__DATA``__cfstring__DATA``__data__DATAhh__bss__DATAh4__OBJCp@p@__message_refs__OBJCpp__cls_refs__OBJCww__class__OBJCxhpxh__meta_class__OBJCp__inst_meth__OBJCH8H__symbols__OBJC@__module_info__OBJC@__instance_vars__OBJC__property__OBJC`__class_ext__OBJCPP__cls_meth__OBJCp__category__OBJC\\__cat_inst_meth__OBJC  __cat_cls_meth__OBJCl__image_info__OBJC  8__LINKEDIT< p@loader_path/../Frameworks/BWToolkitFramework.framework/Versions/A/BWToolkitFramework "Pel H uX P 6 X6xE~ T/System/Library/Frameworks/Cocoa.framework/Versions/A/Cocoa 4/usr/lib/libgcc_s.1.dylib 4}/usr/lib/libSystem.B.dylib 4/usr/lib/libobjc.A.dylib d,/System/Library/Frameworks/CoreServices.framework/Versions/A/CoreServices h& /System/Library/Frameworks/CoreFoundation.framework/Versions/A/CoreFoundation p&/System/Library/Frameworks/ApplicationServices.framework/Versions/A/ApplicationServices `,/System/Library/Frameworks/Foundation.framework/Versions/C/Foundation X-/System/Library/Frameworks/AppKit.framework/Versions/C/AppKit|B}|}cx=R}| x=[LN }cxK|B}h|=kkR}iN |!aLHD@H<^<~<<bpcjblj?~K|exxxK|}x<^bhbj?K|{x<^<~bdb`8RxK|excxxK<^b\K@DHaL8!P|N |H|H(@ x8<8!@|N <]<}`0cW(?K^K8<8!@|N |!LHD|~xH<]<__KTb>(@8@^P<]_8~@KTb>(A<<]_4?xK_0;xK<]_,xxK<]"K<]<}_(_<8xKDHL8!P|N DHL8!P|N |!LHD|~xH<]^(;xK|ex<]^$xxKDHL8!P|N |!aLHD@H<^]C@|}x|CxK(@P<^]8xK|ex<^]8xK@DHaL8!P|N <^<~]]}D}@K|excxxKK|!!LAHaD@<8|+x|}xH<\\?|xK|ex\}D?|K}T<\bc\?|K|zx<\<<\hbce\d?<8LxK|gx8LCxdxxK<\T\8xK8<@aDAH!L8!P|N |!aLHD@|+x|}xH<\[?|K[?|K[K(A\x<\[?K[?K[?xK[K@DHaL8!P|N 8`@DHaL8!P|N |!!LAHaD@<8|3x|+x||xHh<[[T?[KZ?[KY?[K|yx<[<Z|bãEZ?{xK|ex#xDxxK[lx%xK8<@aDAH!L8!P|N |!aLHD@|+x|}xH<\<ZĀZKTb>(@x<\Z?K|{xZ?xKYexK(A\<\Z?xKY?exKYKTb>0b|c@DHaL8!P|N 8`@DHaL8!P|N |!LHDHCL|}x(@(<^<~Xc`;LKxxK<^YԀ}L?KX@KDHL8!P|N cDN cDN |!H|H(@h<]W?xK|{x<]XL~@XHK|excxxK~T~T@DHaL8!P|N ;TK|!LHD|~xH|HT<(AP?<]W|N?KW;NxKxHDHL8!P|N DHL8!P|N |!A\aXTPL|+xH<]a@8B]B<AD8a@VTH(||xA?}<]<}VPBVL8F xK|exxDxK<]<}VPBVH8F0xK|exxDxK<]VD<]8F@xK|X<]<}VPV@8FPxK|exxxKxLPTaXA\8!`|N xLPTaXA\8!`|N |!|+x988@H%8!@|N |!88@H}8!@|N |!|+x88L|;xH8!@|N |! AܒaؒԒВ̒ȓē!Aa|&T@>|3x|+x||xHh<[S܀|@?[K|yxS?xKS?xKS>xKS:KS>~ųxK<[RЀbZ>K|vxSWS >xKS?KS:@K|dxS?~xH끀A@aDHLA a$(,@DHL~óxDxKRK\P|zx(A4<[<{SԃSxxK|fxxxExK<[S?xKS?KS?KS?KS?KR;K|wx<[888SK(AA:(:A|uxAB|@A ~xH鵀A|P~.(A<[Rx~xFxK<[R::)Cx~xK@<[S888~xK(@d?SĀ|@>KS>KR>K|txS>{Ex&xKS|@?[~xKS?[xKS?[K|dxS8aPH=X<[x?[\>|>{|@S>[KS>KRK|vxS|tZUSAx|A $x|K|ex~óxDx&xKSx|@~ųxKRxxK|}xSĀ|@KS@xK(@<[S?[xKS?[K|yx<[R@BR8a`H9A`adA a$`d#xDxxKP(A?SĀ|@?KS?[KR?;K|xx>SS>xKS>KS>K|exx~ijxxKS|@>xKS|@?KS?KR?[K|vxS8S|ZS:hxKS>K|dxS~xHApatA a$ptx$xK|ex~óxxxKSx|@~ųxKH<[S|@?[KS@?;xK|dxR8aH<[S?;xKS?;KR?;AA $?>xKSĀ|@?KS@?[xKSKSKRK|~xStK(AD(A<8@A<{A8A8A8AAAASxK(AAB; (;A|xxAB|@A xHA|P~.(A@<[<{SԂR>xxKSK|fxx~ijx~xK<[S>xKS>KS>KR;;9)~xK@T<[S888xK(@\P(A<<[<{SăR|@?[KS@xK|exxxK<[S?xKS?KRK<[S|@KTb>(AT8@AH<{AL?AP?[AT;!hAX;A\:HA`AdSxK|vxSK|~xS~x&xxK(AAPB; (;A|xxAPB|@A<[S~óxKHAL<{~.S>~xKSpxKTb>(A<[S>xKS>K|tx<[S S~xK|ex~x~xK\P(AD<[S>xxK|tx<[S S~xK|ex~x~xK;;9(@<[S88H8hxK(@ЀT>| aA!ĂȂ̂ЂԂa؂A8!|N T>| aA!ĂȂ̂ЂԂa؂A8!|N T>| aA!ĂȂ̂ЂԂa؂A8!|N |!@!Aa|~xH<]<}H0cO;K8<]xKH<]89pKTb>(@<]H>xKH<]89KTb>(@\<]H>xKH<]89KTb>(@,<]<}HKX(A0<\<|FF}@?\xxKF;@K|excxxKA@<\AD?AH?|AL;!`AP;AT:@AXA\FxK|zxFK|~xF~x&xxK(A$AH;`";(:A|wxAHB|@A<\FCxKH݁AD<|F|~.>~óxK|tx<\FFH>|xKE:K|ex~x~xKTb>;((A~۳x@p<\F88@8`xK(@8?F?\xxK|yx<\EBE?cxK|ex#xDxKF;xxKFxKaA!ĂȂa8!Ѐ|N ?F?|xxK|zx<\E}@bE?K|exCxdxKF;xxKFxKaA!ĂȂa8!Ѐ|N ;`K|!!A a|~xH<]<}BtcJ$?KC?KBh?KCd||xxK(A8@A8<}A~xKC<]83KTb>(@<]CH>~xKC<]84KTb>(@\<]CH>~xKC<]84KTb>(@,<]<}CHCD~xK|exx~ijxK;;9(@<]Cl8888XcxK(AK8@A<}A?}A;AA; A;AAACLxK|wxClxFx'xK(A8Ab;@(; A|yxAB|@A<]CLxKHɀA<}.CH>xKC<]83KTb>(@<]CH>xKC<]84KTb>(@\<]CH>xKC<]84KTb>(@,<]<}CHCDxK|exx~ijxK;9;Z(@<]Cl888~xK(@xaA !8! |N |!!lAhad`\X|~xH<]?p?K??K|dx?l8a@HH<]P<}L?TcFt?K|yx?L?exFxK?(~@%xKX\`adAh!l8!p|N X\`adAh!l8!p|N |!@!Aa|+x|}xH8@A@<|AD8`AH8AL8@APATAXA\}D>cxK(AAH;@";(:A|wxAHB|@A }DHuAD<|=|b.:xKTb>;((A;@@<\>88@8`cxK(@|WB>(Ah<\<|>>}D;`xK|exxxfxKaA!8!|N aA!8!|N |!@!Aa|+x|}xH8@A@<|AD8`AH8AL8@APATAXA\}D;((A;@@<\(Ah<\<||~xH8@A8<A#xxK<]88;Z;{)#xK@<]9p8888\xK(@dT>| aA!8!|N T>| aA!8!|N |!A\aXTPL|+x|}xH<\7?|K|zx7lK(ACxx<\7d?K7?K|{x@8^?|B<AD8a@7`?exHρ7\}@exKLPTaXA\8!`|N LPTaXA\8!`|N |!0̒ȒĒ!Aa|+x|}xH<\<|5c=d?|K6?|K5;`Ka@<\aD?\aH?<aL;daP:aT:@aX|uxa\6xK|{x6K|zx6~ųxx~xK(A$AH";(:A|wxAHB|@A<\6cxKHͽAD<|~.6>~óxK6T<\8'8KTb>(@x<\6>~óxK6T<\8'HKTb>(@H<\6>~óxK6T<\8'XKTb>(@<\6~x~ųxK:;(@$<\688@8dCxK(@<\6X~xK(A<\6P?|~xxK|~x6?|xK6?K6xKaA!ĂȂ8!Ѐ|N 8`aA!ĂȂ8!Ѐ|N |!aLHD@<8!4A0a,($ |&T@>HC@|}x(@8]P(A,<^<~<+D3̃3;`xK|exxxK||xaX<^a\8xa`8ad8Xahalapat3K(AA`b;@(; A|yxA`B|@A xHA\<~<.38d$H|exx~xKTb>(A8@xxK;9;Z(@<^388X8xxK(@\<^3<^8b$H]|exxxKTb>(A<^3?xxK3}@?K3lK(@d<^<~33}@?^xK3?^K|dx38a8HMA@aDA a$@DcxxK<^<~<3c:#8K|{x<^<~<3C3%3?xK3K|hxcx$xxFxxK8@A<~A?A;aܐA;@A;!A̐AАAԀ3xK|xx3%xfxGxK(A؀A;`(;@A|zxAB|@A<^3xKHșA?><~33~.D>~óxK|ex~x~xK343H;Z~óxK|fx;{)~x$x~ųxK@p<^3888xK(@8<^3?xxK3?xK3Ԁ}@K(A(<^3}@?K3lK(@<^<~3܃38xK|exxxK<^3<^8b$He|exxxKTb>(@T>|  $(a,A0!48<@DHaL8!P|N <^<~<3ԃ3Ѓe3]D}@K|exCxxK|exxdxKK@<^3}@?K3?~K2?^K|yx?33>xK3>K3>K|tx3Ԁ}@>~K|fx#x~x~xK3|}@>%xK3x}@?>K3?K2?~K|wx3Y3t:83;HxK3?K|dx3xH5APaTA a$PTxDxK||x3Ԁ}@K|fx~x$xxK3p}@~xKT>|  $(a,A0!48<@DHaL8!P|N |!A\aXTPL@H<^a88B4B<A<8a8-4H(|}xA?<^+b3?~K-0;@DKxExK<^+b3;HK-0;`KxxKÓ}T8@]P<^-,<^xxK<^<~-(-$ pxfxKx@LPTaXA\8!`|N x@LPTaXA\8!`|N |!!\AXaTPLHH<^a@8B3TB<AD8a@+?Hå||x?~<^<=+{2L8D848$;@HxK|yx<^<<=>+{2L9d88D8TIxK|}x<^+x%xKTb>(AxxHLPaTAX!\8!`|N |!!\AXaTPLH|+x|}xH<\@8B2(AX<^)?xK)<^8Kp@(<^"<^<~))D8xK<^)?xK)KTb>(At<^)?xK<^))KTb>(AD<^)?xK)8K8DHL8!P|N 8DHL8!P|N <@`B@C8C N |!LHH<^a@8B/B<AD8a@(H(|}xAh<^<~((xKTb>(AD<^"<^<~(<'8xKxHL8!P|N xHL8!P|N <@`B@C8C N |!LHH<^a@8B.B<AD8a@'(H(|}xA@<^'X?xK'T8KxHL8!P|N xHL8!P|N |!<~(8CA <^8Bb<8!@|N 8`N N |!\XT|~xH<]<}&x,8aHHL<];&|xKTb>(A<]<}<"840?\| Aa $8@9@| A8A@=9@HTX\8!`|N <]<}<"@,<<]| a $9@9`| a8A@"9@HqTX\8!`|N |!!\AXaTPLH}^Sx|+x||xHh!<[!<[*?[$?;xK#8KTb>;A(A4<[$<@A A8A(A0<[<{$؃#$xK|exx$xK|}xx<[@8B,B<AD8a@$ЀZ A$(,0: xHHLPaTAX!\8!`|N |!\XT!PALaHD@#x~xK8 H!|)$?>K|wx!!|8xK|ex?>~x~ijxK8Ha!|)$?>K|wx!!|8xK|ex?>~x~ijxK8$H!|)$?>K|wx!!|8xK|ex?>~x~ijxK8Hـ!|)$?>K|wx!!|8xK|ex?>~x~ijxK8H!|)$?K|{x!X!|8xK|ex?cxDxK8HQ<^?#h})T?K# ?~K8H%<^<<~#d})TBp%x?K# ; KxH<@DaHAL!PTX\8!`|N |!!\AXaTPLH|~xH<]<}܀c&?K ?K?K|{x <]@8B(B<AD8a@ ?]H|excxxK<]<}?< c&<: ԃEPK|ex?]cx$xK<] TxK|excxxKcxHLPaTAX!\8!`|N |!H|HA!|x< !|<*|8'dH(AT<]?xK$`(@?txK@DHaL8!P|N <]<xKTb><}(8C8A <]8B4b@DHaL8!P|N <]<}?pB |# xK@DHaL8!P|N 8`N N |!!\AXaTPLH|~xH<]<},c"?Kd?K ?K|{x<]@8B%0B<AD8a@?]H|excxxK?<]\" xK|ex?=cxDxK4?]xKTb>z#(@<]<0<" $ K|ex<] ?]?cxxK؀cxKcxHLPaTAX!\8!`|N <]<?" $ K|excxxKK|!lhd`\!XATaPLHDH<^<~<<xc!Ht!?~K|exxxK|}x?p|!?^K|yx?<^lh8 xK|ex>#x~xK8 Hp|!?>K|wxlh8 xK|ex?>~x~xK8,HMp|!>K|uxlh8 xK|ex>~x~xK8(H p|!?K|uxlXh8 xK|ex?~xDxK8$H?v ;@ExKy,?>ExKw(?ExK}$?ExKTx!@?K;KxHM<^<<~Px!@B\%d?K;KxH<^pb!L?K?K8H<^|}8@A8<@A<8A$ 8x|\4;@xKWz|Tc>}.(A<]xK(@<]xxKTb>(@<]xK(@4<]xxKTb>(@<]xK(A<]xxKTb>(A<]xK(AX`lptaxA|8!|N ?<]bP?PAT A$;^ A(,04TP>^ 8 pKX`lptaxA|8!|N ?<]bT?PAT A$;^ A(,04TP>^ 8 pKX`lptaxA|8!|N ?<]bL?PAT A$;^ A(,04TP>^ 8 pKX`lptaxA|8!|N <]<}cX<]PT $B9` (,04TP"B a8 pKX`lptaxA|8!|N |!aLHD@}>Kx|}xH|xtp<\l;apKTb>(A<\p;*<\88BhB<A<8a8T[ A $(, xH@DHaL8!P|N |!|x!tApalhd`|3x|#x||xHhA!<[tAxKTb>;!(A<[X;p?{\8X(yYy (a,A0a49Y A8xxH%`dhalAp!tx|8!|N <[<{hcP?Kd;K|wxH ~xxH<[P8BpB<AT8a@(8PY A(,049Y A8xH]~xHu@DHL `dhalAp!tx|8!|N |!<~(8CdA <^8B`b<8!@|N 8`N N |!p!Aa|xth|~xH<]\K(A8;|{x<]X8K<]?]cxK<]8KTb>(A4<]<@A APATaPA$a PTcxK<]cxKTb>(A0<]<}CxK|excxDxK|{x<]<}Tc?]K|yx<]\ P:?]?K<]LZ8?]#x pKH?#xK<]D@8aX\ A$(,0<]< xHAXa\`dA a$(,8@| a048xK(A<]<<8Tb>(@<]"D?[{ Aa $8@9@{ A8A@=X9@HPTXa\8!`|N <]<4HTb>(@<]"P<]{ a $9@9`{ a8A@"X9@HPTXa\8!`|N <]"@?[{ Aa $8@9@{ A8A@=X9@HPTXa\8!`|N <]"L?[{ Aa $8@9@{ A8A@=X9@H!PTXa\8!`|N |!lhdX|#x|}xH!<\P8B,B<AT8a@ 8PAA$,0(<\!HD<\p*D xK(A<\ xK(A<\ xK(A<\ xK(A<\ xK(A<\ xK(A<\ xK(@<\!@*@@DHL Xdhl8!p|N ?!@*@K?!@*@K|!\XT!PALaHD@#x~xK8H |?>K|wx8xK|ex?>~x~ijxK8Hŀ|?>K|wx8xK|ex?>~x~ijxK8H|?>K|wx8xK|ex?>~x~ijxK8H=|?>K|wx8xK|ex?>~x~ijxK8H|?>K|wx8xK|ex?>~x~ijxK8H|?>K|wx8xK|ex?>~x~ijxK8Hq|?K|{xX8xK|ex?cxDxK8H-<^? ̀}?K p?~K8H<^<<~ Ȁ}B%?K p;KxHɃ<@DaHAL!PTX\8!`|N |!!\AXaTPLH|~xH<]<}c l?K?K?K|{xl<]@8BB<AD8a@p?]H|excxxK<]<}?<hc <:E,K|ex?]cx$xK<]0xK|excxxKcxHLPaTAX!\8!`|N |!lhdX|#x|}xH!<\P8B B<AT8a@8PAA$,0(<\!HaD<\p*Dt!@<\*@!H<\*HxK(A<\xK(A<\xK(A<\xK(A<\xK(A<\xK(@4<\xK(@`?!@*@HH<\xK(A<\xK(@<\!@*@@DHL Xdhl8!p|N 8`N N 8`N N |!A\aXTPLH<^a@; ]<~AD;@?~xH]|zx8K8h<^A@}aDxH)CxLPTaXA\8!`|N |!\XT!PALaHD@<|~xH?<]bK|{xxK|@@\<]<}<<c0?}K|exxxK|~x?|8?]K|yx?<]8xK|ex>#x~xK8H|8?=K|wx8xK|ex?=~x~ijxK8HI|8?=K|wx8xK|ex?=~x~ijxK8H|8?=K|wx8xK|ex?=~x~ijxK8H|8?=K|wx8xK|ex?=~x~ijxK8H}|8?=K|wx8 xK|ex?=~x~ijxK8H9|8?K|{xX8xK|ex?cxDxK8H<@DaHAL!PTX\8!`|N <@DaHAL!PTX\8!`|N |!H|Hlhd`8h<a88dc*D|B4a8<@Da $(<{8=TBz|c"8<@D|C.(xHPTXa\8!`|N 8<@D PTXa\8!`|N |!!|Axatplh`XP|~xH<];K^h(@(TB>(A<]8BLH$<]8BPHTB>(@8<]8BX?}B<8a8DxHM8<](?= 2Hq/**H8a@ aX\`d|B4a $<~8TBz}C"9`aX\`da8@|*.9@H=<^xK,A<^xK,A;<^8ahxxHQ<^<~cp?~K?~KAhalptAa $;ahlptHUxK|A|xa8!|N |!<8H<^<~c0?K?K>ffi8<8!@|N |!C\|dx|@A$8@\|+x|ExK8!@|N 8\8`K8!@|N |!aLHD@|+x|}xH<\?|Kx?|xKP|~xxK(@ (A@<\PxK(AL8`@DHaL8!P|N 8`@DHaL8!P|N <\?xKK8Cx|B4TC~@DHaL8!P|N |!<8|~xH|H<(@4x<]K0C|b8<8!@|N 8`8<8!@|N |!<8|~xH|H|B48`TBz|~|#.<8!@|N |!<8|~xH<]KTb>(AL^Z(@\<](A4<]xK(A8<]xK(A(8`8<8!@|N 8`K<]?xK\K8c8<8!@|N |!<8|+xH|H[<h?KdW>(A$8K8<8!@|N 8K8<8!@|N |!\XT!PALaHD@<|+x|}xH<\KTb>(A<\@?|xK ?|KD?|K|zx<\<|<b#>xK|vx<\X?xK|ex~óx~xK|ex#xdxK|fxCxxxKhxExK<@DaHAL!PTX\8!`|N <@DaHAL!PTX\8!`|N |!\X!TAPaLHD@|~xH<]\KTb>(A<]?xK?K?K|{x<]<}<LC%H?xK|wx<]x?xK|ex~xxK|exCxxK|excx$xKxexK@DHaLAP!TX\8!`|N @DHaLAP!TX\8!`|N |!aLHD@|+xH<]$?K|{x<]xK|excxxK@DHaL8!P|N |!!LAHaD@<8|+xH<]<C\|3x|{x|CxKTb>(A@<]<}< c E;\K|ex#xDxKTb>(A<]<}cxKTb>(@8<]|cxKTb>(A<] cxK|@Ap8`8<@aDAH!L8!P|N x?{\xK8<@aDAH!L8!P|N <];cxxKx8<@aDAH!L8!P|N |!!LAHaD@<8|+xH<]<`܀C\|3x|{x|CxKTb>(A@<]<}<hchEl;\K|ex#xDxKTb>(A<]?cxKh?xK||x<]cxKTb>(@<<]@cxK(@ (AH<]@cxK(A8`8<@aDAH!L8!P|N 8`8<@aDAH!L8!P|N x?`{\xK8<@aDAH!L8!P|N <]?cxKK8Cx|B4TC~8<@aDAH!L8!P|N |!!\AXaTPLH@|;x|+x||xHh<[,?[K<[ȀxKTb>(@<[<{(Ā|\KTb>(A<[<{<PcPET<\K|ex#xDxKTb>(@Lxx<[(|\ pK@HLPaTAX!\8!`|N p@HLPaTAX!\8!`|N |!LHD|+x|}xH<\<|考销}\KTb>(A4x<\}\KDHL8!P|N DHL8!P|N |!LHDH<^@|+x||xKTb>(A <^TxKTb(@@<^@xKTb>(AD8`DHL8!P|N 8`DHL8!P|N <^TxKTcDHL8!P|N |!<8H<^<|}xKTb>(@<^@xK<^8xK8<8!@|N |!LHD|~xH<];xK<]xxKDHL8!P|N |!ALaHD@<|+x|}xHxt<\<|<ceă]\K|exCxdxKTb>(@d<\<|,4}\KTb>(@t|@A<\DxK<@DaHAL8!P|N ?xK<@DaHAL8!P|N 8At?,}\$(xK<@DaHAL8!P|N ?xK<@DaHAL8!P|N |!H|HX#x~xK8֐HtՀ݄z$?K|zx݀x|8ѸxK|ex?CxdxK8֔Ht?ߔv֐;xKߔ}֔xK@LPTaXA\!`dhl8!p|N |!|+x988`Ht8!@|N |!|+x988dHt8!@|N |!|+x988hHt8!@|N |!|+x988lHta8!@|N |!|+x988pHt18!@|N |!88pHs8!@|N |!|+x988tHs8!@|N |!88tHs18!@|N |!|+x988xHs8!@|N |!88xHr8!@|N |!|+x988Hs)8!@|N |!88Hr8!@|N |!A\aXTPL|~xH?ڼ~T?}Kڼ~`;{,Kڼ~d?Kڼ~h;A@Kڼ~lKڼ~pKڼ~tKڼ~Kڼ~xK@[ADٰCxHq̓LPTaXA\8!`|N |!LH|~xH<]KTb>(@X<]@8BPB<}AD?(8a@HqIƨ|@&TBhCHL8!P|N 8`HL8!P|N |!LH|~xH|H|~xH<]|?K<]<} xcޠ?]xKא?]K|excxxK||xڤ?}xKTb>(@8a`xHol8@A<}A?}A;AАA; A;AĐAȐÂtt~xK|vxxFx'xK(AA<Ѓb;@(; A|yxAB|@A<]t~xKHnA<}ٴ|b.;9K;Z*(@<]888~óxK(@<] ?}xKא?}K|zx;zxKTb>(A^Z(A;zob<}ALڸ<@C0AH<]\xK <]AHxK(Tb>.x(<12(Al<]<}?}<"Ѐ٨{ްE׸?=K|xx<]|"X{ްxK|excx$xK|fxxDxxK<]ؠt?}xKא~p;`K|zxa<]a?=a;0a:a :a$a(a,~pٌcxK|ux~ųxx~xK(AA<DЃ";::(:A|tx~ӳxAB|@A<]ٌcxKHlaA<}~B.\~p>=~ExKٴ~7K!2HlR*|@@ (!*<]<}<٨cް%׸:sK|ex:}@x~$x~FxK@X<]8880~xK(@<]ٌ~p?}Kר?}K?]K|yx<]<<<bElޘh>Kp<]88K?}K|exxDxK|ex#x~xKא#xK(AX<]B;`<]׈?]#xexK|xx\?]xxKٴ?]K`<]؂>xK|exx~xK؃VxK|exxDxKA @<]<}<٨cްE׸A K|ex>xDxxK?]#xxK\~p?]xKٴ?]K`א(#xKR((A?}{;`<]<}׈ƒ#xexK|zxA @<]א?C0#xKaD<]@`<]"A@($ 2Hj <]אs*#xK8C|@@ (* <]<}<٨cް׸>K|exxxFxKא;{#xK|@A;`<]א;{#xK|@A<]א#xK(@<]A<]<}٬cޠ;`Kap<]at?]ax;a|:a:pa|uxaa~tٌcxK|tx~ųxx~xK(AԀAxB;(:A|wxAxB|@A<]ٌcxKHgŀAt<}\~.~t>}~ųxKٴ>}K!x$<]<٨bްe׸:;)K|ex~x~dx~ƳxK@t<]88p8~xK(@<<]א;`~xK|zxa<]a?a:a:a:Гa*aa쀂ٌ~xK|{x~x~x~dzxK(AA<Ѓ:::(:`A|sx~xA؀B|@A<]ٌ~xKHfeA<}~".\>~x~%xKٴ~K!Hf*|@@ (!*<]<}<٨cް׸:RK|ex:}@x~x~&xK@X<]888cxK(~@<]ٌ~t?}Kר?}K?]K|xx<]<<<bElޘh>Kp<]88K?}K|ex~xDxK|exx~ijxKאxK(AX<];`<]׈?]xexK|wx\?]x~xKٴ?]K@<]؂>~xK|exx~ijxK؃T`~xK|exxDxKA @<]<}<٨cްE׸A` K|ex>xDx~xK?]x~xK\?]~x~xKٴ?]K@א(xK((A?}[;`<]<}׈cxexK|zxAl<]א>C0xKa<<]8`<]"A8($ Hd `<]אR*xK8C|@@ (s* <]<}<٨cް׸>K|exx~xFxKא;{xK|@A;`<]א;{xK|@A<]א#xK(@<]A8@A0<}A4?}A8;APA<; A@;0ADAHALtxK|wxxFx'xK(A(A8<Ѓb;@(; A|yxA8B|@A<]txKHa݀A4<}ٴ|b.;9K;Z*(@<]8808P~xK(@<]אΈ(xK(A<];`<]<}Xcް?]exK|yx\?]x%xKٴ?]Kx$ Ha א*xK8C|@@ (1* <]<}<٨cްE׸?K|exxDx&xKא;{xK|@A@<] ?}xKאK(A<];`<] ?]xK׈?]exK|yx<]<XbްE\?exK|exhxDxK<]ٴKX A<]ڤxKTb>(@?]8axH`58a$xH`<]dx*AaA a$(,#xK^Z(A$<]ڀx%xKTb>(@<]ڸxK*<] ?]xKא;{K|@AtT>| ʁaA!؃䃡胁aA! aA!8! |N 8aPxH^XK>K<]\~p?ExKٴK$K<]\>~xExKٴK$K>Kh?]8apxH^a|8a$xH^EpK$|!0̒Ȓē!Aa|&T@>|~xH<]KTb>(Al<]$?xK4?}Kl?]K|yx ?]xK4?Kl?}K|xx{(ALEx<]?}xKTb>(@0xxK(A<]xxKH#xxK(At<]@?}?]Kd<]Z\(#xxK@88@A8<}A#x~xK@>K!p$<]<4b| aA!ĂȂ8!Ѐ|N <]\?xKxKT>| aA!ĂȂ8!Ѐ|N T>| aA!ĂȂ8!Ѐ|N |!@!Aa|~xH<]K(A<]xK(A<]?xK?}K|zxxKK|@@`8@A8<}AxKx>~xK|ux>x~xK|wx>xK >~xKV>KTb>|@@D;9;Z|@AP?}h8888XxK(|{x@ ;H;taA!8!|N |!`!Aa!|Axatplh`|~xH?<]<Hb؃E?=K?=K|exCxdxK|{x?]Ԁz;K|wxԀz?]K;!::|txHxK||x ~x&x~dzxK(AA<īB; (;A|xxAB|@A<]HxKHUA<}~.hx~ųxKTb>(A<<]>xKTb>(@X8aP~ijxHV\*;;9(@p<] 888xK(@88@A<}A?A;A A ; A;AAAHxK|vx xFx'xK(AA;@(; A|yxAB|@A<]HxKHTA<}.H>xK>xK|sxh>xxK|rx>xKVB>(ATb>(@ 8apxHT|?8@ p$?><]Ѐu؃>]K|qxu>]~exK|fx~xx~%xK?u؃8K|excxxKHTb>(@8axHT!<]?<Ѐx؂>]K|qxx>]~exK|fx~x~x~%xK<]x؃8K|excxxK;9;Z(@0<] 888 ~óxK(@<]?x~xK?x~xKxexK`hlpatAx!|aA!8!|N ?ܫK8a@~ijxHRHK8a`xHRhK?8K8axHR!K|!`Aaxp|&T@>l|+x|}xH<\<|<DcfH]dK|exCxdxK(APx|~x<\<|<DcfH]lK|exCxdxK(AX<\?|K)xK@<\?xK ?xK|?C0K8CAD<\@L<\!@(xK<\Tc>2(@8aXxHQd<\"T$x(2 pHQ=lT>| pxaA8!|N ?ާP plT>| pxaA8!|N ?xKlT>| pxaA8!|N 8aHxHP!PK|!`Aaxp|&T@>l|+x|}xH<\<|<Ѐc(fԃ]`K|exCxdxK(APx|~x<\<|<Ѐc(fԃ]hK|exCxdxK(AX<\P?|K,)xK@<\0?xK?xK?C0K8CAD<\@<\!@(xK<\Tc>P2(@8aXxHNd<\"$x(2 pHNɀlT>| pxaA8!|N ?ޤH plT>| pxaA8!|N ?,xKlT>| pxaA8!|N 8aHxHMPK|!@!Aa|~xH8@A@<AD?AH;adAL;@AP;!@ATAXA\8K|xx%xfxGxK(AԀAH;b;@(; A|yxAHB|@A<]8xKHLMAD<}X|.;9xKTb>0b|C;Z(@<]88@8dxK(@pxaA!8!|N ;K|!pAa|HC[|+x||x(A\<^\?~xK|zx(|dx@ 8aH?~HKT;A \[(@\<^\?~xK|zx(|dx@8ahHKUt<^"A<^|xKTb>(A<^xK<^8xK<^<~x |\KTb>(@|aA8!|N 8a8?~HJ@;@<^(8xK<^xKKd8aXHJm`<^"@<^(8xK<^xKK <^x|\xK|aA8!|N |!A\aXTPL|3x|#x||xHhA!<[<{4Ԁ}\AKTb>8a(A8Ax<4\#C (,!0A4"B 8(A@<]<}< c E;\K|ex#xDxKTb>(A<]<]cxxKxA<]8?cxK?xK|zx?cxKTb>(@8aHDxHGLx*<]8?cxK;K|@@t<]<]|cxxKAL<]8?cxK?xK|~x?cxKTb>(@ 8ax?xHF!|8axHF<]1*cxK(@( xHEypA p!aăAȃ!8!Ѐ|N x?{\ pxK!aăAȃ!8!Ѐ|N pK8a8DxHE8Kh@pK@8aX?xHE!X8ahxHEpK|!0!̓Aȓaē!|+xH<]<C\|;x|{x|CxKTb>(A@<]<}< c E;\K|ex#xDxKTb>(A<]<]|cxxKxA<]8?cxK?xK|zx?cxKTb>(@8aHDxHDLx*<]8?cxK;K|@@t<]<]cxxKAL<]8?cxK?xK|~x?cxKTb>(@ 8ax?xHC!|8axHC<]1*cxK(@( xHBpA p!aăAȃ!8!Ѐ|N x?{\ pxK!aăAȃ!8!Ѐ|N pK8a8DxHB8Kh@pK@8aX?xHB!X8ahxHBpK|!|!xAtaplhd|&T@>`H<^<B\|;x|3x|+x|zx}Cx|ExKTb>(A@<^<~<c%\K|exx$xKTb>(A<^CxK?>xK||x<^CxKTb>(@\<^)CxK@(@ (Al<^CxK(@<^CxKK8C|@@<^(|dx@ 8aPH@\<^;CxxK<^ ?CxK;CxxKx`T>| dhlapAt!x|8!|N 8``T>| dhlapAt!x|8!|N ?z\exxxK`T>| dhlapAt!x|8!|N 8a@H?HK|!ALaHD@<|;x|3x|#xHh<[<\\|zx|CxKTb>(ADxx?{\CxH?=<@DaHAL8!P|N <[B":" : <@DaHAL8!P|N |!A|axtplH<^|+x||xKTb>(Al<^?~xK|zx?~xK$WB>(|dx@|8aPH>A\\(@<^"@<^`8B,B<Ad8a`LxH=lptaxA|8!|N 8a@H=HK|!`a!Aa|xtph`|&T@>\|+x|}xH<\<tpKTb>(@ <\pxKTb>(A p<\xK(A X](@ L<\<|<<(c`E&d`>xK|vx<\>xK|ex~óx~xK|exCxdxK|exx$xK$?|KK(|{x@<\cxK(A ;@<\hxK(@T<\T?<xxK}?KP8K}?KL8K8@A<|A?A;!A;A:A AA(xK|vx~x&xxK(A $A;";(:A|wxAB|@A<\(xKH:A<|~.Hx~xKTb>(A <\xK|@A~x:;(@<\888~óxK(@T(A ?<?xKD?K|wx:xKX?~ųxK?xKl?xK|ux>xK@?~ųxK>xKTy>xKV>((Ap|dxA8a8?<H9D<xKTb>(@<\?<xK|dx8aHH9PWB>(A<\8xK<\?<4y?Ky?K|vx<\0,>xK~óxxK?xK(>K$8@AX>\:`AX\A $>|X\WZ>K()xK|zx$~xxH8!h*x*ptpAt A$ptCxxK yKA8??\<\0ڧB xKxDxxfxK??|?\<\h{ڧb 8K|zx<\0xKxdxxFxKHWB>(A<\8xK<\?<4y?Ky?K|vx<\0,>xK~óxxK?xK(>K$>x:|>|Ax|A $WZ>x|)K(xK|zx$~xxH6!(x(A A$CxxK yKA8??\<\0ڧB xKxDxxfxK?x8xKH8a?<H6E<xKTb>(@<\?<xK|dx8aH6WB>(A<\8xK<\?<4y?Ky?K|vx<\0,>xK~óxxK?xK(>K$8@>A:A$ >|WZ>K()xK|zx$~xxH5!*x*ԃЀAԓ A$ЀCxxK yKA8??\<\0ڧB xKxDxxfxK??|?\<\h{ڧb 8K|zx<\0xKxdxxFxKHWB>(A<\8xK<\?<4y?Ky?K|vx<\0,>xK~óxxK?xK(>K$>:>|A؀ܐA $WB>؀)K(xK|zx$~xxH3U!(x(AaA a$CxxK yKA8<\<|<0çE xKxDxxfxK<\x8xK8@]?<\?|0B; ;xKx$xExxK<\<|<hcE; ?~xK|wx0xKx$xEx~xK0ܧ xKxxxxK\T>| `hptxa|A!a8!|N \T>| `hptxa|A!a8!|N ;@K\T>| `hptxa|A!a8!|N |!LHD|~xH<]88BlB<A<8a8?H0}?xKxKDHL8!P|N |!A\aXTPL|+x|}xH<\?|K|zx@8[܀B<AD8a@xH/Tb>(@8WB>(@T8`LPTaXA\8!`|N 8`LPTaXA\8!`|N ][0b|cLPTaXA\8!`|N |!a쓁蓡!A|~xH<]<}„  sH/Y A sH/E**<@@A<A8a`<]$(,0„8!;xH.d!`hlH-5! xxH-p@!H-!<]8aPAA$(,0?!?}xH.P<TX\T@8@A<`@A<]a<a?e8@ $(,=ȃ048<!AA@KA!؃䃁a8!|N ??8apH,p8axH,|8@A<A<]9`"Ȁ|쀄AA $(,AA048<!Aa@KA!؃䃁a8!|N |!p!Aa|xt|~xH<]8;AaA(a0,$?}!xxH+4xKTb>(@<]<}"hC<]a$"A$ <]`<}<$?}?]; ;*dh*lc0A`dhlA $(,`dhlK,z\ A(,04<\ 8!<@xxK,z\ A(,04<\ 8![>AD<\;#xxH&8>xK|exx~xxK?4>xK|ex8Հx~xK<\0>xK|ex8Հx~xK<\,>xK|ex8Ձx~xK<\(>xK|ex8Ձx~xK<\$>xK|ex8ց$x~xK<\<| >xK|ex8ց4x~xK<\>xK|ex8ׁDxxKڎ<\@{aD<#xH$|exxxK@[AD#xxH$eHLPaTAX!\`dhl8!p|N |!#x~xK8H|,?>K|wx؇8|xK|ex?>~x~ijxK8Hi|,?>K|wx؇8| xK|ex?>~x~ijxK8H%|,?K|{xX8|0xK|ex?cxDxK8H<@DaHAL!PTX\8!`|N |!|+x988tHm8!@|N |!88tH8!@|N |!|+x988xH8!@|N |!88xHm8!@|N |!aLHD@|~xH?~t?}K~x;LK8<]8a8>z4T8a8Hz488a@HD:H:`tL>]P>=T>AHaLPTA a$(,=HLPT=x~xKx~exKÀl~t?~xKz4h~t>K~t:xKd~t>}K~t9XKt=~xKz,;hK|zxtցT>}}{xxH̀z8`X9pxHz8h3o}{xHp*!t*x;x|?=?!Axa|A a$(,x|Cx~ijxKxxKÀl~x~xKz8h~xK~xxK`~xK~xKt~xKt@xKx@xKH??]z,?=K|xx>>z]>=>AaA a$(,==x~xKx~exKÀl~t?~xKzK~t:xKd~t>}K~t9Kt=~xKz,;K|zxtցT>}}{xxHMz@9xH1z@3o}{xHp*!*;x?=?!ԀAȀàЀԐA a$(,Ȁ̀ЁCx~ijxKxxKÀl~x~xKz@h~xK~xxK`~xK~xKt~xKt@xKx@xK~`! a$A(!,048<@aDAH!LPTX\8!`|N |!P!Aa|~xHܐؐԐ<]~t8axHa<]dhlp~xK(AX<]~xK(@?~|~t<@AA`?`@ad?]A`a$A ;!h`d?K~t~|^xh#xxHp!h<]*p(xha|Axa$A x|CxxKlx*ldp*d<]{?xK~x^dhlpA $(,dhlpxKaA!8!|N ?~|~t<@@A@?`@@aD?]A@a$A ;!H@D?K~t~|^x>#xxHyP!Hh*7h$p(*X<]a\hAXa$A X\CxxKlx*ldp*dK|!a|xtp|~xH<]|;K(Ah<]{8aX\A$(9?}xHxht8a8HAXa\AaA8a<@DA a$(,\aX8<@DHyTb>(@(<]xhx8aHHAXa\AaAHaLPTA a$(,\aXHLPTH Tb>(@<]h8BB<Al8ah{\A $HEptxa|8!|N <]`;‚?d8a`{ $Hptxa|8!|N ~tptxa|8!|N ~xptxa|8!|N |!!\AXaTPLH|+x|}xH<\@8BDB<AD8a@v?|H%<\ybx?\xK|ex8idxdxK<\?|y[vx?<xK|ex8itxDxK<\y{vx?xK|ex8ixdxKHLPaTAX!\8!`|N 8`N N 8`N N 8`N clN lN |!LHD|+xH<]a88BHB<A<8a8ulH (||xApx<]<<u\x|8hK|exxxK<]v\8xK8@\hxDHL8!P|N xDHL8!P|N |!\XT!PALaHD@<|~xH?<]sb{K|{xsxK|@@<]<}<<sc{sz?}K|exxxK|~x?r|z?]K|yx?<]rr8gxK|ex>#x~xK8l4H r|z?=K|wxrr8gxK|ex?=~x~ijxK8l0H r|z?=K|wxrr8gxK|ex?=~x~ijxK8l8H ir|z?=K|wxrr8gxK|ex?=~x~ijxK8l(H %r|z?K|{xrXr8hxK|ex?cxDxK8l,H <@DaHAL!PTX\8!`|N <@DaHAL!PTX\8!`|N |!H|Hlhd`8h<a88d| c=ggg(@Alahd`A$a <^9@a`dhlA8@"\9@H!p|aA8!|N 8aPHQT KAlahd`A$a ?8@a`dhlA8@>\D9@Hp|aA8!|N |!aLHD@|+x|}xH<\88BwB<A<8a8m?|H=<\păbm?xK|et8`xdxK@DHaL8!P|N |!<8H<^mD?K<^m@=ZD8K8<8!@|N |!LHD8H|xtp<^<lȀl|}xKTb>(AX<^l?xKl<^Y,8Kp@(<^"Y,<^<~l考lt8xK<^l?xKlKTb>(At<^l?xK<^lԀlKTb>(AD<^l?xKl8K8DHL8!P|N 8DHL8!P|N <@`B@C8C N |!LHH<^a@8BuPB<AD8a@kDH(|}xAh<^<~kLkHxKTb>(AD<^"W<^<~klj8xKxHL8!P|N xHL8!P|N |!\!XATaPLHD|~xH<]<}lcp?Kl?KmxK(A0||x<]lKTb>(A<]mxKTb>(A<]lxK(A<]l?}xK|zx<]<hbpekK|exCxdxKTb>(@<]<}<hcpekK|exxdxKTb>(AH<]m?}xK|zx<]<hbpekK|exCxdxKTb>(A<]<}<hcpekK|exxdxKTb>(@<]lxK||xH?m;CxK(Al?m?CxK|yx<]<hbpk;K|ex#xxKTb>(A?mCxK||x|{xx(@t?mcxxKH<]ixxK<]mxKDHLaPAT!X\8!`|N <]mxKK|!!\AXaTPLH}>Kx|}xH|H?i;`AaA,a40(;@A8aK(||xA8?cxK8c@DHaL8!P|N x<]<gdXK|exxxK@DHaL8!P|N |!aLHD@H;HT<^g ?~xK|}x<^<b|bjeeK|exxdxKTb>(Axx|}x<^<~<b|cjeeK|exxdxKTb>(@ (@lx@DHaL8!P|N |!aLHD@H(|+x||xAp(A<(@<^f;`xexK<^fxexKH\<^f8xK<^f8xKH0<^f;`xexK<^fxexKT<^d8xK@DHaL8!P|N |H|H(ADxx<[c8|X pK8@DHaL8!P|N p8@DHaL8!P|N |!aLHD@8|;x|+x||xHh<[<{ba|XKTb>(ADxx<[b|X pK8@DHaL8!P|N p8@DHaL8!P|N |!LHD|+x|}xHxt<\<|aH`P}XKTb>(AP8At?aH}X$(xKDHL8!P|N <\b`xKDHL8!P|N |!aLHD@|3x|+x||xHh<[<{a_||XKTb>(A<xx<[a|XK@DHaL8!P|N 8`@DHaL8!P|N |!aLHD@8|;x|+x||xHh<[<{`,^Ȁ|XKTb>(ADxx<[`,|X pK8@DHaL8!P|N p8@DHaL8!P|N |!ALaHD@<|;x|3x|+x|{xHH(ADxxx(A<xx<[^؀|XK@DHaL8!P|N 8`@DHaL8!P|N cXN |!|dx8@X|+x|ExK8!@|N CR|CtN RN CP|CtN PN CQ|CtN cTN |!LHDH|xtp<^a88BfhB<A<8a8ZAt|xpA$,( t|xpH}(|}xAp<^<~^cb?K^?K_;xxK<^_xxKxDHL8!P|N xDHL8!P|N |!p!A|axtpl`XH<^<~??Gd#H[X|aH?~@pK[?^K8RH<^[X|aH"H?^@pK[;ZRKDxH<^[X|aH"G?^@pK[;:RK$xH<^[X|aH"H ?>@pK[;RKxHU<^[X|aHH$? x@pK[:RK~xH![X|aH> x@pK[:RK~ijxH<^[X|aHBG> pK[:RK~ijxH<^[X|aH"H(>@pK[:RK~ijxH<^<~Yxcal>K<@?݁wR䁘RR܀R؀^t`B/;@<<A$A(A0A4G\FH,? ?$(!0A48aDAPA8a(A8Ax<YPX#C (,!0A4"B 8cxKVx(((|dx@8aH?>C0x**?Y8adxH?Ap ăaȃA8!Ѐ|N <]<}X,V{XKTb>(@l<]BE":" : ăaȃA8!Ѐ|N 8apHpKx?X,XCxxHăaȃA8!Ѐ|N |!aLHD@|~xH<]W?K|{xWK|@@cx<]S8K<]88B^B<A<8a8S|HՃ@DHaL8!P|N |!a|xtpHQ<^<BSPUT>(||x@8aXx|ExH`<@Ah;`AlahA$a hlxxK<^bK<^U\8xKptxa|8!|N 8a@x|ExHH<@AP;`ATaPA$a PTxxKK|!lhd`!\AXaTPLH@80!(|~xH<]Q\?KQK(A;?}Q\?]xKQ;@ExKA?=A;ؓA:A:A|uxA̓AГAԀQ\xK|{xR ~ųxx~xK(AĀAB; (;A|xxAB|@A<]Q\xKHA<}~.U>~xKQ<]8F|KTb>(@4<]U>~xKQ<]8FKTb>(A>R8aX~xH!R`X8ah~xH Rp!h8ax~xH<]<}x"? UQ*op*~xA~xA8~xK>R8a~xH>U8axH!>U*/p*AP8~xK~ճx;;9(@<]R 888cxK(@L(Ad<]U?}~xKQ<]8F|KTb>(@<]U?}~xKQ<]8FKTb>(@!(08@HLPaTAX!\`dhl8!p|N !(08@HLPaTAX!\`dhl8!p|N 8~xKKh8~xK~ճxK\| A a$(<]<} B?D#? 8aH<]<}<RT؃J8a~xH!8*Aa $PA(a,04T! A$8<@xxK!(08@HLPaTAX!\`dhl8!p|N |!P!Aa|~xHܐؐԐ<]P;xxH午^Q(@Ѐ\| A a$(<]<} B:4#:,8aPHP`TdXh\l<]<}OcE<]`dhl $(,";`dhlK^Q(@@<]<}OcE8@ (,048<\ 8A(A <@@Ap<]?}"EQ <]aptx|a $(,?]ptx|:dxKApatx|Aa $(::4ptx|8a@pH<]"EQ AaA a$(,xK<]Q\| A a$(, xK^Q(AaA!8!|N <\ |<]a`b:dd*!hlKp<]<}OcE8@ (,048<\ 8A(@H<@?]`]dxHL8!P|N xHL8!P|N 8@]`]dxHL8!P|N |!\|~xH|HL|~xH<]D`?KG ?K<]GDC;KTb>(Ah?}D`?}xKG ?}KGDKT{>(A4;`<]<}Fc;<] $(,"0 ?]K?=<]D`F;:xK\ A(,04:<\ a8<@>~xx~x~xKD`F;WsxK\ A(,04)<\ a8<@~xx~ųx~ƳxKD`YF4;xK\ A(,04<\ a8<@#xDx~ųx~ƳxKA?]?=<]D`F;:xK\ A(,04:<\ a8<@>~xx~x~xKD`F;xK\ A(,04<\ a8<@~xx~x~ƳxKD`YF4;xK\ A(,04<\ a8<@#xDx~x~ƳxKWb(@<]D`?}xK<]GxCKTb>(A<]D`?}xKGxKTb>(Ax<]<}<D`cFE;; xK\ A(,048<\ a8!(@LT>| PTXa\A`!dhlptxa|8!|N ;`K?]?=<]D`F;:xK\ A(,04:<\ a8<@>~xx~x~xKD`F;xK\ A(,04<\ a8<@~xx~x~ƳxKD`YF4;xK\ A(,04<\ a8<@#xDx~x~ƳxKKh<]<}<D`Fe;;@xK\ A(,048<\ a8| PTXa\A`!dhlptxa|8!|N |!<~(8C5A <^8B5b<8!@|N |!<~(8C4A <^8B4Āb<8!@|N |!!\AXaTPLH|~xH<]<}:cBt?K;?K:?K|{x(+4K|ex<]+@cxDxK<]4\;cxKcxHLPaTAX!\8!`|N |!`!Aa|xph`H<^<~??'<#';0|A ?~@pK:?^K82Hѽ<^;0|A "'?>@pK:;2KxHэ<^;0|A '? x@pK::2K~xHY;0|A > x@pK::3K~ijxH-><^9PbAD>K<@?݁w3222>L`B/;@<<A$A(A0A4'4F(? ?$(!0A48aDAPAp x`K82HЉ<^;0|A "'?>@pK:;92K$xHY<^;0|A "'?>@pK:;92K$xH)<^;0|A B(?> xK:;92K$xH<^;0|A B'?> pK:;92K$xH<^;0|A B(?> xK:;92K$xHϙ<^;0|A "( ?>@pK:;2KxHi<^?>ty2'D?> K:;92K$xH5<^;0|A "($?>@pK::2K~xH>ty2?> K:;92K$xH<^;0|A B((?> xK:;92K$xHέ<^;0|A "(?>@pK:;y2KdxH}<^9PbA,?~K:?~K82HU<^;\{2<@AX<A\?XA$ (,X\K;0|A >p2 p@xK|exxxK`hpx|aA!8!|N |!|!xAtaplhd}^Sx|+x||xHh!<[6?[xK5`<[8&KTb>;A(A4<[6<@A A@ADa@A$a @DxK<[6xKTb>(A<[9xK(@<[6xK(AT<[<{9ȃ#6?xK|exx$xK|}x98K<[<{7c.\K<[X8B@ԀB<{A\<[6<{  $(B" #"8aHHـAHaLPTA$a(,08aXHLP!TxxxH5dhlapAt!x|8!|N |!\XT|~xH|H!̀c<aL8a848H!$,0!(?!?H˕A8a<@DAa $(] 8<@D< xHɕTX\8!`|N |!\XT|~xH<]H8B=܀B<AL8aH6(?AA$,( Hʍ3xKTb>(A;<]<}4 c+h?K68a8\ A$(,0;< xHUA8a<@DAa $a8<@DxHȝTX\8!`|N TX\8!`|N |!!AܓaؓԓГ!Aa|&T@>|3x|+x||xHhA$! <[3A(Aa$ A(a0,$;!!$ ;p#xDxHAa$ A a($,$ V>xHƽp0(!t!!x! !|!$AL<[5LCxKTb>(A<["*H(<["@*H<["@*<[ 38a`Y A$(,0W>9 )DxH`dhl APo\?C0X?!X(V>(@?=,(*HL?[?3x8 >K3o€oA<D?C0K8@<[3x8 K8!@3x(x(K$p$V>(@H9 O*.*1(`<[<{5Hc80?K|}x<[5D>?K5@**?AaA a$?[?{xK5| aA!̃Ѓԃa؃A܃!8!|N ?,(p*PTK09.*/*A(`K|!`!Aa|xph|+x|}xH?|1D;@ExK<\1@?<K1DlxxExK1K+?<K|vx1L?K.(y3 K|yxT!P?.$W>|^4>: p@xK<\Wz|14|%.xP#xK.$@pP#x xK<\.?#xKP!T?AXA\!`d1DxExK10AX\`dA $(,X\`dK1H~óxK~óxhpx|aA!8!|N |!l!hAda`\XT|+x|}xH<\+l8a8xH(A8<\!h8aPxH<\!XAb(?\!h8a`xH]!hd8apxHI|;*(!AaAa $aHTb>(@t<\%9 AaA a$(,xxKaA8!|N aA8!|N |(@A |(@@|(@8`A8`N 8`N |!LHD|~xH<]#@?K$<]8xKDHL8!P|N |!LHD|~xH<]<} ,c&4?K#?K<] #\8xK<]!dxKDHL8!P|N |!H|H(A<\<|c$?|K?|K|zx<\"\b?<xK|exxdxK"X?xExKxExxKHLPaTAX!\8!`|N HLPaTAX!\8!`|N |!A\aXTPL@H<^<~?? D# H8|#(?~@pK?^K8 H<^8|#(" L?^@pK;ZKDxH<^8|#(" P?@pK;KxHe@LPTaXA\8!`|N |!p|!xAtaplhdX|~xH<]8a@AA(0,$?!xH]xKDa@|\|@l|zx; <]CxxKTb>(A4<]8aH>xxHT7d<]*T?x",>KDx",>K8>>K>>(t" 46 D>@pK|vx(t"7 H>@pK|ux<]Hb"<>Kl>~ųx~xK<>K<]HLPT $(,"ȀHLPT>KЀx",K;9|@@XdhlapAt!x|8!|N |!LH|~xH|xtp<]KTb>(At8Ap<}@8c$|c<aD8a@ $(, HHL8!P|N HL8!P|N |!lhd`!\AXaTPLH}>Kx|}xH<\p?|K<\8HKTb>;a(@\<\?\xKTb>z(A<\K|zx?<<\b?KL?K>K|vx<\>xK>8|+xK|ex~óx~xK>>~óxExK<\<|<ĀcW5 K|ex>~óxDxKwH?\K|yx<\pB>xK|ex#xDx~ƳxKK|exxK<\;<\!(;8B#;<*8a@@BAD[ A $(, xH1HLPaTAX!\`dhl8!p|N <\<<B%KK |!!\AXaTPLH}^Sx}=Kx||xHh<[88aAA(0,$;@!?;xH\08Y!@<{BADA,8a@!$,(! ;`A8<xxH՛|0HLPaTAX!\8!`|N |!!lAhad`\X}^Sx}=Kx||xHh<[8aAA(0,$;@!?;xHU\08Y蓁P<{BATAa!a$,(! 8aP8A<@;`xxH|0X\`adAh!l8!p|N |!lhdX|#xH!<]H8BB<AL8A88H!$,0!(!||x|CxH^0(@8Ax<}8aP" $(,!0=]" HD!T (p@ (D<]LA<:<8<@D Xdhl8!p|N Ca|CtN aN C`|CtN `N |!LHH<^a@8BpB<AD8a@H(|}xAL<^<~cKTb>(@H<@?]d]hxHL8!P|N xHL8!P|N 8@]d]hxHL8!P|N |!\|~xH|HL|~xH<]P?K?K<]4;KTb>(A?}P?}xK?}K4KT{>(A;`<]<}c<] $(,"Ѐ ?]K?=<]P:xK\ A(,04:<\ a8<@>~xx~x~xKPWsxK\ A(,04)<\ a8<@~xx~ųx~ƳxKPY4xK\ A(,04<\ a8<@#xDx~ųx~ƳxKAP?]?=<]P$:xK\ A(,04:<\ a8<@>~xx~x~xKP(xK\ A(,04<\ a8<@~xx~x~ƳxKPY4(xK\ A(,04<\ a8<@#xDx~x~ƳxKWb(@l<]P?}xK<]hKTb>(A<<]P?}xKhKTb>(Ax<]<}<PcE; xK\ A(,048<\ a8!(Ax<]<}<PcE; xK\ A(,048<\ a8| PTXa\A`!dhlptxa|8!|N ;`K?]?=<]P:xK\ A(,04:<\ a8<@>~xx~x~xKP xK\ A(,04<\ a8<@~xx~x~ƳxKPY4 xK\ A(,04<\ a8<@#xDx~x~ƳxKK|!<~(8CdA <^8B`b<8!@|N |!<~(8CA <^8Bb<8!@|N |!!\AXaTPLH|~xH<]<}cp?K?K?K|{xp<]@8BB<AD8a@t?]H|excxxK?<] ̃\"4xK|ex?cxDxK<]<}<lc\>0K|ex<]<cxDxK<]cxKcxHLPaTAX!\8!`|N |!`!Aa|xph`H<^<~??8#󴀝,| ?~@pK?^K8DH<^,| "?>@pK;HKxH<^,| ? x@pK:LK~xHU,| > x@pK:PK~ijxH)><^Lb @>K<@?݁wPLHD H`B/;@<<A$A(A0A40F? ?$(!0A48aDAPAp x`K8 H<^,| "?>@pK;9 K$xHU<^,| "?>@pK;9K$xH%<^,| B?> xK;9$K$xH<^,| B|?> pK;9K$xH<^,| B?> xK;9@pK;(KxHe<^? py(@?> K;9,K$xH1<^,| " ?>@pK:0K~xH py0?> K;94K$xH<^,| B$?> xK;9K$xH<^,| "?>@pK;yKdxHy<^Lb (?~K?~K88HQ<^X{8<@AX<A\?^XA$ (X\?>K,|  l8?~ p@xK|exxxK<^<T{ P ?~K|exxxK|}xL{ ?K|{x<^<~HD80xK|ex?cxxK8@Ha`hpx|aA!8!|N |!p!Aa|xth|~xH<]xK(A$;|{x<] ?]K<]8,KTb>(A4<]<@A APATaPA$a PTcxK<]cxKTb>(A0<]<}@CxK|excxDxK|{x<]<}pc$?]K|yx<]\ l:?]?K<]hZT$?]#x pKd?#xK<]`\8aX\ A$(,0<]< xHAXa\`dA a$(,8@| a048 `hl8!p|N |!|xtp!lAhad`\XP|~xH<]!B**H<]<<d$?]K|exxdxK||x<]Tb?}K|zx<]AP;?}?=K<]L[89?}CxKH?}CxK<]tb?}K`?}xK;LT~> rH(@;<]?}*L<]"똀AHaLA a$<]y a(,04;LH9Y 8>x pKL<]p(L>bT>K|ux^ P6?K<]L^8?~x pKH>~xKAHaLA a$Yy A(a,04LH9Y 8x pK<~xKH~xK<](A;<]<}c?K8a8\ A$(,0;< xH=A8a<@DAa $a8<@DxHTX\8!`|N TX\8!`|N |!lhd`!\AXaTPLH|&T@>D|~xH<]p;xxHY<]?}xK|zx?}xKKTb>(@ <] xK|{x<]H?=xK?=K<]B)|CxK@hTb>(@ <]?=xKlK\| Aa $8| HHdTb>(@ D<]?=xKlK\| Aa $8| H<]?=xK|xx9 <]8bHa|exx$xKTb>(A <]?=xKH?=KK(A `; >\<]?xKH?K|wx%xK|@@>; \| A(a,04;<\ 8!Cxx&xK>\| A(a,04<\ 8<@Cxx&xKxKKTb>(@ \| ,A0a4(:; <\ 8Cxx~xK>\| A(a,04<\ 8<@Cxx~xKxKKTb>(@ \| A,a04(; <\ 8!Cxx&xKĀ\| A(a,04<\ 8<@Cx%x&xKă\\| A(A,a04<\ 8!<@cx%x&xKă\\| A(A,a04<\ 8!(A\| A,a04(; <\ 8!Cxx&xKĀ\| A(a,04<\ 8!<@Cxx&xKĀ\| A(a,04<\ 8<@Cx%x&xKĀ\| A(a,04<\ 8\?:\| A(a,04<\ 8<@Cx%x~xKĀ\| A(a,04<\ 8| HLPaTAX!\`dhl8!p|N <]xKK4<]?=xKlKK|<]?=xKlKK\| ,A0a4(:; <\ 8!<@?Cx%x~xKĀ\| A(a,04<\ 8| HLPaTAX!\`dhl8!p|N |!0A̒aȒĒ!Aa!xH;C\||x(@<^?~xK$?~K<^Te>Pb(@ <^88ڀ(@?~(xK|{x?<^lb ?^K?>K`?K|wx>><^Pv<8K|ex>~xxK<^<~<pc@84tK|ex>~xxKltH?K;@K`>K|sxx?AX>^\<^X$ >X\xK؀v<>K鐂 pK|ex~cxxK8?~x~exKlx?K8?ex~xK`;a`K|yxL<^} a$(? pcx$xHxH{Uh=Ҝl= !H{u!p1H{e!t<^HApatA a$pt#xK!xaA!ĂaȂA8!Ѐ|N  = !HP<^<~<LTPc8pKK<^@8ڀDKK|!LHH<^a@8B B<AD8a@4Hy(|}xAL<^<~开cKTb>(@H<@?]\]`xHL8!P|N xHL8!P|N 8@]\]`xHL8!P|N |!\|~xH|H#xdx~x~xKă|t6>xKAA,40(?Aa8<@!:#xdxx~xKă|t6xKAA,40(Aa8<@!#xdxx~xKă|txKAA,40(Aa8<@!xdx~x~xKătvxKAA,40(Aa8<@!cxx~x~xKătxKAA,40(Aa8<@!xx~x~xKX\`adAh!lptx|8!|N |!H|H!plhd=dlph$(  x@pK4;KxHr<^܌||"?@pK4:K~xHr<^܌||">@pK4:K~ijxHr<^<~ڬc>KWԁxЁ̀Ȁߨ=?;@<<A$A(0A4ȐF? ?$(!0A4a8ADAP|~xH8@AX<A\?A`;a|Ad;@Ah;!XAlApAtK|xx%xfxGxK(AA`;`(;@A|zxA`B|@A<]xKHpA\<}<ظ$~.8a@~xHpuH<@AP;ZAT;{aPA$a )PT~x$xK@|<]88X8|xK(@DT>| ăȃãAЃ!ԃ؂8!|N T>| ăȃãAЃ!ԃ؂8!|N |!LHD8|~xH<]<}考(~? pK<]$0~ p8K<]<}א׀~KTb>(A8<]א~8K8DHL8!P|N 8DHL8!P|N |!\XT!PALaHD@<|+x|}xH?|?\zL?<K,?K>K|vxzL?|K,;DK?K|{xh;Tx~ųxxKhxexxK<@DaHAL!PTX\8!`|N |!LHD|~xH<]<}<"H~ĨK<]<|8|;x|;xKDHL8!P|N |!LHD|~xH<]<~$8K<]ٴ|KDHL8!P|N |!LHD|+xHC ||x(A|<}<@Ԭ|CxKTb>(AXx<]<}@<| K(Ad?8xxKDHL8!P|N <]8xxKDHL8!P|N DHL8!P|N c N cN cN |!A\aXTPL|+xH<]a@8B B<AD8a@PHk!(||xA?}ӌ<]8LxK|zxӌ<]8\xK|~x?Ӵ;`CxKxexKÀӴ;xKxxKxLPTaXA\8!`|N xLPTaXA\8!`|N |!|+x88|;xHj8!@|N |!|+x88|;xHje8!@|N |!|+x88 |;xHj58!@|N |!H|H(@4<^l8xKxHL8!P|N xHL8!P|N |!aLHD@|~xH??}K<];8K?xK<]լKTb>(ADx<]?Kլ8K@DHaL8!P|N @DHaL8!P|N |!LHD8H|xtp<^<($|}xKTb>(AX<^D?xK<<^¼8Kp@(<^"<^<~H8xK<^D?xK8KTb>(At<^D?xK<^4$KTb>(AD<^D?xK48K8DHL8!P|N 8DHL8!P|N <@`B@C8C N |!LHH<^a@8BۀB<AD8a@ΤHf5(|}xAh<^<~άΨxKTb>(AD<^"<^<~̀X8xKxHL8!P|N xHL8!P|N |!aLHD@|~xH??}K<];8K?xK<]҄KTb>(ADx<]?K҄8K@DHaL8!P|N @DHaL8!P|N |!LHD8H|xtp<^<|}xKTb>(AX<^?xK<^¹d8Kp@(<^"d<^<~ ̬8xK<^?xKKTb>(At<^?xK<^ KTb>(AD<^?xK 8K8DHL8!P|N 8DHL8!P|N <@`B@C8C N |!LHH<^a@8B؈B<AD8a@|Hc (|}xAh<^<~˄ˀxKTb>(AD<^"<^<~ˤ08xKxHL8!P|N xHL8!P|N |!\!XATaPLHD|3x|+x||xHh<[<{c\?[K|yx<[lBh?xK|ex#xDxK|zxd?;xK<[`\?;xK|exCxxK<[Xˀ?xK|exCxxK<[<˄bT?K|exCxxK<[PL?xK|exCxxK CxKDHLaPAT!X\8!`|N |!PAa!Aa|ph|&T@>d|+xH<]<}Xcπ?KT?K<]DŽb$?Kȼ?Kx?K|{xT?@@?@@AD<]@A$ @Dp$K<]ɔ8cxK<]; cxK!H<]!LP?@`!T*X>\>vϤ̼>K|tx̴>}AHLA $<]HLpK̰p$APaTA a$>]PTW>~xK̰)AXa\A a$X\~xK̰AHaLA a$HL~xK!HLPTXA\̼vϤK|~x̴AHLA $HLK̰APaTA a$PTxK̰AXa\A a$X\xK̰AHaLA a$HLxKrT@<]h?K<]̨<`?K?K?xK<]<}c<~xK<]cxKcxdT>| hp|aA!aA8!|N <]?K<]̨T@.TP>H,@8K8!@|N 8KK|!!Aaܓؓ|&T@>}>Kx|}xH<\<|cT@.P>TBP>,|{x@<\?<<|±ɰc?Ex pKɰx?x pKɰxex pK<\ɨ?xKɤ9888K<\"@<\"AT>| ȃԃ؃܃aA!8!|N <\?<<|±ɰcx?Ex pKɰx|?x pKɰxex pKK<\<|<<<<tcxD|%ɸg?KŘ?K?Ѐ}$?K<}$?K8 K<\ɴ?CxKȀ}$KT>| ȃԃ؃܃aA!8!|N |!H|H$&%T@.'P>T@.P>TP>,A8<a88d̨cK>Ex&xK8 HT<^<<D|ĜbxE(&,?^pK|yx<^<D|Ĝz0B4%8?^pK|vx̀x;ZK>%x~ƳxKDxHTM<^D|ĜU<"@?^`xpK|yx<^D|ĜZD"H?^`pK|vx̀x;ZK>%x~ƳxKDxHS<^<D|ĜBL%P?^`pK|yx<^<D|Ĝ:BT%X?^`pK|vx̀x;ZK>%x~ƳxKDxHSE<^<D|Ĝu\B`%?^pK|yx<^<D|ĜzdBh%l?^pK|vx̀x;ZK>%x~ƳxKDxHR<^D|ĜUp"t?^`pK|yx<^D|ĜZx"|?^`pK|vx̀x;ZK>%x~ƳxKDxHRE<^<D|Ĝu8B%?^pK|yx<^<D|ĜzB%?^pK|vx̀x;ZK?%x~ƳxKDxHQ̀xĨ?~K?~K8HQ<^<~<cȃE؃;?K;K$8?><^><^<~"C><^;¶Tc@.P>TBPb>,A<\t!T*T<\<|\c?|KX?|KA<\@x<\?xK|dxD8a@APTX\A$(,0PTX!\HO@PDTHXL\PTX\ hptxa|8!|N |!a\XTPHC$&%TB@.'P>T@.P>TBP>,|}x@P?~@;{{<^aD8a@dHN|{xcxPTXa\8!`|N <^<~c`?K?K?K|{x`<^H;<^L?d8aHHM|ex,cxxK<^?xcxKKL|!|xthH<^a`8BøB<Ad8a`AA$,( HM=(|}xA<^8xK?8a@xHMIH8aPxHM5\<^$"`AT8@]xxhtx|8!|N xhtx|8!|N 8@]xxhtx|8!|N |!LH<^<~􀃭p8a@HLq<^@"<^B* *L8!P|N |!LH<^<~8a@HL<^@"<^B* *L8!P|N |!@!Aa!AaxpH<^<~<<$c\ ?~K|exxxK|}x?|?^K|yx?<^8pxK|ex>#x~xK8HJ=|?>K|wx8xK|ex?>~x~xK8HI|>K|ux8xK|ex>~x~xK8HI|>K|txx8xK|ex>~x~dxK8HIq|>K|txx8xK|ex>~x~dxK8pHI-|>K|txx8xK|ex>~x~dxK8HH逛|>K|txx8xK|ex>~x~dxK8HH|>K|sxX8xK|ex>~cx~DxK8HHa|>~K|rx88xK|ex>~~Cx~$xK8HH|>^K|qx8xK|ex>^~#x~xK8HGـ|>^K|qx8xK|ex>^~#x~xK8HG|?K|{xX8 xK|ex?cxDxK8??HGI<^<~c]< ?K?K8tHG?􀖬8a@HG􀙬D8aHHGL􀗬8aPHG<^T.x*¢*p*<^x8aX;`HGe􀔬X;ahxHGM`􀓬*cxHG5h<^*p*|pxaA!aA!8!|N |!a쓁蓡H(|}xA |#x<^8` |BT:|c.|C|IN ?xxHFY؃䃁a8!|N <^88axxHF\x(Al<^?~xK.rHF)ۧ<^|pAxKp( rHE?P*Hh<^?~xK.rHE<^xxAxKx( rHE?^*] ؃䃁a8!|N <^|x(@8aX?~xHD݀`8ahxHD?<^\<At?~LB((B*d(=}] ؃䃁a8!|N ?ޝ>=> = ؃䃁a8!|N ?ޝ>=> = ؃䃁a8!|N ?~88axHC88axHC88axHCyx(@?\A?> ** (Н=н ؃䃁a8!|N <^88axHB\x(@0<^B\?a!c(]}= ؃䃁a8!|N <^B"=" = ؃䃁a8!|N 8a8?~xHB%@8aHxHB?<^<\AT?~LB((B(d*KH!?Aa(("*Kx<^\?!^a!(K(h4|!a\XTP|3x|#x||xHh<[H8B B<AL8a8X8HHA<[\xxxHA PTXa\8!`|N |!\X|~xH<]88aHxH@^x(A<]<}<"܁؀?AHaLPTAa $8@9@aHLPTA8A@=H9@H=݃X\8!`|N <]<}<"<]aHLPTa $9`9@aHLPTa8A@"HH=aX\8!`|N |!\X|~xH<]88aHxH?q^x(A<]<}<"p䠀?AHaLPTAa $8@9@aHLPTA8A@=9@H<X\8!`|N <]<}<"䠈<]aHLPTa $9`9@aHLPTa8A@"H A8a<@DAa $a8<@DH<5^x(A<]08aH?xH=<]T<<}B*<]#*B0*@d<]`?xK\<]’xKp@?XxKhtx|8!|N ^x(@<]08aX?xH<`<<](<}B(#4*@d<]`?xK\<]’xKp@4<]XxKhtx|8!|N htx|8!|N |!|xthH<^a`8BB<Ad8a`4H;(|}xA<^L8xK?8a@xH;рH8aPxH;\<^$"AT8@]xxhtx|8!|N xhtx|8!|N 8@]xxhtx|8!|N |!A\aXTPL|~xH<]<}cD?K?K?K|{xD<]@8BB<AD8a@H?H:]|excxxK<]?<tb`ܢ\EK|ex?]cxxK<]b4?KTb>~dܢ\(@<]<@<"K|excxxK<]B<}< \cxKcxLPTaXA\8!`|N <]<<"K|excxxKK|!LHH<^<~c?K,?K8H8u<^}8@A@<@AD@A$ @DKHL8!P|N |!aLHD@HCH|}x|(@A8|+x<~?~|CxK;`HxKxexKÀ}H(A$<^<^8KTb>(A\<^<~<c|?KK|exxxK@DHaL8!P|N <^쀽HxK@DHaL8!P|N |!LHD|+xH<]a88B܀B<A<8a8H7A(||xATx<]<<Ť8LK|exxxKxDHL8!P|N xDHL8!P|N |!88HH68!@|N |!LHD|~xH<]Ѐ~H?K88\B<A<8a8H6EDHL8!P|N |!aLHD@|+x|}xH<\88BtB<A<8a80?|H5<\lb(?xK|ex8ܓxdxK@DHaL8!P|N |!LHDH;xH2]||xxxH2mH2 |}xxH2<^0xKDHL8!P|N |!(@<]<}hc?K|{x<]<}<ldE`xK|exxxK|excxDxK<@DaHAL8!P|N <@DaHAL8!P|N c\N |!LHD|+xH<]a88BB<A<8a80H1(||xATx<]<<,ş|8K|exxxKxDHL8!P|N xDHL8!P|N |!|+x988\H18!@|N |!LHD|~xH<]H~\?K88\B<A<8a8#xDx~x~xK<^b?^K=d;AxK|yx tCxxH!ՀAxa|A(a,04x|!A8<@#xxx~xKK??~ [t=`8axH!aAaA(a,04;!A8<@:#xDx~x~xK<^<~c?K=h;K|zx txxH ɃAa(A,a04!A8<@Cxxx~xK̃Ѓԃa؃A܃!8!|N |!!\AXaTPLH|+x|}xH<\@8B؀B<AD8a@?|H?\z?<xK|ex8}xdxK<\z?<xK|ex8}xdxK<\z?<xK|ex8}xdxK<\z?<xK|ex8~xdxK<\z?\xK|ex8~xdxK<\?|[?<xK|ex8~(xDxK<\[?<xK|ex8~8xDxK<\[?<xK|ex8~HxDxK<\{?\xK|ex8~XxdxK<\?||[x?<xK8~hxDxK<\t{x?xK8~xxdxKHLPaTAX!\8!`|N |!2(|~xA,(AP<]"g<]<}{ 8xKxLPTaXA\8!`|N xLPTaXA\8!`|N |!|+x88D|;xH98!@|N |!|+x988HH 8!@|N |!88HHa8!@|N |!P!Aax!p}>Kx|}xHܐؐԐ?|?\wz}?<K{?<K|0?xK}l?K|0?<xK}h?Kz?<xK|wxv9}`8a@xHŀA@aDHLA$a(,08aP@DH!L;~x%x xH}wz}!T?<K}\<\x("d((`zd<\`d $;"`d?Kh8ahY?AlwAԀ܀؀АA$,( ԁ܀؀xH wz}K{K!pxaA!8!|N |!`!Aa|xph|~xH<]u?KudK(A8<]zxKTb>(A?z?}xK{K|vxsȀ{{?K|{x{8w?xK|ux{:xK|fxcx$x~xKs?}K|zxy$b~óxKd!`w|?P?}T?=!X?\APaTX\A a$(,PTX\Cx pKy ~óxK{4y{~ųxK|exzxKhpx|aA!8!|N hpx|aA!8!|N |!A\aXTPL|~xH<]<}qcx?Kr@?Kp?K|{xr<]@8BB<AD8a@r?]H |excxxKx?xexKxxKLPTaXA\8!`|N |!!\AXaTPLH|~xH<]<}p$cw?Kq\?Kp?K|{xq<]@8BB<AD8a@qH|excxxK^1(AP<]wxK(A8<]<}<wpE`xK|excxxK<]<p~H8hK(A?<]p~H;BhExK|yx<]pwcxExK|ex#xxKTb>(@<<]"^<]<}wqP8xK<]wxexKcxHLPaTAX!\8!`|N |!A\aXTPL|~xH?o~D?}Ko~H;{~Ko~@?Ko~<;A@Ko~8Ko~4K@[ADnCxHLPTaXA\8!`|N |!aLHD@|~xH<]88B~0B<A<8a8u H(||xA<]nX~H;`HKxexK?o$~D;`DKxexKÀo$~4;`4KxexKÀo$~8;`8KxexKÀo$~<;`?(\)??zG?%?}?^YYBBBHHA@A?J?*?r?f?>>x?? C0>L>33= >>?@´B?ZH>># >>>AA@>?{?l?s>?= ? =q>B =?'>l>?~?d?Y?z?T?C?8?$?G?>?j?b?]?N>>>>?x>?i><>(? >>>? >?K>>h?y?v?S?dZ1A  4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4 4a(     P p   K@  @`$$  0P0P0Pp" "   P p $ $/ // 0 0 0 000P0g0p!0!44 4! 404P4p4566 6@6`6::;;0;P;pA@A`AAAA[6G+ H HUJ" J0O0OP'O!OO'P!P0PP)P PP)Q R Sx WWW WXX0XPXdXXX]]$]@]`]]]]G?     ,` H X 0      + > J _( m             0'D H  ` |      7nQp?b+:Ro{J  ?.Y9>R}>.EZ`Yf>IT?!,@TFg08>JRqY'P<@h;F^EZF < Y2&l.F<,EF4FBFT  `4S5Gh !! 1!M!c!t!!!!""9"a-x"k""""#.#?#JN #h#y###$$5$W$$$S$%%:%m86%%%%%& &*&6&D&M&Z&{&&&&&'1f''R'j''-<''''( (2(B(Z(n((((()F)J)U)e))))8)))***'/N*>*R*f*o*******+S00011!1(1:1F1S1111S<1222'20 2F2M2]2g42x332267<|7707G7d77777+8):P888F8V8p888;Fv< Y>>%>0>M>Y>>?F?~ABBLB[BjBsBBBBBBCCC4CWCdCmD#DODDDDDEFGGGGGHH>HLHfB'HI0I<IXIjItIIJKAKUKLLYxL"L1L<LRL`LMMM1MJM_MMMN+N@NMNVNeN|QHQcQQR5RCRRRRRRRSSTT T4TB[T[TnTVTTTTTUU%U8ZUIU]UpUUUUZXXZ:XZFZT[Z$ZYY YPYaYYYYYZZ\DZZZ [ g p+.ULGuF'T[ +8+&+7+J+i2-4+=???C}EFJK^LlSS#S)Q HH Q pH 8!\IPhUPUP d'-6\J(:D0X-m\J:uDlz`G '%CL\JHlX\x++h-\C2|83h4pxl5tU6P8U+J\H:2h-;Ph;:<D 2 @ChD([6C}4HEXl;plXEG FL%HH`H-HdH<HD0HUI PPx2JJdKtKxKUKPUKPH8KLxLhLLLMLl(NNK^|O*[6Q!0@Q<(QQLTQX-S2`SU:SDUUp8V8 Y d'[6[FL4[2Q 02Q p02!02U02U02 02-602:02-m02:u02lz02G '02CL020(2++0<2C20P240d2U602U+J0x2-;P02:<02202C02[6C}02l;p02G F02HH02-H02<H02UI 022JJ02KtK02UK02UK02KL02LL02MLl02NK^02[6Q!0H2QQ02-S202:S02UU02 Y 02[6[F0  $2F         \    2F     `  <    H&!` 385x30 ' 3L*$  -hQRHbQ@Q8 1h 2 4 96H +97\  59 ":Y9=9L,9<9QC ELTF\TQfd9 P, SI@V(,G<9GTQI`SJ,TQJLGhGxKPx5KH Jh Q MRD;=L =@KTGhGxTx5T;=YHY2=@] S`M^l38Rh TGhGx`x5` ``h k0<,lhf$=@` =@c GhGxnx5nGxn`r85(rRs8~38n|5N,tx5dvPTQnM*>38,3L****$*5)30*o3L)38&38"T" ""k "-x 4'\-< ,;d+ \ 9* * D*' /N ,*R +*3L+38!5D! 90%9$59!9X!9P"38h"99$,Y$,Yl&p,m30#y#L#9 $,$W,$,$,%,%:96,%ʸ,%d&9& '3L%m30~@'38}&ZN},%9} %|(29|'38|4(n {(B30z#38z(Z(y|Jy$(,)e,h),<9xTTQ330(23 H2p2x  9038P0383?P1F3L3V5V(,23it1S9192g5\430TTQ0 2g5430`L5(~385N,L5d55530GhGxx5TTQSV(,<9TTQ030<8838083L(8F388V3L:P3877 6, $,\#9 p$,%,! 9$,X$W,%:9 95h8p3L8)  630 738 99 P7,7=@ V(,#<9T(TQ) :D7G3L+HF38+<703L+4<^38+(Y,(%,TQ+P ;=;Fv 4<,=<h 5(,GhGx-,x5-$RI> I0?bIX: I I> I J  J8?.?J` ?J 3LGx38Gl 9JTKTQM8 GC,UCQS0C RD  RC,WCmS8D#EJ[lDOE\D]Y2=@X7G3L_XF38_L703L_D<^38_8Y`8%`TQ_` =@orTFv h<,sh i,4N@N¸N+N NM9ȜNe9V(,TQ8 :h \Q Ҁ 9ҨQМTTQѼRR 4 90SD9ؤS@TTTQ<<9S38 13L =@h T ߈T ߀T xV pT hUV `T4NXTV PTNHU]3L@Tn384UI3L,T[38 Z3L[38 U83LTB38 9dUp<U݀UUULV38DV(,T@TQߐZlX (XZ: hXZF Z3L,[38<lZT ([3LZ$38hZ3LY38Z$38ZT Z3LY38YLZ Z|\D ZF Z: [38X <[3LZ3L ZdXXY2=@Z9<9Y 9h  9Z[TTTQxhxxxy(yXyyyzzHzxzz{{8{h{{{|(\x|X|||}}H}x}}~~8~h~~~(XHxK@K@K@K@K@K@K@K@K@K@K@ K@0K@@K@PK@`K@pK@K@K@K@K@K@K@K@K@K@K@ K@0K@@K@PK@`K@pK@K@K@K@K@K@K@K@K@K@K@ K@0K@@K@PK@`K@pK@K@K@K@5@RbDt+H+LNP2TNX5Nh*R[^T*>NX+NY)NZ&N[+J\/N+`*'+d*+h*+l"+p"k+t-x+x)2|+V-<3$,N42\32`22d33$t2x3$x5Nh42l8FNP88NQ:PNR2T7JXFN\<^N];;`>+:+>Q  Q ?NE4N0FN`<^Na;;dHN\;;\J\JbJnJb*fJ )JNxQQHRQ\ T[^PT[^TT[^XV[^\T[^`T4VdTVhTnNlT[Nm[NnTBNo Z$N0YN1[N2ZT[^4ZF[^8Z:[^<X[^@Z[iD\D+HTo@+-$-<-Q-x-"k-".&.]).).*.*.*'/'/N/X+/*>/*R/2x33333457:8:P:e8F:88::<^;F;@ @+ @l>@:@>@<^;F;*fJJ\JJnKQQRSZ TBVJ[[T[VgTnVTVT4VTVVWTW1TWNTWs X[[[Z:[ZF\#\D\WZ\Y\ZT\Z$\        H `    l9N\l9Vhl9gl9oDl9Xl9Tl9838ll9`l96CCRl9Tl9jl9,KCl9NNNNDl9l9=L =[4=BT=Ut=?=+&= g)=?>c>CF^QFLB'38O4 B4OhB[9RTB Q79Q`Qc ӼRP38ՄRd380Rw38R38Ԉ'384H>38`@` @`@`@`@`@` @`$@`(@`,@`0@`4@`8@`<@`@@`D@`H@`L@`P@`T@`X@`\@``@`d@`h@`l@`p@`t@`x@`|@`@` @`@`@`@`@`@a@a@a @a0@a@@aP@a`@ap@a@a@a@a@a@a@a@a@b@b@b @b0@b@@bP@b`@bp@b@b@b@b@b@b@b@b@c@c@c @c0@c@@cP@c`@cp@c@c@c@c@c@c@c@c@d@d@d @d0@d@@dP@d`@dp@d@d@d@d@d@d@d@d@e@e@e @e0@e@@eP@e`@ep@e@e@e@e@e@e@e@e@f@f@f @f0@f@@fP@f`@fp@f@f@f@f@f@f@f@f@g@g@g @g0@g@@gP@g`@gp@g@g@g@g@g@g@g@g@h@h@h @h0@h@@hP@h`@hp@h@h@p@p@p@p @p@p@p@p@p @p$@p(@p,@p0@p4@p8@p<@p@@pD@pH@pL@pP@pT@pX@p\@p`@pd@ph@pl@pp@pt@px@p|@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@p@q@q@q@q @q@q@q@q@q @q$@q(@q,@q0@q4@q8@q<@q@@qD@qH@qL@qP@qT@qX@q\@q`@qd@qh@ql@qp@qt@qx@q|@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@q@r@r@r@r @r@r@r@r@r @r$@r(@r,@r0@r4@r8@r<@r@@rD@rH@rL@rP@rT@rX@r\@r`@rd@rh@rl@rp@rt@rx@r|@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@r@s@s@s@s @s@s@s@s@s @s$@s(@s,@s0@s4@s8@s<@s@@sD@sH@sL@sP@sT@sX@s\@s`@sd@sh@sl@sp@st@sx@s|@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@s@t@t@t@t @t@t@t@t@t @t$@t(@t,@t0@t4@t8@t<@t@@tD@tH@tL@tP@tT@tX@t\@t`@td@th@tl@tp@tt@tx@t|@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@t@u@u@u@u @u@u@u@u@u @u$@u(@u,@u0@u4@u8@u<@u@@uD@uH@uL@uP@uT@uX@u\@u`@ud@uh@ul@up@ut@ux@u|@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@u@v@v@v@v @v@v@v@v@v @v$@v(@v,@v0@v4@v8@v<@v@@vD@vH@vL@vP@vT@vX@v\@v`@vd@vh@vl@vp@vt@vx@v|@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@v@w@w@w@w @w@w@w@w@w @w$@w(@w,@w0@w4@w8@w<@w@@wD@wH@wL@wP@wT@wX@w\@w`@wd@wh@wl@wp@wt@wx@w|@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@w@x@x@x@x @x@x@x@x@x @x$@x(@x,@x0@x4@x8@x<@x@@xD@xH@xL@xP@xT@xX@x\@x`@xd@xh@xl@xp@x@x@x@x@x@x@x@x@x@x@x@x@x@x@x@x@y@y@y @y(@y,@y0@yD@yP@yX@y\@y`@yt@y@y@y@y@y@y@y@y@y@y@y@y@y@z@z@z@z @z4@z@@zH@zL@zP@zp@zx@z|@z@z@z@z@z@z@z@z@z@z@z@z@{@{@{ @{@{ @{$@{0@{4@{8@{<@{@@{P@{T@{`@{d@{h@{l@{p@{@{@{@{@{@{@{@{@{@{@{@{@{@{@{@{@{@{@|@|@|@| @|$@|(@|,@|0@|D@|P@|X@|\@|`@|p@|t@|@|@|@|@|@|@|@|@|@|@|@|@|@|@|@|@}@}@}@}@}@}@} @}4@}@@}H@}L@}P@}`@}d@}p@}x@}|@}@}@}@}@}@}@}@}@}@}@}@}@}@~@~@~ @~@~ @~$@~4@~8@~<@~@@~T@~`@~h@~l@~p@~@~@~@~@~@~@~@~@~@~@~@~@~@@@ @(@,@0@D@P@X@\@`@p@t@@@@@@@@@@@@@@@@@@@@@@@ @4@@@H@L@P@`@d@p@t@x@|@@@@@@@@@@@@@@@ @@8@<@@@h@l@p@@@@@@@@@@(@,@0@D@X@\@`@@@@@@@@@@@@@@ @H@L@P@d@x@|@@@@@@@@@@@@ @@8@<@@@T@h@l@p@@@@@@@@@@@@(@,@0@X@\@`@@@@@@@@@@@@@ @4@H@L@P@x@|@@@@@@@@@@ @@8@<@@@h@l@p@@@@@@@@@@@@@(@,@0@X@\@`@@@@@@@@@@@@ @P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@$@(@,@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@ @$@(@,@0@4@8@<@@@D@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@8@<@@@D@H@L@X@\@`@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@ @$@(@,@0@4@8@<@@@D@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@H@L@P@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@ @@,@<@L@\@l@|@@@@@@@@@ @@,@<@L@\@l@|@@@@@@@@@ @@,@<@L@\@l@|@@@@@@@@@@@@@@ @@@(@,@8@<@H@L@X@\@h@l@x@|@@@@@@@@@@@@@@@@@@ @@@(@,@8@<@H@L@X@\@h@l@x@|@@@@@@@@@@@@@@@@@@ @@@(@,@8@<@H@L@X@\@h@l@x@|@@@@@@@@@@@@@@@@@@@@@@ @(@,@4@8@@@D@L@P@\@`@l@p@x@|@@@@@@@@@@@@@@@@@@@@@@@@ @@@ @$@,@0@<@@@H@L@T@X@`@d@l@p@|@@@@@@@@@@@@@@@@@@@@@@ @@@@$@(@0@4@<@@@L@P@\@`@h@l@t@x@@@@@@@@@@@@@@@@@@@@ @@@ @$@,@0@8@<@D@H@P@T@\@`@h@l@t@x@@@@@@@@@@@@@@@@@@@@@@@@ @@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@ @$@(@,@0@4@8@<@@@D@P@T@X@\@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@X@d@p@|@@@@@@@@@@@@@@ @@@ @$@0@4@8@D@H@L@X@\@`@l@p@t@@@@@@@@@@@@@@@@@@@@@@@@@@@@$@(@,@0@4@8@<@@@D@P@T@X@\@`@d@x@|@@@@@@@@@@@@@@@@@(@,@0@<@@@D@H@L@P@\@`@d@h@l@p@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@cdcdcf KYn. d4$ $N.\dU$\$$N$.d$$$N$.d$$$N$.d$$8N8.d$$$N$.$e $$e/$$N$dcdeldef KYn.He$H$N.f$$$N$.<fG$<$$N$.`fg$`$$N$.f$$8N8.f$$$N$.f$$$N$dcdfdgf KYn.g~$$LNL.Pg$P$N.g$$N.g$$lNl.Lh$L$N. h@$ $N.hi$$N.h$$N.h$$N.h$$N.8i$8$N.@iQ$@$N.Hi$H$8N8.i$$0N0.j$$N.xj5$x$pNp.j^$$ N .j$$pNp.dj$d$N.j$$PNP.`k$`$0N0.k($$(N(.kF$$0N0.ku$$ N .'k$'$4N4.*$k$*$$DND.-hk$-h$N.1hl($1h$hNh.2lP$2$N.4l$4$N.6Hl$6H$N.7\l$7\$N.9 m $9 $N.:m5$:$N.=mm$=$N.Cm$C$XNX.ELm$EL$N.F\m$F\n$(N(n\ n& hn& hdcdndnf KYn.Go:$G$XNX.Go`$G$dNd.I@o$I@$ N .I`o$I`o˄$Ndcdp dpf KYn.J,p$J,$ N dcdpdpf KYn.JLq5$JLqX$Ndcdqdqf KYn.Jr.$J$XNX.KHrW$KH$N.KPr~$KP$N.KTr$KT$|N|.Lr$L$N.N\s$N\$N.Q s<$Q $8N8.RDsg$RDs$Ns& hs& ht& ht& ht& ht(& ht6& htC& hdcdtQdtmf KYn.Rt$R$xNx.S`u$S`$PNP.Tu?$T$N.Tuh$T$N.Tu$T$N.Vhu$Vh$N.YHu$YH$@N@.]v#$]$N.^lv^$^l$Nv& hv& hv& hv& hv& hv& hv& hdcdvdwf KYn.``w$``$XNX.`w$`$N.`w$`$N.`x!$`$N.cx\$c$N.f$x$f$$N.gx$g$8N8.k0x$k0$8N8.lhy&$lhyZ$Ny& hy& hy& hy& hy& hy& hy& hy& hz& hz& hdcdz#dz=f KYn.n|z$n|$N.nz$n$N.n{$n$N.n{?$n$N.n{j$n$N.oD{$oD$N.r8{$r8$N.r{$r$pNp.s8|*$s8$@N@.tx|V$tx$N.vP|{$vP|$xNx|& h}& i}& i}#& i}8& i }H& i}X& idcd}id}wf KYn.x}$x$\N\.y$~$y$$XNX.y|~$y|$N.z~B$z$\N\.z~o$z$N.{~${$N.|4~$|4$N.|~$|$`N`.} $} $ N .},0$},$\N\.}Q$}$N.~@v$~@$N.$$N.$$xNx.$$dNd.d.$d$N.Y$$N.$$N.$$HNH.$$N.p"$p$N.XE$X$pNp.$$hNh.0$0$N.$$8N8. $$N.%$$N.,:$,$N.S$$N.Dl$D$N.$$N.\$\$N.d$d$0N0.$$ N . $$ N ./$$N.U$$N.~$$N.$$N.$$ N .$$N.X $X$<N<.&$$0N0.C$$0N0.`$$0N0.$|$$$0N0.T$T$0N0.$$(N(.$$0N0.6$$(N(.f$$0N0.4$4$(N(.\$\$0N0.$$(N(.$$N./$$N.DP$D$lNl.p$$N.P$P$N.h$h$HNH.$$HNH.=$$tNt.l`$l$tNt.$$lNl.L$L$@N@.$$HNH.$$N.R$$N.$$N.$$N.ʸ $ʸ$ N .:$$ N .|Y$|$N.w$$N.$$hNh.h$h$N.$$N.$'$Nh& hu& i& i& i & i$& i(& i,dcddf KYn.^$$DND.\~$\$|N|.$$N.$$N.($($N.0$0$$N$.T6$T$N.U$$0N0.Hw$H$(N(.p$p$0N0.$$(N(.$$N.P$P$N.$$N.PC$P$N.d$$N.$$0N0.$$N.t$t$PNP.$$ N & i0& i4-& i8@& i<dcdRdif KYn.$$N.$$N.,$$N.V$$N.$$N.$$N.$$N.$$N.%$$lNl.LH$L$N.$$pNp.L$L$HNH.$$ N .$$N,& i@9& iDF& iHV& iLf& iPdcdwdf KYn.T$T$XNX.'$$dNd.H$$ N .0f$0$Ndcddf KYn.$$N. <$ $lNl. Pu$ P$N. $ $N. $ $N. $ $N.h$h$N.lG$l$(N(.m$$N.X$X$N.$$N.3$$N.h$$N.\$\$N. $ $N.?$$N.h$$0N0.$$ N .$$N.$$ N .($($N.0;$0$ N .<]$<$N.D$D$N.`$`$N.p$p$HNH.$$4N4.b$$N.$$N.$$N.#$#$N.($($8N8.)"$)H$dNd& iT& iX& i\& i`& id& ih& il& ip& it& ix(& i|;& idcdHd[f KYn.+($+($ N .+4$+4$N.+< $+<$ N .+HF$+H$N.+Pp$+P$N.,($,($|N|.,$,$Ndcddf KYn.-$Z$-$$N.-,~$-,$N.-0$-0$4N4.-d$-d$N.4x $4x$XNX.4+$4$XNX.5(N$5($XNX.6v$6$N.;$;$ N .=<$=<$N.>,$>,$tNt'& i5& iH& iX& ip& i& i& i& i& i& i& i& i& i& i& i)& i4& idcd?dUf KYn.?$?+$<N<dcdpdf KYn.C$C$pNp.FL5$FLe$ N dcddf KYn.Gl>$Gl$ N .Gxp$Gx$N.G$G$N.I$I$0N0.I0$I0$(N(.IX8$IX$0N0.Iq$I$(N(.I$I$0N0.I$I$(N(.J $J$0N0.J8:$J8$(N(.J`f$J`$<N<.J$J$PNP.J$J$N.K$K$N.M8$M8K$Ndcddf KYn.O4T$O4$4N4.Ohz$Oh$Ndcddf KYn.Q45$Q4$,N,.Q`C$Q`$dNd.Qi$Q$N.RT$RT$4N4dcddf KYn.RC$R$8N8.Rg$R$$N$.R$R$LNL.S0$S0$N.S8$S8$\N\.T'$T$N.UL$U$hNh.W$W$N& i& i& idcd#d@f KYn.X$X$N.[l$[l$0N0.\C$\$8N8.]$]$dNddcddf KYn._8Z$_8$ N ._D$_D$N._L$_L$ N ._X$_X$N._`$_`$N.`88$`8$|N|.`W$`$Ndcd{df KYn.a4$a4$N.a<<$a<$N.a@i$a@$4N4.at$at$N.h|$h|$XNX.h $h$XNX.i,3$i,$XNX.j`$j$$N$.o$o$N.rT$rT$@N@.s$s$$N$.t"$t$N.xDQ$xD$tNt& i& i& i& i& i& i& i& i& i,& i?& iS& jb& jp& j& j & j& j& jdcddf KYn.y)$y$N.TC$T$Ndcdcdxf KYn.@$@$N.$$|N|..$$NdcdOdhf KYn.$$N.$$xNx.,H$,$Nm& j{& j & j$& j(& j,& j0& j4& j8& j<& j@dcddf KYn.$$Ndcddf KYn.C$$N.e$$N.$$N.T$T$pNp.$$N.$$N.$$N.8$$N.Z$$N.~$$0N0. $ $0N0.P$P$0N0dcddf KYn.y$$8N8.$Մ$Ndcdd.f KYn.t$t$N.L$L$dNd.$$ N .$$Ndcd(d>f KYn.$$N.t$t$dNd.$$ N .$$Ndcd=dPf KYn.$$pNpdcdDd\f KYn.4$4$N.$$pNp.-$$N.pa$p$N.$$dNd.`$`$N.H$H$8N8& jD&& jH5& jLI& jP\& jTj& jX& j\& j`& jddcddf KYn.\$$dNd.$$`N`.D$D$`N`.$$N.¸$¸$TNT. +$ $N.ȜY$Ȝ$@N@.{$$@N@.$$N.8$8$$N$& jh& jl& jp& jt,& jx5& j|A& jK& j_& jj& js& j& j& j& j& jdcddf KYn.\T$\$N.‚$«$N& jdcddf KYn.МÆ$М$ N .Ѽì$Ѽ$N.Ҁ$Ҁ$(N(.Ҩ$Ҩ$tNt.$$Ndcd)d@f KYn.Ӽķ$Ӽ݄$xNxdcdd f KYn.4ł$4$TNT.Ԉū$Ԉ$TNT.$$TNT.0$0$TNT.Մ+$ՄW$TNTdcdƁdƕf KYn. $$hNh.@+$@$N.4R$4$N.<q$<$N.Ǖ$$0N0.0Ǹ$0$tNt.ؤ$ؤ$N.T$T$Ndcd!d9f KYn.ȱ$$N.$$N. $ $N./$$0N0dcdXdhf KYn.D$D$N.L$L$N.$$N.9$$N.݀^$݀$N.<ʂ$<$N.ʩ$$ N .$$N. $ $ N .$$N. '$ $ N .,H$,$N.4m$4$ N .@ˋ$@$N.H˭$H$N.P$P$N.X$X$N.`$`$N.h7$h$N.pZ$p$N.xz$x$N.߀̕$߀$N.߈̶$߈$N.ߐ$ߐ$N.d$d$N.$$$N$.@-$@$hNhdcdOdcf KYn.$$DND.$$|N|.h$h$DND.<$$|N|.(c$($DND.l΄$l$|N|.Ω$$DND.,$,$|N|.$$DND.$$|N|.h9$h$DND.Z$$|N|.($($DND.lϟ$l$|N|dcddf KYn.S$$ N .y$$N.Ф$$N.d$d$N. $ $N.$$4N4.I$$N.r$$N.і$$ N .ѻ$$N.$$N.$$N.'$$ N .J$$N.q$$N.Җ$$ N .ҽ$$TNT.L$L$0N0.| $|$0N0.9$$(N(.e$$4N4.Ӝ$$N.$$N.$$N.$$N.T3$T$PNP.Z$$NdcdԄdԠf KYn.$$tNtd 4- dE lX y\0$SHs<`%GnPL  2\8@PHx'S~d`>r'*$-h1h2[46H7\9 :6=ZCELF\G G %I@ EI` mJ, JL J KH KP 'KT ]L N\ Q RD R GS` rT T T Vh YH V] ^l `` ` $` T` c f$ g)k0Ylhn|nnn@njoDr8rs8,txQvPxy$y|z z4{V|4{|} },}~@;jd*WpX#T0, D":\[dInX$6Tm94j\D5Pphl!BLm-|ʸ|8Yh\ 0W(z0THp<XPP0tMr  D h   L!!DL!f!!T!""!0"G"k " P" " #, #Mh#vl##X$&$b$$\%3 %n%%%& &C(&j0&<&D&`&p'G'''(#()((Q)(w+((+4(+<(+H)+P)<,()V,)u-$)-,)-0)-d*$4x*F4*i5(*6*;*=<+>,+B?+C+FL, Gl,=Gx,sG,I,I0-IX->I-sI-I-J.J8.3J`.hJ.J.K.M8/O4/>Oh/oQ`/Q/RT/R0R0+R0eS00S80T0U1W1RX1[l1\2+]2__82_D2_L2_X3_`3=`83\`3a43a<3a@4 at4Qh|4xh4i,4j4o5-rT5^s5t5xD5y6 T6+@6P6l666,77E7g77T7888:8\88 8P899Ct9fL9999t: :+:Q:4::;!p;R;v`;H;;<-DҨ>7>YӼ>4>Ԉ>>0?(Մ?T?v@?4?<?@0@ ؤ@FT@l@@ @ADA.LAMAtA݀A<ABB$ BABb B,B4B@BHC PC0XCO`CrhCpCxC߀C߈DߐD4dDMDh@DDDhDE(E7lE\E},EEEhF F2(FRlFvFFFdG GAGlGGGHH*HJHmHHHILI,|I\IIIJ J5JVTJ}JJ hJ hJ hK hK hK" hK1 hK> hKK hKX hKf hKs hK hK hK hK hK hK hK hK hK hL hL  hL hL$ hL4 hLA hLM hL] hLj hLw iL iL iL i L iL iL iL iL i M  i$M i(M0 i,MB i0MS i4Md i8Mw i<M i@M iDM iHM iLM iPM iTM iXM i\M i`N idN% ihN7 ilNH ipNX itNb ixNr i|N iN iN iN iN iN iN iO iO iO' iO: iOM iOa iOp iO~ iO iO iO iO iO iO iO iO iO iP iP iP3 iPC iPT iPf iPy iP iP jP jP jP j P jP jP jP jQ j Q j$Q% j(Q2 j,QD j0QO j4QZ j8Qe j<Qp j@Q~ jDQ jHQ jLQ jPQ jTQ jXQ j\R j`R/ jdR; jhRM jlR^ jpRm jtR{ jxR j|R jR jR jR jR jR jR jR jR jS  jSSCSkSSST T4~hTXxT~T{T{T{U|(U6|U]}U}HUHUUVyXV1y(VTxVy|XV~V{VxWW.{8WP{hWv(W~W~WWxhX%xXMyXryXyXzXzHYzxYE~8YnXYzYzY|Z |Z7Zc}xZ}Z}Z`[Q4[[9 [] [|[[ [[ \ \! \: \T \r\ \ \ \ ] ]]9]d]]]] ^ ^% ^? ^] ^y ^ ^ ^^ _ _$ _A _^ _ _ _ _ ` ` `7`U`n ` ` ````aaa4aSa\ acav a a aaaaab  b b0 bG bf bbbbbbbbbbcc'c:cScgcy` fP` fP` fP` fP` fP` fPa fPa fPa( fPa8 fPaH fPaX fPah fPax fPa fPa fPa fPa fPa fPa fPa fPa fPb fPb fPb( fPb8 fPbH fPbX fPbh fPbx fPb fPb fPb fPb fPb fPb fPb fPb fPc fPc fPc( fPc8 fPcH fPcX fPch fPcx fPc fPc fPc fPc fPc fPc fPc fPc fPd fPd fPd( fPd8 fPdH fPdX fPdh fPdx fPd fPd fPd fPd fPd fPd fPd fPd fPe fPe fPe( fPe8 fPeH fPeX fPeh fPex fPe fPe fPe fPe fPe fPe fPe fPe fPf fPf fPf( fPf8 fPfH fPfX fPfh fPfx fPf fPf fPf fPf fPf fPf fPf fPf fPg fPg fPg( fPg8 fPgH fPgX fPgh fPgx fPg fPg fPg fPg fPg fPg fPg fPg fPh fPh fPh( fPh8 fPhH fPhX fPhh fPhx fP N O P Q R S T U W X [ \ ] ^ _ ` a g h i j k l m n o p q r s t U g O N Q P ] m \ a [ _ k h j i ` ^ R T S t q X W n r o s p l d Y Z e b V c                       H 6 ~@                                                          ! " # $ % & ' ( ) * + , - . / 0 1 2 3 4 5 6 7 8 9 : ; < = > ? @ A B C D E F G H I J K L M N O P Q R S T U V W X Y Z [ \ ] ^ _ ` a b c d e f g h i j k l m n o p q r s t __mh_dylib_headerdyld_stub_binding_helpercfm_stub_binding_helper__dyld_func_lookup-[BWToolbarShowColorsItem image]-[BWToolbarShowColorsItem itemIdentifier]-[BWToolbarShowColorsItem label]-[BWToolbarShowColorsItem paletteLabel]-[BWToolbarShowColorsItem target]-[BWToolbarShowColorsItem action]-[BWToolbarShowColorsItem toolTip]-[BWToolbarShowFontsItem image]-[BWToolbarShowFontsItem itemIdentifier]-[BWToolbarShowFontsItem label]-[BWToolbarShowFontsItem paletteLabel]-[BWToolbarShowFontsItem target]-[BWToolbarShowFontsItem action]-[BWToolbarShowFontsItem toolTip]-[BWSelectableToolbar documentToolbar]-[BWSelectableToolbar editableToolbar]-[BWSelectableToolbar awakeFromNib]-[BWSelectableToolbar selectFirstItem]-[BWSelectableToolbar selectInitialItem]-[BWSelectableToolbar toggleActiveView:]-[BWSelectableToolbar identifierAtIndex:]-[BWSelectableToolbar setEnabled:forIdentifier:]-[BWSelectableToolbar validateToolbarItem:]-[BWSelectableToolbar enabledByIdentifier]-[BWSelectableToolbar toolbarDefaultItemIdentifiers:]-[BWSelectableToolbar toolbarAllowedItemIdentifiers:]-[BWSelectableToolbar toolbar:itemForItemIdentifier:willBeInsertedIntoToolbar:]-[BWSelectableToolbar toolbarSelectableItemIdentifiers:]-[BWSelectableToolbar selectedIndex]-[BWSelectableToolbar setSelectedIndex:]-[BWSelectableToolbar isPreferencesToolbar]-[BWSelectableToolbar setDocumentToolbar:]-[BWSelectableToolbar setEditableToolbar:]-[BWSelectableToolbar initWithCoder:]-[BWSelectableToolbar setHelper:]-[BWSelectableToolbar helper]-[BWSelectableToolbar setEnabledByIdentifier:]-[BWSelectableToolbar switchToItemAtIndex:animate:]-[BWSelectableToolbar labels]-[BWSelectableToolbar setIsPreferencesToolbar:]-[BWSelectableToolbar selectableItemIdentifiers]-[BWSelectableToolbar windowDidResize:]-[BWSelectableToolbar setSelectedItemIdentifierWithoutAnimation:]-[BWSelectableToolbar setSelectedItemIdentifier:]-[BWSelectableToolbar dealloc]-[BWSelectableToolbar setItemSelectors]-[BWSelectableToolbar selectItemAtIndex:]-[BWSelectableToolbar toolbarIndexFromSelectableIndex:]-[BWSelectableToolbar initialSetup]-[BWSelectableToolbar initWithIdentifier:]-[BWSelectableToolbar _defaultItemIdentifiers]-[BWSelectableToolbar encodeWithCoder:]-[BWAddRegularBottomBar awakeFromNib]-[BWAddRegularBottomBar drawRect:]-[BWAddRegularBottomBar bounds]-[BWAddRegularBottomBar initWithCoder:]-[BWRemoveBottomBar bounds]-[BWInsetTextField initWithCoder:]-[BWTransparentButtonCell interiorColor]-[BWTransparentButtonCell controlSize]-[BWTransparentButtonCell setControlSize:]-[BWTransparentButtonCell drawBezelWithFrame:inView:]-[BWTransparentButtonCell drawImage:withFrame:inView:]+[BWTransparentButtonCell initialize]-[BWTransparentButtonCell _textAttributes]-[BWTransparentButtonCell drawTitle:withFrame:inView:]-[BWTransparentCheckboxCell isInTableView]-[BWTransparentCheckboxCell interiorColor]-[BWTransparentCheckboxCell controlSize]-[BWTransparentCheckboxCell setControlSize:]-[BWTransparentCheckboxCell _textAttributes]+[BWTransparentCheckboxCell initialize]-[BWTransparentCheckboxCell drawImage:withFrame:inView:]-[BWTransparentCheckboxCell drawInteriorWithFrame:inView:]-[BWTransparentCheckboxCell drawTitle:withFrame:inView:]-[BWTransparentPopUpButtonCell interiorColor]-[BWTransparentPopUpButtonCell controlSize]-[BWTransparentPopUpButtonCell setControlSize:]-[BWTransparentPopUpButtonCell drawImageWithFrame:inView:]-[BWTransparentPopUpButtonCell drawBezelWithFrame:inView:]-[BWTransparentPopUpButtonCell imageRectForBounds:]+[BWTransparentPopUpButtonCell initialize]-[BWTransparentPopUpButtonCell _textAttributes]-[BWTransparentPopUpButtonCell titleRectForBounds:]-[BWTransparentSliderCell _usesCustomTrackImage]-[BWTransparentSliderCell setTickMarkPosition:]-[BWTransparentSliderCell controlSize]-[BWTransparentSliderCell setControlSize:]-[BWTransparentSliderCell initWithCoder:]+[BWTransparentSliderCell initialize]-[BWTransparentSliderCell stopTracking:at:inView:mouseIsUp:]-[BWTransparentSliderCell startTrackingAt:inView:]-[BWTransparentSliderCell knobRectFlipped:]-[BWTransparentSliderCell drawKnob:]-[BWTransparentSliderCell drawBarInside:flipped:]-[BWSplitView awakeFromNib]-[BWSplitView setDelegate:]-[BWSplitView subviewIsCollapsible:]-[BWSplitView collapsibleSubviewIsCollapsed]-[BWSplitView collapsibleSubviewIndex]-[BWSplitView collapsibleSubview]-[BWSplitView hasCollapsibleSubview]-[BWSplitView setCollapsibleSubviewCollapsedHelper:]-[BWSplitView animationEnded]-[BWSplitView animationDuration]-[BWSplitView hasCollapsibleDivider]-[BWSplitView collapsibleDividerIndex]-[BWSplitView setCollapsibleSubviewCollapsed:]-[BWSplitView setMinSizeForCollapsibleSubview:]-[BWSplitView removeMinSizeForCollapsibleSubview]-[BWSplitView restoreAutoresizesSubviews:]-[BWSplitView splitView:shouldHideDividerAtIndex:]-[BWSplitView splitView:canCollapseSubview:]-[BWSplitView splitView:constrainSplitPosition:ofSubviewAt:]-[BWSplitView splitViewWillResizeSubviews:]-[BWSplitView subviewIsResizable:]-[BWSplitView validateAndCalculatePreferredProportionsAndSizes]-[BWSplitView clearPreferredProportionsAndSizes]-[BWSplitView splitView:resizeSubviewsWithOldSize:]-[BWSplitView setColorIsEnabled:]-[BWSplitView setColor:]-[BWSplitView color]-[BWSplitView minValues]-[BWSplitView maxValues]-[BWSplitView minUnits]-[BWSplitView maxUnits]-[BWSplitView secondaryDelegate]-[BWSplitView setSecondaryDelegate:]-[BWSplitView collapsibleSubviewCollapsed]-[BWSplitView dividerCanCollapse]-[BWSplitView setDividerCanCollapse:]-[BWSplitView collapsiblePopupSelection]-[BWSplitView setCollapsiblePopupSelection:]-[BWSplitView setCheckboxIsEnabled:]-[BWSplitView colorIsEnabled]-[BWSplitView initWithCoder:]+[BWSplitView initialize]-[BWSplitView setMinValues:]-[BWSplitView setMaxValues:]-[BWSplitView setMinUnits:]-[BWSplitView setMaxUnits:]-[BWSplitView setResizableSubviewPreferredProportion:]-[BWSplitView resizableSubviewPreferredProportion]-[BWSplitView setNonresizableSubviewPreferredSize:]-[BWSplitView nonresizableSubviewPreferredSize]-[BWSplitView setStateForLastPreferredCalculations:]-[BWSplitView stateForLastPreferredCalculations]-[BWSplitView setToggleCollapseButton:]-[BWSplitView toggleCollapseButton]-[BWSplitView dealloc]-[BWSplitView checkboxIsEnabled]-[BWSplitView setDividerStyle:]-[BWSplitView resizeAndAdjustSubviews]-[BWSplitView correctCollapsiblePreferredProportionOrSize]-[BWSplitView validatePreferredProportionsAndSizes]-[BWSplitView recalculatePreferredProportionsAndSizes]-[BWSplitView subviewMaximumSize:]-[BWSplitView subviewMinimumSize:]-[BWSplitView resizableSubviews]-[BWSplitView splitViewDidResizeSubviews:]-[BWSplitView splitView:effectiveRect:forDrawnRect:ofDividerAtIndex:]-[BWSplitView splitView:constrainMinCoordinate:ofSubviewAt:]-[BWSplitView splitView:constrainMaxCoordinate:ofSubviewAt:]-[BWSplitView splitView:shouldCollapseSubview:forDoubleClickOnDividerAtIndex:]-[BWSplitView splitView:additionalEffectiveRectOfDividerAtIndex:]-[BWSplitView mouseDown:]-[BWSplitView toggleCollapse:]-[BWSplitView adjustSubviews]-[BWSplitView subviewIsCollapsed:]-[BWSplitView drawDimpleInRect:]-[BWSplitView drawGradientDividerInRect:]-[BWSplitView drawDividerInRect:]-[BWSplitView encodeWithCoder:]-[BWTexturedSlider trackHeight]-[BWTexturedSlider setTrackHeight:]-[BWTexturedSlider setSliderToMinimum]-[BWTexturedSlider setSliderToMaximum]-[BWTexturedSlider indicatorIndex]-[BWTexturedSlider initWithCoder:]+[BWTexturedSlider initialize]-[BWTexturedSlider setMinButton:]-[BWTexturedSlider minButton]-[BWTexturedSlider setMaxButton:]-[BWTexturedSlider maxButton]-[BWTexturedSlider dealloc]-[BWTexturedSlider resignFirstResponder]-[BWTexturedSlider becomeFirstResponder]-[BWTexturedSlider scrollWheel:]-[BWTexturedSlider setEnabled:]-[BWTexturedSlider setIndicatorIndex:]-[BWTexturedSlider drawRect:]-[BWTexturedSlider hitTest:]-[BWTexturedSlider encodeWithCoder:]-[BWTexturedSliderCell controlSize]-[BWTexturedSliderCell setControlSize:]-[BWTexturedSliderCell numberOfTickMarks]-[BWTexturedSliderCell setNumberOfTickMarks:]-[BWTexturedSliderCell _usesCustomTrackImage]-[BWTexturedSliderCell trackHeight]-[BWTexturedSliderCell setTrackHeight:]-[BWTexturedSliderCell initWithCoder:]+[BWTexturedSliderCell initialize]-[BWTexturedSliderCell stopTracking:at:inView:mouseIsUp:]-[BWTexturedSliderCell startTrackingAt:inView:]-[BWTexturedSliderCell drawKnob:]-[BWTexturedSliderCell drawBarInside:flipped:]-[BWTexturedSliderCell encodeWithCoder:]-[BWAddSmallBottomBar awakeFromNib]-[BWAddSmallBottomBar drawRect:]-[BWAddSmallBottomBar bounds]-[BWAddSmallBottomBar initWithCoder:]-[BWAnchoredButtonBar awakeFromNib]-[BWAnchoredButtonBar drawResizeHandleInRect:withColor:]-[BWAnchoredButtonBar viewDidMoveToSuperview]-[BWAnchoredButtonBar isInLastSubview]-[BWAnchoredButtonBar dividerIndexNearestToHandle]-[BWAnchoredButtonBar splitView]-[BWAnchoredButtonBar setSelectedIndex:]+[BWAnchoredButtonBar wasBorderedBar]-[BWAnchoredButtonBar splitView:constrainMinCoordinate:ofSubviewAt:]-[BWAnchoredButtonBar splitView:constrainMaxCoordinate:ofSubviewAt:]-[BWAnchoredButtonBar splitView:resizeSubviewsWithOldSize:]-[BWAnchoredButtonBar splitView:canCollapseSubview:]-[BWAnchoredButtonBar splitView:constrainSplitPosition:ofSubviewAt:]-[BWAnchoredButtonBar splitView:shouldCollapseSubview:forDoubleClickOnDividerAtIndex:]-[BWAnchoredButtonBar splitView:shouldHideDividerAtIndex:]-[BWAnchoredButtonBar splitViewDelegate]-[BWAnchoredButtonBar setSplitViewDelegate:]-[BWAnchoredButtonBar handleIsRightAligned]-[BWAnchoredButtonBar setHandleIsRightAligned:]-[BWAnchoredButtonBar isResizable]-[BWAnchoredButtonBar setIsResizable:]-[BWAnchoredButtonBar isAtBottom]-[BWAnchoredButtonBar selectedIndex]-[BWAnchoredButtonBar initWithFrame:]+[BWAnchoredButtonBar initialize]-[BWAnchoredButtonBar splitView:effectiveRect:forDrawnRect:ofDividerAtIndex:]-[BWAnchoredButtonBar splitView:additionalEffectiveRectOfDividerAtIndex:]-[BWAnchoredButtonBar dealloc]-[BWAnchoredButtonBar setIsAtBottom:]-[BWAnchoredButtonBar drawLastButtonInsetInRect:]-[BWAnchoredButtonBar drawRect:]-[BWAnchoredButtonBar encodeWithCoder:]-[BWAnchoredButtonBar initWithCoder:]-[BWAnchoredButton isAtRightEdgeOfBar]-[BWAnchoredButton setIsAtRightEdgeOfBar:]-[BWAnchoredButton isAtLeftEdgeOfBar]-[BWAnchoredButton setIsAtLeftEdgeOfBar:]-[BWAnchoredButton initWithCoder:]-[BWAnchoredButton frame]-[BWAnchoredButton mouseDown:]-[BWAnchoredButtonCell controlSize]-[BWAnchoredButtonCell setControlSize:]-[BWAnchoredButtonCell highlightRectForBounds:]-[BWAnchoredButtonCell drawBezelWithFrame:inView:]-[BWAnchoredButtonCell textColor]-[BWAnchoredButtonCell imageColor]-[BWAnchoredButtonCell _textAttributes]+[BWAnchoredButtonCell initialize]-[BWAnchoredButtonCell drawImage:withFrame:inView:]-[BWAnchoredButtonCell titleRectForBounds:]-[BWAnchoredButtonCell drawWithFrame:inView:]-[NSColor(BWAdditions) bwDrawPixelThickLineAtPosition:withInset:inRect:inView:horizontal:flip:]-[NSImage(BWAdditions) bwRotateImage90DegreesClockwise:]-[NSImage(BWAdditions) bwTintedImageWithColor:]-[BWSelectableToolbarHelper isPreferencesToolbar]-[BWSelectableToolbarHelper setIsPreferencesToolbar:]-[BWSelectableToolbarHelper init]-[BWSelectableToolbarHelper setContentViewsByIdentifier:]-[BWSelectableToolbarHelper contentViewsByIdentifier]-[BWSelectableToolbarHelper setWindowSizesByIdentifier:]-[BWSelectableToolbarHelper windowSizesByIdentifier]-[BWSelectableToolbarHelper setSelectedIdentifier:]-[BWSelectableToolbarHelper selectedIdentifier]-[BWSelectableToolbarHelper setOldWindowTitle:]-[BWSelectableToolbarHelper oldWindowTitle]-[BWSelectableToolbarHelper setInitialIBWindowSize:]-[BWSelectableToolbarHelper initialIBWindowSize]-[BWSelectableToolbarHelper dealloc]-[BWSelectableToolbarHelper encodeWithCoder:]-[BWSelectableToolbarHelper initWithCoder:]-[NSWindow(BWAdditions) bwIsTextured]-[NSWindow(BWAdditions) bwResizeToSize:animate:]-[NSView(BWAdditions) bwBringToFront]-[NSView(BWAdditions) bwAnimator]-[NSView(BWAdditions) bwTurnOffLayer]+[BWTransparentTableView cellClass]-[BWTransparentTableView backgroundColor]-[BWTransparentTableView _alternatingRowBackgroundColors]-[BWTransparentTableView _highlightColorForCell:]-[BWTransparentTableView addTableColumn:]+[BWTransparentTableView initialize]-[BWTransparentTableView highlightSelectionInClipRect:]-[BWTransparentTableView drawBackgroundInClipRect:]-[BWTransparentTableViewCell drawInteriorWithFrame:inView:]-[BWTransparentTableViewCell editWithFrame:inView:editor:delegate:event:]-[BWTransparentTableViewCell selectWithFrame:inView:editor:delegate:start:length:]-[BWTransparentTableViewCell drawingRectForBounds:]-[BWAnchoredPopUpButton isAtRightEdgeOfBar]-[BWAnchoredPopUpButton setIsAtRightEdgeOfBar:]-[BWAnchoredPopUpButton isAtLeftEdgeOfBar]-[BWAnchoredPopUpButton setIsAtLeftEdgeOfBar:]-[BWAnchoredPopUpButton initWithCoder:]-[BWAnchoredPopUpButton frame]-[BWAnchoredPopUpButton mouseDown:]-[BWAnchoredPopUpButtonCell controlSize]-[BWAnchoredPopUpButtonCell setControlSize:]-[BWAnchoredPopUpButtonCell highlightRectForBounds:]-[BWAnchoredPopUpButtonCell drawBorderAndBackgroundWithFrame:inView:]-[BWAnchoredPopUpButtonCell textColor]-[BWAnchoredPopUpButtonCell imageColor]-[BWAnchoredPopUpButtonCell _textAttributes]+[BWAnchoredPopUpButtonCell initialize]-[BWAnchoredPopUpButtonCell drawImageWithFrame:inView:]-[BWAnchoredPopUpButtonCell imageRectForBounds:]-[BWAnchoredPopUpButtonCell titleRectForBounds:]-[BWAnchoredPopUpButtonCell drawArrowInFrame:]-[BWAnchoredPopUpButtonCell drawWithFrame:inView:]-[BWCustomView drawRect:]-[BWCustomView drawTextInRect:]-[BWUnanchoredButton initWithCoder:]-[BWUnanchoredButton frame]-[BWUnanchoredButton mouseDown:]-[BWUnanchoredButtonCell drawBezelWithFrame:inView:]-[BWUnanchoredButtonCell highlightRectForBounds:]+[BWUnanchoredButtonCell initialize]-[BWUnanchoredButtonContainer awakeFromNib]-[BWSheetController awakeFromNib]-[BWSheetController encodeWithCoder:]-[BWSheetController openSheet:]-[BWSheetController closeSheet:]-[BWSheetController messageDelegateAndCloseSheet:]-[BWSheetController delegate]-[BWSheetController sheet]-[BWSheetController parentWindow]-[BWSheetController initWithCoder:]-[BWSheetController setParentWindow:]-[BWSheetController setSheet:]-[BWSheetController setDelegate:]+[BWTransparentScrollView _verticalScrollerClass]-[BWTransparentScrollView initWithCoder:]-[BWAddMiniBottomBar awakeFromNib]-[BWAddMiniBottomBar drawRect:]-[BWAddMiniBottomBar bounds]-[BWAddMiniBottomBar initWithCoder:]-[BWAddSheetBottomBar awakeFromNib]-[BWAddSheetBottomBar drawRect:]-[BWAddSheetBottomBar bounds]-[BWAddSheetBottomBar initWithCoder:]-[BWTokenFieldCell setUpTokenAttachmentCell:forRepresentedObject:]-[BWTokenAttachmentCell arrowInHighlightedState:]-[BWTokenAttachmentCell pullDownImage]-[BWTokenAttachmentCell drawTokenWithFrame:inView:]-[BWTokenAttachmentCell interiorBackgroundStyle]+[BWTokenAttachmentCell initialize]-[BWTokenAttachmentCell pullDownRectForBounds:]-[BWTokenAttachmentCell _textAttributes]-[BWTransparentScroller initWithFrame:]+[BWTransparentScroller scrollerWidthForControlSize:]+[BWTransparentScroller scrollerWidth]+[BWTransparentScroller initialize]-[BWTransparentScroller rectForPart:]-[BWTransparentScroller _drawingRectForPart:]-[BWTransparentScroller drawKnob]-[BWTransparentScroller drawKnobSlot]-[BWTransparentScroller drawRect:]-[BWTransparentScroller initWithCoder:]-[BWTransparentTextFieldCell _textAttributes]+[BWTransparentTextFieldCell initialize]-[BWToolbarItem setIdentifierString:]-[BWToolbarItem initWithCoder:]-[BWToolbarItem identifierString]-[BWToolbarItem dealloc]-[BWToolbarItem encodeWithCoder:]+[NSString(BWAdditions) bwRandomUUID]+[NSEvent(BWAdditions) bwShiftKeyIsDown]+[NSEvent(BWAdditions) bwCommandKeyIsDown]+[NSEvent(BWAdditions) bwOptionKeyIsDown]+[NSEvent(BWAdditions) bwControlKeyIsDown]+[NSEvent(BWAdditions) bwCapsLockKeyIsDown]-[BWHyperlinkButton awakeFromNib]-[BWHyperlinkButton openURLInBrowser:]-[BWHyperlinkButton urlString]-[BWHyperlinkButton initWithCoder:]-[BWHyperlinkButton setUrlString:]-[BWHyperlinkButton dealloc]-[BWHyperlinkButton resetCursorRects]-[BWHyperlinkButton encodeWithCoder:]-[BWHyperlinkButtonCell drawBezelWithFrame:inView:]-[BWHyperlinkButtonCell setBordered:]-[BWHyperlinkButtonCell isBordered]-[BWHyperlinkButtonCell _textAttributes]-[BWGradientBox isFlipped]-[BWGradientBox setFillColor:]-[BWGradientBox setFillStartingColor:]-[BWGradientBox setFillEndingColor:]-[BWGradientBox setTopBorderColor:]-[BWGradientBox setBottomBorderColor:]-[BWGradientBox hasFillColor]-[BWGradientBox setHasFillColor:]-[BWGradientBox hasGradient]-[BWGradientBox setHasGradient:]-[BWGradientBox hasBottomBorder]-[BWGradientBox setHasBottomBorder:]-[BWGradientBox hasTopBorder]-[BWGradientBox setHasTopBorder:]-[BWGradientBox bottomInsetAlpha]-[BWGradientBox setBottomInsetAlpha:]-[BWGradientBox topInsetAlpha]-[BWGradientBox setTopInsetAlpha:]-[BWGradientBox bottomBorderColor]-[BWGradientBox topBorderColor]-[BWGradientBox fillColor]-[BWGradientBox fillEndingColor]-[BWGradientBox fillStartingColor]-[BWGradientBox initWithCoder:]-[BWGradientBox dealloc]-[BWGradientBox drawRect:]-[BWGradientBox encodeWithCoder:]-[BWStyledTextField hasShadow]-[BWStyledTextField setHasShadow:]-[BWStyledTextField shadowIsBelow]-[BWStyledTextField setShadowIsBelow:]-[BWStyledTextField shadowColor]-[BWStyledTextField setShadowColor:]-[BWStyledTextField hasGradient]-[BWStyledTextField setHasGradient:]-[BWStyledTextField startingColor]-[BWStyledTextField setStartingColor:]-[BWStyledTextField endingColor]-[BWStyledTextField setEndingColor:]-[BWStyledTextField solidColor]-[BWStyledTextField setSolidColor:]-[BWStyledTextFieldCell changeShadow]-[BWStyledTextFieldCell setStartingColor:]-[BWStyledTextFieldCell setEndingColor:]-[BWStyledTextFieldCell setSolidColor:]-[BWStyledTextFieldCell setHasGradient:]-[BWStyledTextFieldCell setShadowIsBelow:]-[BWStyledTextFieldCell setShadowColor:]-[BWStyledTextFieldCell solidColor]-[BWStyledTextFieldCell hasGradient]-[BWStyledTextFieldCell endingColor]-[BWStyledTextFieldCell startingColor]-[BWStyledTextFieldCell shadow]-[BWStyledTextFieldCell hasShadow]-[BWStyledTextFieldCell setHasShadow:]-[BWStyledTextFieldCell shadowColor]-[BWStyledTextFieldCell shadowIsBelow]-[BWStyledTextFieldCell initWithCoder:]-[BWStyledTextFieldCell setShadow:]-[BWStyledTextFieldCell setPreviousAttributes:]-[BWStyledTextFieldCell previousAttributes]-[BWStyledTextFieldCell drawInteriorWithFrame:inView:]-[BWStyledTextFieldCell applyGradient]-[BWStyledTextFieldCell awakeFromNib]-[BWStyledTextFieldCell _textAttributes]-[BWStyledTextFieldCell dealloc]-[BWStyledTextFieldCell copyWithZone:]-[BWStyledTextFieldCell encodeWithCoder:]+[NSApplication(BWAdditions) bwIsOnLeopard]dyld__mach_header_scaleFactor_documentToolbar_editableToolbar_enabledColor_disabledColor_buttonFillN_buttonLeftP_buttonFillP_buttonRightP_buttonLeftN_buttonRightN_enabledColor_disabledColor_contentShadow_checkboxOffN_checkboxOnP_checkboxOnN_checkboxOffP_enabledColor_disabledColor_popUpFillN_popUpLeftP_popUpFillP_pullDownRightP_popUpRightP_popUpLeftN_pullDownRightN_popUpRightN_thumbPImage_thumbNImage_triangleThumbPImage_triangleThumbNImage_trackFillImage_trackLeftImage_trackRightImage_gradient_borderColor_dimpleImageBitmap_dimpleImageVector_gradientStartColor_gradientEndColor_smallPhotoImage_largePhotoImage_quietSpeakerImage_loudSpeakerImage_thumbPImage_thumbNImage_trackFillImage_trackLeftImage_trackRightImage_wasBorderedBar_gradient_topLineColor_borderedTopLineColor_resizeHandleColor_resizeInsetColor_bottomLineColor_sideInsetColor_topColor_middleTopColor_middleBottomColor_bottomColor_fillGradient_bottomBorderColor_sideInsetColor_borderedTopBorderColor_borderedSideBorderColor_topBorderColor_sideBorderColor_enabledTextColor_disabledTextColor_enabledImageColor_disabledImageColor_contentShadow_pressedColor_fillStop1_fillStop2_fillStop3_fillStop4_rowColor_altRowColor_highlightColor_fillGradient_bottomBorderColor_sideInsetColor_borderedTopBorderColor_borderedSideBorderColor_topBorderColor_sideBorderColor_enabledTextColor_disabledTextColor_enabledImageColor_disabledImageColor_contentShadow_pressedColor_pullDownArrow_fillStop1_fillStop2_fillStop3_fillStop4_fillGradient_topInsetColor_topBorderColor_borderColor_bottomInsetColor_fillStop1_fillStop2_fillStop3_fillStop4_pressedColor_highlightedArrowColor_arrowGradient_blueStrokeGradient_blueInsetGradient_blueGradient_highlightedBlueStrokeGradient_highlightedBlueInsetGradient_highlightedBlueGradient_textShadow_slotVerticalFill_backgroundColor_minKnobHeight_minKnobWidth_slotTop_slotBottom_slotLeft_slotHorizontalFill_slotRight_knobTop_knobVerticalFill_knobBottom_knobLeft_knobHorizontalFill_knobRight_textShadow.objc_category_name_NSApplication_BWAdditions.objc_category_name_NSColor_BWAdditions.objc_category_name_NSEvent_BWAdditions.objc_category_name_NSImage_BWAdditions.objc_category_name_NSString_BWAdditions.objc_category_name_NSView_BWAdditions.objc_category_name_NSWindow_BWAdditions.objc_class_name_BWAddMiniBottomBar.objc_class_name_BWAddRegularBottomBar.objc_class_name_BWAddSheetBottomBar.objc_class_name_BWAddSmallBottomBar.objc_class_name_BWAnchoredButton.objc_class_name_BWAnchoredButtonBar.objc_class_name_BWAnchoredButtonCell.objc_class_name_BWAnchoredPopUpButton.objc_class_name_BWAnchoredPopUpButtonCell.objc_class_name_BWCustomView.objc_class_name_BWGradientBox.objc_class_name_BWHyperlinkButton.objc_class_name_BWHyperlinkButtonCell.objc_class_name_BWInsetTextField.objc_class_name_BWRemoveBottomBar.objc_class_name_BWSelectableToolbar.objc_class_name_BWSelectableToolbarHelper.objc_class_name_BWSheetController.objc_class_name_BWSplitView.objc_class_name_BWStyledTextField.objc_class_name_BWStyledTextFieldCell.objc_class_name_BWTexturedSlider.objc_class_name_BWTexturedSliderCell.objc_class_name_BWTokenAttachmentCell.objc_class_name_BWTokenField.objc_class_name_BWTokenFieldCell.objc_class_name_BWToolbarItem.objc_class_name_BWToolbarShowColorsItem.objc_class_name_BWToolbarShowFontsItem.objc_class_name_BWTransparentButton.objc_class_name_BWTransparentButtonCell.objc_class_name_BWTransparentCheckbox.objc_class_name_BWTransparentCheckboxCell.objc_class_name_BWTransparentPopUpButton.objc_class_name_BWTransparentPopUpButtonCell.objc_class_name_BWTransparentScrollView.objc_class_name_BWTransparentScroller.objc_class_name_BWTransparentSlider.objc_class_name_BWTransparentSliderCell.objc_class_name_BWTransparentTableView.objc_class_name_BWTransparentTableViewCell.objc_class_name_BWTransparentTextFieldCell.objc_class_name_BWUnanchoredButton.objc_class_name_BWUnanchoredButtonCell.objc_class_name_BWUnanchoredButtonContainer_BWSelectableToolbarItemClickedNotification_compareViews.objc_class_name_NSAffineTransform.objc_class_name_NSAnimationContext.objc_class_name_NSApplication.objc_class_name_NSArchiver.objc_class_name_NSArray.objc_class_name_NSBezierPath.objc_class_name_NSBundle.objc_class_name_NSButton.objc_class_name_NSButtonCell.objc_class_name_NSColor.objc_class_name_NSCursor.objc_class_name_NSCustomView.objc_class_name_NSDictionary.objc_class_name_NSEvent.objc_class_name_NSFont.objc_class_name_NSGradient.objc_class_name_NSGraphicsContext.objc_class_name_NSImage.objc_class_name_NSMutableArray.objc_class_name_NSMutableAttributedString.objc_class_name_NSMutableDictionary.objc_class_name_NSNotificationCenter.objc_class_name_NSNumber.objc_class_name_NSObject.objc_class_name_NSPopUpButton.objc_class_name_NSPopUpButtonCell.objc_class_name_NSScreen.objc_class_name_NSScrollView.objc_class_name_NSScroller.objc_class_name_NSShadow.objc_class_name_NSSlider.objc_class_name_NSSliderCell.objc_class_name_NSSortDescriptor.objc_class_name_NSSplitView.objc_class_name_NSString.objc_class_name_NSTableView.objc_class_name_NSTextField.objc_class_name_NSTextFieldCell.objc_class_name_NSTokenAttachmentCell.objc_class_name_NSTokenField.objc_class_name_NSTokenFieldCell.objc_class_name_NSToolbar.objc_class_name_NSToolbarItem.objc_class_name_NSURL.objc_class_name_NSUnarchiver.objc_class_name_NSValue.objc_class_name_NSView.objc_class_name_NSWindowController.objc_class_name_NSWorkspace_CFMakeCollectable_CFRelease_CFUUIDCreate_CFUUIDCreateString_CGContextRestoreGState_CGContextSaveGState_CGContextSetShouldSmoothFonts_Gestalt_NSApp_NSClassFromString_NSDrawThreePartImage_NSFontAttributeName_NSForegroundColorAttributeName_NSInsetRect_NSIntegralRect_NSIsEmptyRect_NSOffsetRect_NSPointInRect_NSRectFill_NSRectFillUsingOperation_NSShadowAttributeName_NSUnderlineStyleAttributeName_NSWindowDidResizeNotification_NSZeroRect___CFConstantStringClassReference_ceilf_floorf_fmaxf_fminf_modf_objc_assign_global_objc_copyStruct_objc_enumerationMutation_objc_getProperty_objc_msgSendSuper_objc_msgSendSuper_stret_objc_msgSend_stret_objc_setProperty_roundf/Users/brandon/Temp/bwtoolkit/BWToolbarShowColorsItem.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWToolbarShowColorsItem.o-[BWToolbarShowColorsItem image]-[BWToolbarShowColorsItem itemIdentifier]-[BWToolbarShowColorsItem label]-[BWToolbarShowColorsItem paletteLabel]-[BWToolbarShowColorsItem target]-[BWToolbarShowColorsItem action]-[BWToolbarShowColorsItem toolTip]/System/Library/Frameworks/AppKit.framework/Headers/NSMenu.hBWToolbarShowFontsItem.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWToolbarShowFontsItem.o-[BWToolbarShowFontsItem image]-[BWToolbarShowFontsItem itemIdentifier]-[BWToolbarShowFontsItem label]-[BWToolbarShowFontsItem paletteLabel]-[BWToolbarShowFontsItem target]-[BWToolbarShowFontsItem action]-[BWToolbarShowFontsItem toolTip]BWSelectableToolbar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWSelectableToolbar.o-[BWSelectableToolbar documentToolbar]-[BWSelectableToolbar editableToolbar]-[BWSelectableToolbar awakeFromNib]-[BWSelectableToolbar selectFirstItem]-[BWSelectableToolbar selectInitialItem]-[BWSelectableToolbar toggleActiveView:]-[BWSelectableToolbar identifierAtIndex:]-[BWSelectableToolbar setEnabled:forIdentifier:]-[BWSelectableToolbar validateToolbarItem:]-[BWSelectableToolbar enabledByIdentifier]-[BWSelectableToolbar toolbarDefaultItemIdentifiers:]-[BWSelectableToolbar toolbarAllowedItemIdentifiers:]-[BWSelectableToolbar toolbar:itemForItemIdentifier:willBeInsertedIntoToolbar:]-[BWSelectableToolbar toolbarSelectableItemIdentifiers:]-[BWSelectableToolbar selectedIndex]-[BWSelectableToolbar setSelectedIndex:]-[BWSelectableToolbar isPreferencesToolbar]-[BWSelectableToolbar setDocumentToolbar:]-[BWSelectableToolbar setEditableToolbar:]-[BWSelectableToolbar initWithCoder:]-[BWSelectableToolbar setHelper:]-[BWSelectableToolbar helper]-[BWSelectableToolbar setEnabledByIdentifier:]-[BWSelectableToolbar switchToItemAtIndex:animate:]-[BWSelectableToolbar labels]-[BWSelectableToolbar setIsPreferencesToolbar:]-[BWSelectableToolbar selectableItemIdentifiers]-[BWSelectableToolbar windowDidResize:]-[BWSelectableToolbar setSelectedItemIdentifierWithoutAnimation:]-[BWSelectableToolbar setSelectedItemIdentifier:]-[BWSelectableToolbar dealloc]-[BWSelectableToolbar setItemSelectors]-[BWSelectableToolbar selectItemAtIndex:]-[BWSelectableToolbar toolbarIndexFromSelectableIndex:]-[BWSelectableToolbar initialSetup]-[BWSelectableToolbar initWithIdentifier:]-[BWSelectableToolbar _defaultItemIdentifiers]-[BWSelectableToolbar encodeWithCoder:]/System/Library/Frameworks/Foundation.framework/Headers/NSNotification.h_BWSelectableToolbarItemClickedNotification_documentToolbar_editableToolbarBWAddRegularBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWAddRegularBottomBar.o-[BWAddRegularBottomBar awakeFromNib]-[BWAddRegularBottomBar drawRect:]-[BWAddRegularBottomBar bounds]-[BWAddRegularBottomBar initWithCoder:]/System/Library/Frameworks/Foundation.framework/Headers/NSURL.hBWRemoveBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWRemoveBottomBar.o-[BWRemoveBottomBar bounds]BWInsetTextField.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWInsetTextField.o-[BWInsetTextField initWithCoder:]/System/Library/Frameworks/AppKit.framework/Headers/NSTextField.hBWTransparentButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWTransparentButtonCell.o-[BWTransparentButtonCell interiorColor]-[BWTransparentButtonCell controlSize]-[BWTransparentButtonCell setControlSize:]-[BWTransparentButtonCell drawBezelWithFrame:inView:]-[BWTransparentButtonCell drawImage:withFrame:inView:]+[BWTransparentButtonCell initialize]-[BWTransparentButtonCell _textAttributes]-[BWTransparentButtonCell drawTitle:withFrame:inView:]/System/Library/Frameworks/Foundation.framework/Headers/NSFormatter.h_enabledColor_disabledColor_buttonFillN_buttonLeftP_buttonFillP_buttonRightP_buttonLeftN_buttonRightNBWTransparentCheckboxCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWTransparentCheckboxCell.o-[BWTransparentCheckboxCell isInTableView]-[BWTransparentCheckboxCell interiorColor]-[BWTransparentCheckboxCell controlSize]-[BWTransparentCheckboxCell setControlSize:]-[BWTransparentCheckboxCell _textAttributes]+[BWTransparentCheckboxCell initialize]-[BWTransparentCheckboxCell drawImage:withFrame:inView:]-[BWTransparentCheckboxCell drawInteriorWithFrame:inView:]-[BWTransparentCheckboxCell drawTitle:withFrame:inView:]_enabledColor_disabledColor_contentShadow_checkboxOffN_checkboxOnP_checkboxOnN_checkboxOffPBWTransparentPopUpButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWTransparentPopUpButtonCell.o-[BWTransparentPopUpButtonCell interiorColor]-[BWTransparentPopUpButtonCell controlSize]-[BWTransparentPopUpButtonCell setControlSize:]-[BWTransparentPopUpButtonCell drawImageWithFrame:inView:]-[BWTransparentPopUpButtonCell drawBezelWithFrame:inView:]-[BWTransparentPopUpButtonCell imageRectForBounds:]+[BWTransparentPopUpButtonCell initialize]-[BWTransparentPopUpButtonCell _textAttributes]-[BWTransparentPopUpButtonCell titleRectForBounds:]/System/Library/Frameworks/Foundation.framework/Headers/NSValue.h_enabledColor_disabledColor_popUpFillN_popUpLeftP_popUpFillP_pullDownRightP_popUpRightP_popUpLeftN_pullDownRightN_popUpRightNBWTransparentSliderCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWTransparentSliderCell.o-[BWTransparentSliderCell _usesCustomTrackImage]-[BWTransparentSliderCell setTickMarkPosition:]-[BWTransparentSliderCell controlSize]-[BWTransparentSliderCell setControlSize:]-[BWTransparentSliderCell initWithCoder:]+[BWTransparentSliderCell initialize]-[BWTransparentSliderCell stopTracking:at:inView:mouseIsUp:]-[BWTransparentSliderCell startTrackingAt:inView:]-[BWTransparentSliderCell knobRectFlipped:]-[BWTransparentSliderCell drawKnob:]-[BWTransparentSliderCell drawBarInside:flipped:]/System/Library/Frameworks/Foundation.framework/Headers/NSDictionary.h_thumbPImage_thumbNImage_triangleThumbPImage_triangleThumbNImage_trackFillImage_trackLeftImage_trackRightImageBWSplitView.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWSplitView.o-[BWSplitView awakeFromNib]-[BWSplitView setDelegate:]-[BWSplitView subviewIsCollapsible:]-[BWSplitView collapsibleSubviewIsCollapsed]-[BWSplitView collapsibleSubviewIndex]-[BWSplitView collapsibleSubview]-[BWSplitView hasCollapsibleSubview]-[BWSplitView setCollapsibleSubviewCollapsedHelper:]-[BWSplitView animationEnded]-[BWSplitView animationDuration]-[BWSplitView hasCollapsibleDivider]-[BWSplitView collapsibleDividerIndex]-[BWSplitView setCollapsibleSubviewCollapsed:]-[BWSplitView setMinSizeForCollapsibleSubview:]-[BWSplitView removeMinSizeForCollapsibleSubview]-[BWSplitView restoreAutoresizesSubviews:]-[BWSplitView splitView:shouldHideDividerAtIndex:]-[BWSplitView splitView:canCollapseSubview:]-[BWSplitView splitView:constrainSplitPosition:ofSubviewAt:]-[BWSplitView splitViewWillResizeSubviews:]-[BWSplitView subviewIsResizable:]-[BWSplitView validateAndCalculatePreferredProportionsAndSizes]-[BWSplitView clearPreferredProportionsAndSizes]-[BWSplitView splitView:resizeSubviewsWithOldSize:]-[BWSplitView setColorIsEnabled:]-[BWSplitView setColor:]-[BWSplitView color]-[BWSplitView minValues]-[BWSplitView maxValues]-[BWSplitView minUnits]-[BWSplitView maxUnits]-[BWSplitView secondaryDelegate]-[BWSplitView setSecondaryDelegate:]-[BWSplitView collapsibleSubviewCollapsed]-[BWSplitView dividerCanCollapse]-[BWSplitView setDividerCanCollapse:]-[BWSplitView collapsiblePopupSelection]-[BWSplitView setCollapsiblePopupSelection:]-[BWSplitView setCheckboxIsEnabled:]-[BWSplitView colorIsEnabled]-[BWSplitView initWithCoder:]+[BWSplitView initialize]-[BWSplitView setMinValues:]-[BWSplitView setMaxValues:]-[BWSplitView setMinUnits:]-[BWSplitView setMaxUnits:]-[BWSplitView setResizableSubviewPreferredProportion:]-[BWSplitView resizableSubviewPreferredProportion]-[BWSplitView setNonresizableSubviewPreferredSize:]-[BWSplitView nonresizableSubviewPreferredSize]-[BWSplitView setStateForLastPreferredCalculations:]-[BWSplitView stateForLastPreferredCalculations]-[BWSplitView setToggleCollapseButton:]-[BWSplitView toggleCollapseButton]-[BWSplitView dealloc]-[BWSplitView checkboxIsEnabled]-[BWSplitView setDividerStyle:]-[BWSplitView resizeAndAdjustSubviews]-[BWSplitView correctCollapsiblePreferredProportionOrSize]-[BWSplitView validatePreferredProportionsAndSizes]-[BWSplitView recalculatePreferredProportionsAndSizes]-[BWSplitView subviewMaximumSize:]-[BWSplitView subviewMinimumSize:]-[BWSplitView resizableSubviews]-[BWSplitView splitViewDidResizeSubviews:]-[BWSplitView splitView:effectiveRect:forDrawnRect:ofDividerAtIndex:]-[BWSplitView splitView:constrainMinCoordinate:ofSubviewAt:]-[BWSplitView splitView:constrainMaxCoordinate:ofSubviewAt:]-[BWSplitView splitView:shouldCollapseSubview:forDoubleClickOnDividerAtIndex:]-[BWSplitView splitView:additionalEffectiveRectOfDividerAtIndex:]-[BWSplitView mouseDown:]-[BWSplitView toggleCollapse:]-[BWSplitView adjustSubviews]-[BWSplitView subviewIsCollapsed:]-[BWSplitView drawDimpleInRect:]-[BWSplitView drawGradientDividerInRect:]-[BWSplitView drawDividerInRect:]-[BWSplitView encodeWithCoder:]/System/Library/Frameworks/Foundation.framework/Headers/NSDate.h_scaleFactor_gradient_borderColor_dimpleImageBitmap_dimpleImageVector_gradientStartColor_gradientEndColorBWTexturedSlider.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWTexturedSlider.o-[BWTexturedSlider trackHeight]-[BWTexturedSlider setTrackHeight:]-[BWTexturedSlider setSliderToMinimum]-[BWTexturedSlider setSliderToMaximum]-[BWTexturedSlider indicatorIndex]-[BWTexturedSlider initWithCoder:]+[BWTexturedSlider initialize]-[BWTexturedSlider setMinButton:]-[BWTexturedSlider minButton]-[BWTexturedSlider setMaxButton:]-[BWTexturedSlider maxButton]-[BWTexturedSlider dealloc]-[BWTexturedSlider resignFirstResponder]-[BWTexturedSlider becomeFirstResponder]-[BWTexturedSlider scrollWheel:]-[BWTexturedSlider setEnabled:]-[BWTexturedSlider setIndicatorIndex:]-[BWTexturedSlider drawRect:]-[BWTexturedSlider hitTest:]-[BWTexturedSlider encodeWithCoder:]_smallPhotoImage_largePhotoImage_quietSpeakerImage_loudSpeakerImageBWTexturedSliderCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWTexturedSliderCell.o-[BWTexturedSliderCell controlSize]-[BWTexturedSliderCell setControlSize:]-[BWTexturedSliderCell numberOfTickMarks]-[BWTexturedSliderCell setNumberOfTickMarks:]-[BWTexturedSliderCell _usesCustomTrackImage]-[BWTexturedSliderCell trackHeight]-[BWTexturedSliderCell setTrackHeight:]-[BWTexturedSliderCell initWithCoder:]+[BWTexturedSliderCell initialize]-[BWTexturedSliderCell stopTracking:at:inView:mouseIsUp:]-[BWTexturedSliderCell startTrackingAt:inView:]-[BWTexturedSliderCell drawKnob:]-[BWTexturedSliderCell drawBarInside:flipped:]-[BWTexturedSliderCell encodeWithCoder:]_thumbPImage_thumbNImage_trackFillImage_trackLeftImage_trackRightImageBWAddSmallBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWAddSmallBottomBar.o-[BWAddSmallBottomBar awakeFromNib]-[BWAddSmallBottomBar drawRect:]-[BWAddSmallBottomBar bounds]-[BWAddSmallBottomBar initWithCoder:]BWAnchoredButtonBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWAnchoredButtonBar.o-[BWAnchoredButtonBar awakeFromNib]-[BWAnchoredButtonBar drawResizeHandleInRect:withColor:]-[BWAnchoredButtonBar viewDidMoveToSuperview]-[BWAnchoredButtonBar isInLastSubview]-[BWAnchoredButtonBar dividerIndexNearestToHandle]-[BWAnchoredButtonBar splitView]-[BWAnchoredButtonBar setSelectedIndex:]+[BWAnchoredButtonBar wasBorderedBar]-[BWAnchoredButtonBar splitView:constrainMinCoordinate:ofSubviewAt:]-[BWAnchoredButtonBar splitView:constrainMaxCoordinate:ofSubviewAt:]-[BWAnchoredButtonBar splitView:resizeSubviewsWithOldSize:]-[BWAnchoredButtonBar splitView:canCollapseSubview:]-[BWAnchoredButtonBar splitView:constrainSplitPosition:ofSubviewAt:]-[BWAnchoredButtonBar splitView:shouldCollapseSubview:forDoubleClickOnDividerAtIndex:]-[BWAnchoredButtonBar splitView:shouldHideDividerAtIndex:]-[BWAnchoredButtonBar splitViewDelegate]-[BWAnchoredButtonBar setSplitViewDelegate:]-[BWAnchoredButtonBar handleIsRightAligned]-[BWAnchoredButtonBar setHandleIsRightAligned:]-[BWAnchoredButtonBar isResizable]-[BWAnchoredButtonBar setIsResizable:]-[BWAnchoredButtonBar isAtBottom]-[BWAnchoredButtonBar selectedIndex]-[BWAnchoredButtonBar initWithFrame:]+[BWAnchoredButtonBar initialize]-[BWAnchoredButtonBar splitView:effectiveRect:forDrawnRect:ofDividerAtIndex:]-[BWAnchoredButtonBar splitView:additionalEffectiveRectOfDividerAtIndex:]-[BWAnchoredButtonBar dealloc]-[BWAnchoredButtonBar setIsAtBottom:]-[BWAnchoredButtonBar drawLastButtonInsetInRect:]-[BWAnchoredButtonBar drawRect:]-[BWAnchoredButtonBar encodeWithCoder:]-[BWAnchoredButtonBar initWithCoder:]/System/Library/Frameworks/AppKit.framework/Headers/NSSplitView.h_wasBorderedBar_gradient_topLineColor_borderedTopLineColor_resizeHandleColor_resizeInsetColor_bottomLineColor_sideInsetColor_topColor_middleTopColor_middleBottomColor_bottomColorBWAnchoredButton.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWAnchoredButton.o-[BWAnchoredButton isAtRightEdgeOfBar]-[BWAnchoredButton setIsAtRightEdgeOfBar:]-[BWAnchoredButton isAtLeftEdgeOfBar]-[BWAnchoredButton setIsAtLeftEdgeOfBar:]-[BWAnchoredButton initWithCoder:]-[BWAnchoredButton frame]-[BWAnchoredButton mouseDown:]BWAnchoredButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWAnchoredButtonCell.o-[BWAnchoredButtonCell controlSize]-[BWAnchoredButtonCell setControlSize:]-[BWAnchoredButtonCell highlightRectForBounds:]-[BWAnchoredButtonCell drawBezelWithFrame:inView:]-[BWAnchoredButtonCell textColor]-[BWAnchoredButtonCell imageColor]-[BWAnchoredButtonCell _textAttributes]+[BWAnchoredButtonCell initialize]-[BWAnchoredButtonCell drawImage:withFrame:inView:]-[BWAnchoredButtonCell titleRectForBounds:]-[BWAnchoredButtonCell drawWithFrame:inView:]_fillGradient_bottomBorderColor_sideInsetColor_borderedTopBorderColor_borderedSideBorderColor_topBorderColor_sideBorderColor_enabledTextColor_disabledTextColor_enabledImageColor_disabledImageColor_contentShadow_pressedColor_fillStop1_fillStop2_fillStop3_fillStop4NSColor+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/NSColor+BWAdditions.o-[NSColor(BWAdditions) bwDrawPixelThickLineAtPosition:withInset:inRect:inView:horizontal:flip:]/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBase.hNSImage+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/NSImage+BWAdditions.o-[NSImage(BWAdditions) bwRotateImage90DegreesClockwise:]-[NSImage(BWAdditions) bwTintedImageWithColor:]/System/Library/Frameworks/AppKit.framework/Headers/NSGraphics.hBWSelectableToolbarHelper.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWSelectableToolbarHelper.o-[BWSelectableToolbarHelper isPreferencesToolbar]-[BWSelectableToolbarHelper setIsPreferencesToolbar:]-[BWSelectableToolbarHelper init]-[BWSelectableToolbarHelper setContentViewsByIdentifier:]-[BWSelectableToolbarHelper contentViewsByIdentifier]-[BWSelectableToolbarHelper setWindowSizesByIdentifier:]-[BWSelectableToolbarHelper windowSizesByIdentifier]-[BWSelectableToolbarHelper setSelectedIdentifier:]-[BWSelectableToolbarHelper selectedIdentifier]-[BWSelectableToolbarHelper setOldWindowTitle:]-[BWSelectableToolbarHelper oldWindowTitle]-[BWSelectableToolbarHelper setInitialIBWindowSize:]-[BWSelectableToolbarHelper initialIBWindowSize]-[BWSelectableToolbarHelper dealloc]-[BWSelectableToolbarHelper encodeWithCoder:]-[BWSelectableToolbarHelper initWithCoder:]/System/Library/Frameworks/ApplicationServices.framework/Headers/../Frameworks/CoreGraphics.framework/Headers/CGGeometry.hNSWindow+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/NSWindow+BWAdditions.o-[NSWindow(BWAdditions) bwIsTextured]-[NSWindow(BWAdditions) bwResizeToSize:animate:]NSView+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/NSView+BWAdditions.o_compareViews-[NSView(BWAdditions) bwBringToFront]-[NSView(BWAdditions) bwAnimator]-[NSView(BWAdditions) bwTurnOffLayer]BWTransparentTableView.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWTransparentTableView.o+[BWTransparentTableView cellClass]-[BWTransparentTableView backgroundColor]-[BWTransparentTableView _alternatingRowBackgroundColors]-[BWTransparentTableView _highlightColorForCell:]-[BWTransparentTableView addTableColumn:]+[BWTransparentTableView initialize]-[BWTransparentTableView highlightSelectionInClipRect:]-[BWTransparentTableView drawBackgroundInClipRect:]/System/Library/Frameworks/AppKit.framework/Headers/NSTableColumn.h_rowColor_altRowColor_highlightColorBWTransparentTableViewCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWTransparentTableViewCell.o-[BWTransparentTableViewCell drawInteriorWithFrame:inView:]-[BWTransparentTableViewCell editWithFrame:inView:editor:delegate:event:]-[BWTransparentTableViewCell selectWithFrame:inView:editor:delegate:start:length:]-[BWTransparentTableViewCell drawingRectForBounds:]BWAnchoredPopUpButton.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWAnchoredPopUpButton.o-[BWAnchoredPopUpButton isAtRightEdgeOfBar]-[BWAnchoredPopUpButton setIsAtRightEdgeOfBar:]-[BWAnchoredPopUpButton isAtLeftEdgeOfBar]-[BWAnchoredPopUpButton setIsAtLeftEdgeOfBar:]-[BWAnchoredPopUpButton initWithCoder:]-[BWAnchoredPopUpButton frame]-[BWAnchoredPopUpButton mouseDown:]BWAnchoredPopUpButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWAnchoredPopUpButtonCell.o-[BWAnchoredPopUpButtonCell controlSize]-[BWAnchoredPopUpButtonCell setControlSize:]-[BWAnchoredPopUpButtonCell highlightRectForBounds:]-[BWAnchoredPopUpButtonCell drawBorderAndBackgroundWithFrame:inView:]-[BWAnchoredPopUpButtonCell textColor]-[BWAnchoredPopUpButtonCell imageColor]-[BWAnchoredPopUpButtonCell _textAttributes]+[BWAnchoredPopUpButtonCell initialize]-[BWAnchoredPopUpButtonCell drawImageWithFrame:inView:]-[BWAnchoredPopUpButtonCell imageRectForBounds:]-[BWAnchoredPopUpButtonCell titleRectForBounds:]-[BWAnchoredPopUpButtonCell drawArrowInFrame:]-[BWAnchoredPopUpButtonCell drawWithFrame:inView:]_fillGradient_bottomBorderColor_sideInsetColor_borderedTopBorderColor_borderedSideBorderColor_topBorderColor_sideBorderColor_enabledTextColor_disabledTextColor_enabledImageColor_disabledImageColor_contentShadow_pressedColor_pullDownArrow_fillStop1_fillStop2_fillStop3_fillStop4BWCustomView.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWCustomView.o-[BWCustomView drawRect:]-[BWCustomView drawTextInRect:]BWUnanchoredButton.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWUnanchoredButton.o-[BWUnanchoredButton initWithCoder:]-[BWUnanchoredButton frame]-[BWUnanchoredButton mouseDown:]BWUnanchoredButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWUnanchoredButtonCell.o-[BWUnanchoredButtonCell drawBezelWithFrame:inView:]-[BWUnanchoredButtonCell highlightRectForBounds:]+[BWUnanchoredButtonCell initialize]_fillGradient_topInsetColor_topBorderColor_borderColor_bottomInsetColor_fillStop1_fillStop2_fillStop3_fillStop4_pressedColorBWUnanchoredButtonContainer.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWUnanchoredButtonContainer.o-[BWUnanchoredButtonContainer awakeFromNib]BWSheetController.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWSheetController.o-[BWSheetController awakeFromNib]-[BWSheetController encodeWithCoder:]-[BWSheetController openSheet:]-[BWSheetController closeSheet:]-[BWSheetController messageDelegateAndCloseSheet:]-[BWSheetController delegate]-[BWSheetController sheet]-[BWSheetController parentWindow]-[BWSheetController initWithCoder:]-[BWSheetController setParentWindow:]-[BWSheetController setSheet:]-[BWSheetController setDelegate:]BWTransparentScrollView.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWTransparentScrollView.o+[BWTransparentScrollView _verticalScrollerClass]-[BWTransparentScrollView initWithCoder:]/System/Library/Frameworks/AppKit.framework/Headers/NSRulerMarker.hBWAddMiniBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWAddMiniBottomBar.o-[BWAddMiniBottomBar awakeFromNib]-[BWAddMiniBottomBar drawRect:]-[BWAddMiniBottomBar bounds]-[BWAddMiniBottomBar initWithCoder:]BWAddSheetBottomBar.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWAddSheetBottomBar.o-[BWAddSheetBottomBar awakeFromNib]-[BWAddSheetBottomBar drawRect:]-[BWAddSheetBottomBar bounds]-[BWAddSheetBottomBar initWithCoder:]BWTokenFieldCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWTokenFieldCell.o-[BWTokenFieldCell setUpTokenAttachmentCell:forRepresentedObject:]/System/Library/Frameworks/AppKit.framework/Headers/NSImage.hBWTokenAttachmentCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWTokenAttachmentCell.o-[BWTokenAttachmentCell arrowInHighlightedState:]-[BWTokenAttachmentCell pullDownImage]-[BWTokenAttachmentCell drawTokenWithFrame:inView:]-[BWTokenAttachmentCell interiorBackgroundStyle]+[BWTokenAttachmentCell initialize]-[BWTokenAttachmentCell pullDownRectForBounds:]-[BWTokenAttachmentCell _textAttributes]_highlightedArrowColor_arrowGradient_blueStrokeGradient_blueInsetGradient_blueGradient_highlightedBlueStrokeGradient_highlightedBlueInsetGradient_highlightedBlueGradient_textShadowBWTransparentScroller.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWTransparentScroller.o-[BWTransparentScroller initWithFrame:]+[BWTransparentScroller scrollerWidthForControlSize:]+[BWTransparentScroller scrollerWidth]+[BWTransparentScroller initialize]-[BWTransparentScroller rectForPart:]-[BWTransparentScroller _drawingRectForPart:]-[BWTransparentScroller drawKnob]-[BWTransparentScroller drawKnobSlot]-[BWTransparentScroller drawRect:]-[BWTransparentScroller initWithCoder:]_slotVerticalFill_backgroundColor_minKnobHeight_minKnobWidth_slotTop_slotBottom_slotLeft_slotHorizontalFill_slotRight_knobTop_knobVerticalFill_knobBottom_knobLeft_knobHorizontalFill_knobRightBWTransparentTextFieldCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWTransparentTextFieldCell.o-[BWTransparentTextFieldCell _textAttributes]+[BWTransparentTextFieldCell initialize]/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileDescriptor.h_textShadowBWToolbarItem.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWToolbarItem.o-[BWToolbarItem setIdentifierString:]-[BWToolbarItem initWithCoder:]-[BWToolbarItem identifierString]-[BWToolbarItem dealloc]-[BWToolbarItem encodeWithCoder:]NSString+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/NSString+BWAdditions.o+[NSString(BWAdditions) bwRandomUUID]/usr/include/objc/objc.hNSEvent+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/NSEvent+BWAdditions.o+[NSEvent(BWAdditions) bwShiftKeyIsDown]+[NSEvent(BWAdditions) bwCommandKeyIsDown]+[NSEvent(BWAdditions) bwOptionKeyIsDown]+[NSEvent(BWAdditions) bwControlKeyIsDown]+[NSEvent(BWAdditions) bwCapsLockKeyIsDown]/Users/brandon/Temp/bwtoolkit//BWHyperlinkButton.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWHyperlinkButton.o-[BWHyperlinkButton awakeFromNib]-[BWHyperlinkButton openURLInBrowser:]-[BWHyperlinkButton urlString]-[BWHyperlinkButton initWithCoder:]-[BWHyperlinkButton setUrlString:]-[BWHyperlinkButton dealloc]-[BWHyperlinkButton resetCursorRects]-[BWHyperlinkButton encodeWithCoder:]BWHyperlinkButtonCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWHyperlinkButtonCell.o-[BWHyperlinkButtonCell drawBezelWithFrame:inView:]-[BWHyperlinkButtonCell setBordered:]-[BWHyperlinkButtonCell isBordered]-[BWHyperlinkButtonCell _textAttributes]BWGradientBox.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWGradientBox.o-[BWGradientBox isFlipped]-[BWGradientBox setFillColor:]-[BWGradientBox setFillStartingColor:]-[BWGradientBox setFillEndingColor:]-[BWGradientBox setTopBorderColor:]-[BWGradientBox setBottomBorderColor:]-[BWGradientBox hasFillColor]-[BWGradientBox setHasFillColor:]-[BWGradientBox hasGradient]-[BWGradientBox setHasGradient:]-[BWGradientBox hasBottomBorder]-[BWGradientBox setHasBottomBorder:]-[BWGradientBox hasTopBorder]-[BWGradientBox setHasTopBorder:]-[BWGradientBox bottomInsetAlpha]-[BWGradientBox setBottomInsetAlpha:]-[BWGradientBox topInsetAlpha]-[BWGradientBox setTopInsetAlpha:]-[BWGradientBox bottomBorderColor]-[BWGradientBox topBorderColor]-[BWGradientBox fillColor]-[BWGradientBox fillEndingColor]-[BWGradientBox fillStartingColor]-[BWGradientBox initWithCoder:]-[BWGradientBox dealloc]-[BWGradientBox drawRect:]-[BWGradientBox encodeWithCoder:]BWStyledTextField.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWStyledTextField.o-[BWStyledTextField hasShadow]-[BWStyledTextField setHasShadow:]-[BWStyledTextField shadowIsBelow]-[BWStyledTextField setShadowIsBelow:]-[BWStyledTextField shadowColor]-[BWStyledTextField setShadowColor:]-[BWStyledTextField hasGradient]-[BWStyledTextField setHasGradient:]-[BWStyledTextField startingColor]-[BWStyledTextField setStartingColor:]-[BWStyledTextField endingColor]-[BWStyledTextField setEndingColor:]-[BWStyledTextField solidColor]-[BWStyledTextField setSolidColor:]BWStyledTextFieldCell.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/BWStyledTextFieldCell.o-[BWStyledTextFieldCell changeShadow]-[BWStyledTextFieldCell setStartingColor:]-[BWStyledTextFieldCell setEndingColor:]-[BWStyledTextFieldCell setSolidColor:]-[BWStyledTextFieldCell setHasGradient:]-[BWStyledTextFieldCell setShadowIsBelow:]-[BWStyledTextFieldCell setShadowColor:]-[BWStyledTextFieldCell solidColor]-[BWStyledTextFieldCell hasGradient]-[BWStyledTextFieldCell endingColor]-[BWStyledTextFieldCell startingColor]-[BWStyledTextFieldCell shadow]-[BWStyledTextFieldCell hasShadow]-[BWStyledTextFieldCell setHasShadow:]-[BWStyledTextFieldCell shadowColor]-[BWStyledTextFieldCell shadowIsBelow]-[BWStyledTextFieldCell initWithCoder:]-[BWStyledTextFieldCell setShadow:]-[BWStyledTextFieldCell setPreviousAttributes:]-[BWStyledTextFieldCell previousAttributes]-[BWStyledTextFieldCell drawInteriorWithFrame:inView:]-[BWStyledTextFieldCell applyGradient]-[BWStyledTextFieldCell awakeFromNib]-[BWStyledTextFieldCell _textAttributes]-[BWStyledTextFieldCell dealloc]-[BWStyledTextFieldCell copyWithZone:]-[BWStyledTextFieldCell encodeWithCoder:]NSApplication+BWAdditions.m/Users/Shared/brandon/Build/BWToolkit.build/Release/BWToolkitFramework.build/Objects-normal/ppc/NSApplication+BWAdditions.o+[NSApplication(BWAdditions) bwIsOnLeopard]single moduleunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/0000755006131600613160000000000012050210655030565 5ustar bcpiercebcpierce././@LongLink0000000000000000000000000000015400000000000011565 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWTransparentButton.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWTransparentB0000644006131600613160000000035311361646373033363 0ustar bcpiercebcpierce// // BWTransparentButton.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTransparentButton : NSButton { } @end ././@LongLink0000000000000000000000000000015100000000000011562 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWInsetTextField.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWInsetTextFie0000644006131600613160000000035011361646373033330 0ustar bcpiercebcpierce// // BWInsetTextField.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWInsetTextField : NSTextField { } @end ././@LongLink0000000000000000000000000000015400000000000011565 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/NSColor+BWAdditions.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/NSColor+BWAddi0000644006131600613160000000112211361646373033127 0ustar bcpiercebcpierce// // NSColor+BWAdditions.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface NSColor (BWAdditions) // Use this method to draw 1 px wide lines independent of scale factor. Handy for resolution independent drawing. Still needs some work - there are issues with drawing at the edges of views. - (void)bwDrawPixelThickLineAtPosition:(int)posInPixels withInset:(int)insetInPixels inRect:(NSRect)aRect inView:(NSView *)view horizontal:(BOOL)isHorizontal flip:(BOOL)shouldFlip; @end unison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWSplitView.h0000644006131600613160000000276011361646373033140 0ustar bcpiercebcpierce// // BWSplitView.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) and Fraser Kuyvenhoven. // All code is provided under the New BSD license. // #import @interface BWSplitView : NSSplitView { NSColor *color; BOOL colorIsEnabled, checkboxIsEnabled, dividerCanCollapse, collapsibleSubviewCollapsed; id secondaryDelegate; NSMutableDictionary *minValues, *maxValues, *minUnits, *maxUnits; NSMutableDictionary *resizableSubviewPreferredProportion, *nonresizableSubviewPreferredSize; NSArray *stateForLastPreferredCalculations; int collapsiblePopupSelection; float uncollapsedSize; // Collapse button NSButton *toggleCollapseButton; BOOL isAnimating; } @property (retain) NSMutableDictionary *minValues, *maxValues, *minUnits, *maxUnits; @property (retain) NSMutableDictionary *resizableSubviewPreferredProportion, *nonresizableSubviewPreferredSize; @property (retain) NSArray *stateForLastPreferredCalculations; @property (retain) NSButton *toggleCollapseButton; @property (assign) id secondaryDelegate; @property BOOL collapsibleSubviewCollapsed; @property int collapsiblePopupSelection; @property BOOL dividerCanCollapse; // The split view divider color @property (copy) NSColor *color; // Flag for whether a custom divider color is enabled. If not, the standard divider color is used. @property BOOL colorIsEnabled; // Call this method to collapse or expand a subview configured as collapsible in the IB inspector. - (IBAction)toggleCollapse:(id)sender; @end ././@LongLink0000000000000000000000000000015400000000000011565 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWSelectableToolbar.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWSelectableTo0000644006131600613160000000230211361646373033322 0ustar bcpiercebcpierce// // BWSelectableToolbar.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @class BWSelectableToolbarHelper; // Notification that gets sent when a toolbar item has been clicked. You can get the button that was clicked by getting the object // for the key @"BWClickedItem" in the supplied userInfo dictionary. extern NSString * const BWSelectableToolbarItemClickedNotification; @interface BWSelectableToolbar : NSToolbar { BWSelectableToolbarHelper *helper; NSMutableArray *itemIdentifiers; NSMutableDictionary *itemsByIdentifier, *enabledByIdentifier; BOOL inIB; // For the IB inspector int selectedIndex; BOOL isPreferencesToolbar; } // Call one of these methods to set the active tab. - (void)setSelectedItemIdentifier:(NSString *)itemIdentifier; // Use if you want an action in the tabbed window to change the tab. - (void)setSelectedItemIdentifierWithoutAnimation:(NSString *)itemIdentifier; // Use if you want to show the window with a certain item selected. // Programmatically disable or enable a toolbar item. - (void)setEnabled:(BOOL)flag forIdentifier:(NSString *)itemIdentifier; @end ././@LongLink0000000000000000000000000000015100000000000011562 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWTokenFieldCell.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWTokenFieldCe0000644006131600613160000000035511361646373033256 0ustar bcpiercebcpierce// // BWTokenFieldCell.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTokenFieldCell : NSTokenFieldCell { } @end ././@LongLink0000000000000000000000000000015300000000000011564 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWUnanchoredButton.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWUnanchoredBu0000644006131600613160000000040211361646373033330 0ustar bcpiercebcpierce// // BWUnanchoredButton.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWUnanchoredButton : NSButton { NSPoint topAndLeftInset; } @end ././@LongLink0000000000000000000000000000014600000000000011566 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWToolbarItem.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWToolbarItem.0000644006131600613160000000040011361646373033250 0ustar bcpiercebcpierce// // BWToolbarItem.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWToolbarItem : NSToolbarItem { NSString *identifierString; } @end ././@LongLink0000000000000000000000000000016500000000000011567 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWTransparentPopUpButtonCell.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWTransparentP0000644006131600613160000000040611361646373033400 0ustar bcpiercebcpierce// // BWTransparentPopUpButtonCell.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTransparentPopUpButtonCell : NSPopUpButtonCell { } @end ././@LongLink0000000000000000000000000000015100000000000011562 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWAnchoredButton.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWAnchoredButt0000644006131600613160000000056711361646373033351 0ustar bcpiercebcpierce// // BWAnchoredButton.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWAnchoredButton : NSButton { BOOL isAtLeftEdgeOfBar; BOOL isAtRightEdgeOfBar; NSPoint topAndLeftInset; } @property BOOL isAtLeftEdgeOfBar; @property BOOL isAtRightEdgeOfBar; @end ././@LongLink0000000000000000000000000000016200000000000011564 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/NSApplication+BWAdditions.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/NSApplication+0000644006131600613160000000040111361646373033300 0ustar bcpiercebcpierce// // NSApplication+BWAdditions.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface NSApplication (BWAdditions) + (BOOL)bwIsOnLeopard; @end ././@LongLink0000000000000000000000000000015600000000000011567 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWStyledTextFieldCell.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWStyledTextFi0000644006131600613160000000107111361646373033346 0ustar bcpiercebcpierce// // BWStyledTextFieldCell.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWStyledTextFieldCell : NSTextFieldCell { BOOL shadowIsBelow, hasShadow, hasGradient; NSColor *shadowColor, *startingColor, *endingColor, *solidColor; NSShadow *shadow; NSMutableDictionary *previousAttributes; } @property BOOL shadowIsBelow, hasShadow, hasGradient; @property (nonatomic, retain) NSColor *shadowColor, *startingColor, *endingColor, *solidColor; @end ././@LongLink0000000000000000000000000000016000000000000011562 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWTransparentScrollView.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWTransparentS0000644006131600613160000000036711361646373033411 0ustar bcpiercebcpierce// // BWTransparentScrollView.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTransparentScrollView : NSScrollView { } @end ././@LongLink0000000000000000000000000000016300000000000011565 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWTransparentTextFieldCell.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWTransparentT0000644006131600613160000000040011361646373033376 0ustar bcpiercebcpierce// // BWTransparentTextFieldCell.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTransparentTextFieldCell : NSTextFieldCell { } @end ././@LongLink0000000000000000000000000000016200000000000011564 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWTransparentCheckboxCell.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWTransparentC0000644006131600613160000000043511361646373033365 0ustar bcpiercebcpierce// // BWTransparentCheckboxCell.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import #import "BWTransparentCheckbox.h" @interface BWTransparentCheckboxCell : NSButtonCell { } @end ././@LongLink0000000000000000000000000000015500000000000011566 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWTexturedSliderCell.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWTexturedSlid0000755006131600613160000000045711361646373033410 0ustar bcpiercebcpierce// // BWTexturedSliderCell.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTexturedSliderCell : NSSliderCell { BOOL isPressed; int trackHeight; } @property int trackHeight; @end ././@LongLink0000000000000000000000000000015600000000000011567 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWTransparentScroller.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWTransparentS0000644006131600613160000000040211361646373033377 0ustar bcpiercebcpierce// // BWTransparentScroller.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTransparentScroller : NSScroller { BOOL isVertical; } @end ././@LongLink0000000000000000000000000000014600000000000011566 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWGradientBox.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWGradientBox.0000644006131600613160000000124711361646373033247 0ustar bcpiercebcpierce// // BWGradientBox.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWGradientBox : NSView { NSColor *fillStartingColor, *fillEndingColor, *fillColor; NSColor *topBorderColor, *bottomBorderColor; float topInsetAlpha, bottomInsetAlpha; BOOL hasTopBorder, hasBottomBorder, hasGradient, hasFillColor; } @property (nonatomic, retain) NSColor *fillStartingColor, *fillEndingColor, *fillColor, *topBorderColor, *bottomBorderColor; @property float topInsetAlpha, bottomInsetAlpha; @property BOOL hasTopBorder, hasBottomBorder, hasGradient, hasFillColor; @end ././@LongLink0000000000000000000000000000016300000000000011565 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWTransparentTableViewCell.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWTransparentT0000644006131600613160000000043411361646373033405 0ustar bcpiercebcpierce// // BWTransparentTableViewCell.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTransparentTableViewCell : NSTextFieldCell { BOOL mIsEditingOrSelecting; } @end ././@LongLink0000000000000000000000000000016000000000000011562 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWToolbarShowColorsItem.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWToolbarShowC0000644006131600613160000000037011361646373033325 0ustar bcpiercebcpierce// // BWToolbarShowColorsItem.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWToolbarShowColorsItem : NSToolbarItem { } @end ././@LongLink0000000000000000000000000000015400000000000011565 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWTransparentSlider.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWTransparentS0000644006131600613160000000035311361646373033404 0ustar bcpiercebcpierce// // BWTransparentSlider.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTransparentSlider : NSSlider { } @end ././@LongLink0000000000000000000000000000016200000000000011564 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWAnchoredPopUpButtonCell.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWAnchoredPopU0000644006131600613160000000040011361646373033300 0ustar bcpiercebcpierce// // BWAnchoredPopUpButtonCell.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWAnchoredPopUpButtonCell : NSPopUpButtonCell { } @end ././@LongLink0000000000000000000000000000015600000000000011567 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/NSTokenAttachmentCell.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/NSTokenAttachm0000644006131600613160000000323111361646373033350 0ustar bcpiercebcpierce/* * Generated by class-dump 3.1.2. * * class-dump is Copyright (C) 1997-1998, 2000-2001, 2004-2007 by Steve Nygard. */ #import @interface NSTokenAttachmentCell : NSTextAttachmentCell { id _representedObject; id _textColor; id _reserved; struct { unsigned int _selected:1; unsigned int _edgeStyle:2; unsigned int _reserved:29; } _tacFlags; } + (void)initialize; - (id)initTextCell:(id)fp8; - (id)init; - (void)dealloc; - (id)representedObject; - (void)setRepresentedObject:(id)fp8; - (int)interiorBackgroundStyle; - (BOOL)_hasMenu; - (id)tokenForegroundColor; - (id)tokenBackgroundColor; - (id)textColor; - (void)setTextColor:(id)fp8; - (id)pullDownImage; - (id)menu; - (NSSize)cellSizeForBounds:(NSRect)fp8; - (NSSize)cellSize; - (NSRect)drawingRectForBounds:(NSRect)fp8; - (NSRect)titleRectForBounds:(NSRect)fp8; - (NSRect)cellFrameForTextContainer:(id)fp8 proposedLineFragment:(NSRect)fp12 glyphPosition:(NSPoint)fp28 characterIndex:(unsigned int)fp36; - (NSPoint)cellBaselineOffset; - (NSRect)pullDownRectForBounds:(NSRect)fp8; - (void)drawTokenWithFrame:(NSRect)fp8 inView:(id)fp24; - (void)drawInteriorWithFrame:(NSRect)fp8 inView:(id)fp24; - (void)drawWithFrame:(NSRect)fp8 inView:(id)fp24; - (void)drawWithFrame:(NSRect)fp8 inView:(id)fp24 characterIndex:(unsigned int)fp28 layoutManager:(id)fp32; - (void)encodeWithCoder:(id)fp8; - (id)initWithCoder:(id)fp8; - (BOOL)wantsToTrackMouseForEvent:(id)fp8 inRect:(NSRect)fp12 ofView:(id)fp28 atCharacterIndex:(unsigned int)fp32; - (BOOL)trackMouse:(id)fp8 inRect:(NSRect)fp12 ofView:(id)fp28 atCharacterIndex:(unsigned int)fp32 untilMouseUp:(BOOL)fp36; @end ././@LongLink0000000000000000000000000000015200000000000011563 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWHyperlinkButton.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWHyperlinkBut0000644006131600613160000000045611361646373033404 0ustar bcpiercebcpierce// // BWHyperlinkButton.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWHyperlinkButton : NSButton { NSString *urlString; } @property (copy, nonatomic) NSString *urlString; @end ././@LongLink0000000000000000000000000000015400000000000011565 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/NSImage+BWAdditions.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/NSImage+BWAddi0000644006131600613160000000076311361646373033105 0ustar bcpiercebcpierce// // NSImage+BWAdditions.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface NSImage (BWAdditions) // Draw a solid color over an image - taking into account alpha. Useful for coloring template images. - (NSImage *)bwTintedImageWithColor:(NSColor *)tint; // Rotate an image 90 degrees clockwise or counterclockwise - (NSImage *)bwRotateImage90DegreesClockwise:(BOOL)clockwise; @end ././@LongLink0000000000000000000000000000016000000000000011562 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWTransparentButtonCell.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWTransparentB0000644006131600613160000000042711361646373033365 0ustar bcpiercebcpierce// // BWTransparentButtonCell.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import #import "BWTransparentButton.h" @interface BWTransparentButtonCell : NSButtonCell { } @end ././@LongLink0000000000000000000000000000015700000000000011570 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWToolbarShowFontsItem.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWToolbarShowF0000644006131600613160000000036711361646373033336 0ustar bcpiercebcpierce// // BWToolbarShowFontsItem.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWToolbarShowFontsItem : NSToolbarItem { } @end ././@LongLink0000000000000000000000000000015600000000000011567 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWTokenAttachmentCell.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWTokenAttachm0000644006131600613160000000043611361646373033344 0ustar bcpiercebcpierce// // BWTokenAttachmentCell.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import #import "NSTokenAttachmentCell.h" @interface BWTokenAttachmentCell : NSTokenAttachmentCell { } @end ././@LongLink0000000000000000000000000000015300000000000011564 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/NSView+BWAdditions.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/NSView+BWAddit0000644006131600613160000000054511361646373033157 0ustar bcpiercebcpierce// // NSView+BWAdditions.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface NSView (BWAdditions) - (void)bwBringToFront; // Returns animator proxy and calls setWantsLayer:NO on the view when the animation completes - (id)bwAnimator; @end unison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWTokenField.h0000644006131600613160000000034111361646373033227 0ustar bcpiercebcpierce// // BWTokenField.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTokenField : NSTokenField { } @end ././@LongLink0000000000000000000000000000015500000000000011566 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/NSWindow+BWAdditions.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/NSWindow+BWAdd0000644006131600613160000000046711361646373033162 0ustar bcpiercebcpierce// // NSWindow+BWAdditions.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface NSWindow (BWAdditions) - (void)bwResizeToSize:(NSSize)newSize animate:(BOOL)animateFlag; - (BOOL)bwIsTextured; @end ././@LongLink0000000000000000000000000000015700000000000011570 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWUnanchoredButtonCell.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWUnanchoredBu0000644006131600613160000000043611361646373033337 0ustar bcpiercebcpierce// // BWUnanchoredButtonCell.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import #import "BWAnchoredButtonCell.h" @interface BWUnanchoredButtonCell : BWAnchoredButtonCell { } @end ././@LongLink0000000000000000000000000000016100000000000011563 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWTransparentPopUpButton.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWTransparentP0000644006131600613160000000037311361646373033403 0ustar bcpiercebcpierce// // BWTransparentPopUpButton.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTransparentPopUpButton : NSPopUpButton { } @end ././@LongLink0000000000000000000000000000015500000000000011566 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWAnchoredButtonCell.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWAnchoredButt0000644006131600613160000000036211361646373033342 0ustar bcpiercebcpierce// // BWAnchoredButtonCell.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWAnchoredButtonCell : NSButtonCell { } @end ././@LongLink0000000000000000000000000000015200000000000011563 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWStyledTextField.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWStyledTextFi0000644006131600613160000000124311361646373033347 0ustar bcpiercebcpierce// // BWStyledTextField.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWStyledTextField : NSTextField { } - (BOOL)hasGradient; - (void)setHasGradient:(BOOL)flag; - (NSColor *)startingColor; - (void)setStartingColor:(NSColor *)color; - (NSColor *)endingColor; - (void)setEndingColor:(NSColor *)color; - (NSColor *)solidColor; - (void)setSolidColor:(NSColor *)color; - (BOOL)hasShadow; - (void)setHasShadow:(BOOL)flag; - (BOOL)shadowIsBelow; - (void)setShadowIsBelow:(BOOL)flag; - (NSColor *)shadowColor; - (void)setShadowColor:(NSColor *)color; @end ././@LongLink0000000000000000000000000000015200000000000011563 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWSheetController.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWSheetControl0000644006131600613160000000170311361646373033371 0ustar bcpiercebcpierce// // BWSheetController.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWSheetController : NSObject { NSWindow *sheet; NSWindow *parentWindow; id delegate; } @property (nonatomic, retain) IBOutlet NSWindow *sheet, *parentWindow; @property (nonatomic, retain) IBOutlet id delegate; - (IBAction)openSheet:(id)sender; - (IBAction)closeSheet:(id)sender; - (IBAction)messageDelegateAndCloseSheet:(id)sender; // The optional delegate should implement the method: // - (BOOL)shouldCloseSheet:(id)sender // Return YES if you want the sheet to close after the button click, NO if it shouldn't close. The sender // object is the button that requested the close. This is helpful because in the event that there are multiple buttons // hooked up to the messageDelegateAndCloseSheet: method, you can distinguish which button called the method. @end ././@LongLink0000000000000000000000000000015600000000000011567 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWTransparentCheckbox.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWTransparentC0000644006131600613160000000035711361646373033370 0ustar bcpiercebcpierce// // BWTransparentCheckbox.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTransparentCheckbox : NSButton { } @end ././@LongLink0000000000000000000000000000015100000000000011562 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWTexturedSlider.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWTexturedSlid0000755006131600613160000000075711361646373033413 0ustar bcpiercebcpierce// // BWTexturedSlider.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTexturedSlider : NSSlider { int trackHeight, indicatorIndex; NSRect sliderCellRect; NSButton *minButton, *maxButton; } @property int indicatorIndex; @property (retain) NSButton *minButton; @property (retain) NSButton *maxButton; - (int)trackHeight; - (void)setTrackHeight:(int)newTrackHeight; @end ././@LongLink0000000000000000000000000000015700000000000011570 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWTransparentTableView.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWTransparentT0000644006131600613160000000036411361646373033407 0ustar bcpiercebcpierce// // BWTransparentTableView.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTransparentTableView : NSTableView { } @end ././@LongLink0000000000000000000000000000016000000000000011562 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWTransparentSliderCell.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWTransparentS0000644006131600613160000000040711361646373033404 0ustar bcpiercebcpierce// // BWTransparentSliderCell.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWTransparentSliderCell : NSSliderCell { BOOL isPressed; } @end ././@LongLink0000000000000000000000000000015400000000000011565 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWAnchoredButtonBar.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWAnchoredButt0000644006131600613160000000124011361646373033336 0ustar bcpiercebcpierce// // BWAnchoredButtonBar.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWAnchoredButtonBar : NSView { BOOL isResizable, isAtBottom, handleIsRightAligned; int selectedIndex; id splitViewDelegate; } @property BOOL isResizable, isAtBottom, handleIsRightAligned; @property int selectedIndex; // The mode of this bar with a resize handle makes use of some NSSplitView delegate methods. Use the splitViewDelegate for any custom delegate implementations // you'd like to provide. @property (assign) id splitViewDelegate; + (BOOL)wasBorderedBar; @end ././@LongLink0000000000000000000000000000015600000000000011567 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWAnchoredPopUpButton.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWAnchoredPopU0000644006131600613160000000060611361646373033310 0ustar bcpiercebcpierce// // BWAnchoredPopUpButton.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWAnchoredPopUpButton : NSPopUpButton { BOOL isAtLeftEdgeOfBar; BOOL isAtRightEdgeOfBar; NSPoint topAndLeftInset; } @property BOOL isAtLeftEdgeOfBar; @property BOOL isAtRightEdgeOfBar; @end ././@LongLink0000000000000000000000000000015300000000000011564 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWToolkitFramework.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWToolkitFrame0000644006131600613160000000267011361646373033364 0ustar bcpiercebcpierce// // BWToolkitFramework.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // // This is a convenience header for importing the BWToolkit framework into your classes. #import "BWAnchoredButton.h" #import "BWAnchoredButtonBar.h" #import "BWAnchoredButtonCell.h" #import "BWAnchoredPopUpButton.h" #import "BWAnchoredPopUpButtonCell.h" #import "BWGradientBox.h" #import "BWHyperlinkButton.h" #import "BWHyperlinkButtonCell.h" #import "BWInsetTextField.h" #import "BWSelectableToolbar.h" #import "BWSheetController.h" #import "BWSplitView.h" #import "BWStyledTextField.h" #import "BWStyledTextFieldCell.h" #import "BWTexturedSlider.h" #import "BWTexturedSliderCell.h" #import "BWTokenAttachmentCell.h" #import "BWTokenField.h" #import "BWTokenFieldCell.h" #import "BWToolbarItem.h" #import "BWToolbarShowColorsItem.h" #import "BWToolbarShowFontsItem.h" #import "BWTransparentButton.h" #import "BWTransparentButtonCell.h" #import "BWTransparentCheckbox.h" #import "BWTransparentCheckboxCell.h" #import "BWTransparentPopUpButton.h" #import "BWTransparentPopUpButtonCell.h" #import "BWTransparentScroller.h" #import "BWTransparentScrollView.h" #import "BWTransparentSlider.h" #import "BWTransparentSliderCell.h" #import "BWTransparentTableView.h" #import "BWTransparentTableViewCell.h" #import "BWTransparentTextFieldCell.h" #import "BWUnanchoredButton.h" #import "BWUnanchoredButtonCell.h" ././@LongLink0000000000000000000000000000015200000000000011563 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/NSTokenAttachment.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/NSTokenAttachm0000644006131600613160000000061511361646373033353 0ustar bcpiercebcpierce/* * Generated by class-dump 3.1.2. * * class-dump is Copyright (C) 1997-1998, 2000-2001, 2004-2007 by Steve Nygard. */ #import @interface NSTokenAttachment : NSTextAttachment { id _delegate; } - (id)initWithDelegate:(id)fp8; - (void)encodeWithCoder:(id)fp8; - (id)initWithCoder:(id)fp8; - (id)attachmentCell; - (id)delegate; - (void)setDelegate:(id)fp8; @end ././@LongLink0000000000000000000000000000015600000000000011567 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWHyperlinkButtonCell.hunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Headers/BWHyperlinkBut0000644006131600613160000000036211361646373033400 0ustar bcpiercebcpierce// // BWHyperlinkButtonCell.h // BWToolkit // // Created by Brandon Walkin (www.brandonwalkin.com) // All code is provided under the New BSD license. // #import @interface BWHyperlinkButtonCell : NSButtonCell { } @end unison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/0000755006131600613160000000000012050210655031164 5ustar bcpiercebcpierce././@LongLink0000000000000000000000000000017100000000000011564 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentSliderTrackRight.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentS0000644006131600613160000000047411361646373033556 0ustar bcpiercebcpierceMM*>0 L*?0 & &@$,(=RS4iHH././@LongLink0000000000000000000000000000017000000000000011563 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentScrollerKnobLeft.tifunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentS0000644006131600613160000000720011361646373033550 0ustar bcpiercebcpierceMM* P8 BH0  A!\TST24L0J@Ic/D6|hH?T'1z?@ 7J+%*\LdM$7[H0O\ j&R.4@R D<#ja` 2U(12=RS0is H8HHAdobe Photoshop CS4 Macintosh2008:11:02 20:27:55 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000016700000000000011571 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TexturedSliderSpeakerQuiet.pngunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TexturedSlid0000644006131600613160000000044211361646373033545 0ustar bcpiercebcpiercePNG  IHDR {D!tEXtSoftwareGraphicConverter (Intel)wIDATxb` ī@[GnE754nkj*RVQrSEUU$Z 7<)  RUS] ++{SFAlY( RdhdAJZ򦤔K!X HGOwY7!(fĂ() x PHX"B&OIENDB`././@LongLink0000000000000000000000000000017200000000000011565 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/GradientSplitViewDimpleBitmap.tifunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/GradientSpli0000644006131600613160000000674611361646373033527 0ustar bcpiercebcpierceMM*Z6 MX# ,-!A`/bA6N<@@P2*'V^(1f2=Sis HHHAdobe Photoshop CS3 Macintosh2008:02:01 16:09:56 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000016400000000000011566 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentCheckboxOnP.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentC0000644006131600613160000000144611361646373033536 0ustar bcpiercebcpierceMM*( P8$ A@ B8 OϤI򅁁 aTo928+(!s\ GtoĒ_0FL ZV*%HK$J1D~l5-4!tT 5A 6 KºP*L a^G [ |<r 7++B=.`. [eXKC2Y-Y**pE^[A0x;`QyV{n7[e|M.7 oҁ4Oh z!nEx[#x&dFm  D@" BT@\y^0gx!$,@%"O\T 1uaZ'B#YRQK,̄/LjYqws: &%H&#`9Ӵ.J&n[zr(dTxfrd#(%S `E<(򁝨ހ& $(=RSiHH././@LongLink0000000000000000000000000000016500000000000011567 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentSliderThumbP.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentS0000644006131600613160000000126011361646373033550 0ustar bcpiercebcpierceMM*  P8 )9 K (#1g.W UZR?O$ pa5]& $UDO S* m6@o6K_pL'~PgµXL@ VGN{pO+3 X}m1xE{3P @$.L:1*.>3y 6(⁞   & (=RSiHH././@LongLink0000000000000000000000000000016400000000000011566 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentCheckboxOnN.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentC0000644006131600613160000000141611361646373033533 0ustar bcpiercebcpierceMM* P8$ A zEQg$ISif`@ : `0h5Tj$bZꔊAs\$m6b1T ,A+\q5`V!O'va1(zTV `c ko|.GHk_0'A`tF-{_{á۬0*E6U Ķ+#|xvpG; ۶uRֻJ[Q|.Qs z 9BQ)f" 8nPV+jᒍE~^0q6HFJ܁rg1b @J{gz g  & (=RSiHH././@LongLink0000000000000000000000000000016300000000000011565 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/ButtonBarPullDownArrow.pdfunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/ButtonBarPul0000644006131600613160000002471611361646373033520 0ustar bcpiercebcpierce%PDF-1.7 % 1 0 obj <> endobj 12 0 obj <>stream application/pdf Adobe Photoshop CS3 Macintosh 2008-06-14T20:29:08-04:00 2008-06-14T20:29:31-04:00 2008-06-14T20:29:31-04:00 JPEG 3 5 /9j/4AAQSkZJRgABAgAASABIAAD/7QAMQWRvYmVfQ00AAf/uAA5BZG9iZQBkgAAAAAH/2wCEAAwI CAgJCAwJCQwRCwoLERUPDAwPFRgTExUTExgRDAwMDAwMEQwMDAwMDAwMDAwMDAwMDAwMDAwMDAwM DAwMDAwBDQsLDQ4NEA4OEBQODg4UFA4ODg4UEQwMDAwMEREMDAwMDAwRDAwMDAwMDAwMDAwMDAwM DAwMDAwMDAwMDAwMDP/AABEIAAMABQMBIgACEQEDEQH/3QAEAAH/xAE/AAABBQEBAQEBAQAAAAAA AAADAAECBAUGBwgJCgsBAAEFAQEBAQEBAAAAAAAAAAEAAgMEBQYHCAkKCxAAAQQBAwIEAgUHBggF AwwzAQACEQMEIRIxBUFRYRMicYEyBhSRobFCIyQVUsFiMzRygtFDByWSU/Dh8WNzNRaisoMmRJNU ZEXCo3Q2F9JV4mXys4TD03Xj80YnlKSFtJXE1OT0pbXF1eX1VmZ2hpamtsbW5vY3R1dnd4eXp7fH 1+f3EQACAgECBAQDBAUGBwcGBTUBAAIRAyExEgRBUWFxIhMFMoGRFKGxQiPBUtHwMyRi4XKCkkNT FWNzNPElBhaisoMHJjXC0kSTVKMXZEVVNnRl4vKzhMPTdePzRpSkhbSVxNTk9KW1xdXl9VZmdoaW prbG1ub2JzdHV2d3h5ent8f/2gAMAwEAAhEDEQA/AMyv7J+2b4/YW79s0z/Sdm708jbz7Ps3qb/5 v9X+2/zv6r6KS89SSU//2Q== uuid:3233F5DEE23BDD1188A5F807AAD5B5AB uuid:d364bcf4-ecbc-9348-b5a9-7f85a6b611f5 uuid:72448EAFE13BDD1188A5F807AAD5B5AB uuid:72448EAFE13BDD1188A5F807AAD5B5AB 1 720000/10000 720000/10000 2 256,257,258,259,262,274,277,284,530,531,282,283,296,301,318,319,529,532,306,270,271,272,305,315,33432;5F3E335AFF780C9D7CD7E1ADA05DBE38 5 3 1 36864,40960,40961,37121,37122,40962,40963,37510,40964,36867,36868,33434,33437,34850,34852,34855,34856,37377,37378,37379,37380,37381,37382,37383,37384,37385,37386,37396,41483,41484,41486,41487,41488,41492,41493,41495,41728,41729,41730,41985,41986,41987,41988,41989,41990,41991,41992,41993,41994,41995,41996,42016,0,2,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18,20,22,23,24,25,26,27,28,30;DECD3C4701D62E29B6EB81157F585A9F 3 sRGB IEC61966-2.1 Adobe Photoshop for Macintosh endstream endobj 2 0 obj <> endobj 5 0 obj <> endobj 7 0 obj <>stream q q 5 0 0 3 0 0 cm q 0.5000026 -0.0002287 m 0.0000771 1.0002303 l 0.9999280 1.0002303 l 0.5000026 -0.0002287 l h W n /Im0 Do Q Q Q endstream endobj 8 0 obj <>/ColorSpace<>/ProcSet[/PDF/Text/ImageB/ImageC/ImageI]/ExtGState<>>>>> endobj 10 0 obj [/ICCBased 9 0 R] endobj 9 0 obj <>stream HyTSwoɞc [5, BHBK!aPVX=u:XKèZ\;v^N߽~w.MhaUZ>31[_& (DԬlK/jq'VOV?:OsRUzdWRab5? Ζ&VϳS7Trc3MQ]Ymc:B :Ŀ9ᝩ*UUZ<"2V[4ZLOMa?\⎽"?.KH6|zӷJ.Hǟy~Nϳ}Vdfc n~Y&+`;A4I d|(@zPZ@;=`=v0v <\$ x ^AD W P$@P>T !-dZP C; t @A/a<v}a1'X Mp'G}a|OY 48"BDH4)EH+ҍ "~rL"(*DQ)*E]a4zBgE#jB=0HIpp0MxJ$D1(%ˉ^Vq%],D"y"Hi$9@"m!#}FL&='dr%w{ȟ/_QXWJ%4R(cci+**FPvu? 6 Fs2hriStݓ.ҍu_џ0 7F4a`cfb|xn51)F]6{̤0]1̥& "rcIXrV+kuu5E4v}}Cq9JN')].uJ  wG x2^9{oƜchk`>b$eJ~ :Eb~,m,-Uݖ,Y¬*6X[ݱF=3뭷Y~dó Qti zf6~`{v.Ng#{}}c1X%6fmFN9NN8SΥ'g\\R]Z\t]\7u}&ps[6v_`) {Q5W=b _zžAe#``/VKPo !]#N}R|:|}n=/ȯo#JuW_ `$ 6+P-AܠԠUA' %8佐b8]+<q苰0C +_ XZ0nSPEUJ#JK#ʢi$aͷ**>2@ꨖОnu&kj6;k%G PApѳqM㽦5͊---SbhZKZO9uM/O\^W8i׹ĕ{̺]7Vھ]Y=&`͖5_ Ыbhו ۶^ Mw7n<< t|hӹ훩' ZL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km  endstream endobj 6 0 obj <>stream endstream endobj 11 0 obj <> endobj xref 0 13 0000000003 65535 f 0000000016 00000 n 0000006676 00000 n 0000000004 00001 f 0000000000 00000 f 0000006727 00000 n 0000009859 00000 n 0000006851 00000 n 0000007032 00000 n 0000007211 00000 n 0000007177 00000 n 0000010121 00000 n 0000000077 00000 n trailer <<10B89CB6AA9C4EF8AF41B07220157CA1>]>> startxref 10293 %%EOF ././@LongLink0000000000000000000000000000016300000000000011565 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentPopUpLeftP.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentP0000644006131600613160000000105411361646373033546 0ustar bcpiercebcpierceMM*. P0H% EtZ. @X" PdY|g'@# /7@ʕZ8t҉L+ZF]ԣTEAh4*4aQgvf $̿GF% oGXx`/k ]PpY񗅢^ $k Z>hB @+qo7鈘CTֳ%p_|7ܪ10Dp@ 'Ű0 Fp  &U(=RS$iHH././@LongLink0000000000000000000000000000016300000000000011565 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentPopUpLeftN.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentP0000644006131600613160000000105411361646373033546 0ustar bcpiercebcpierceMM*. P02 C>p@ JAlzL%,Lu*G0qܤ/+)ˊ9Yi98h.،&J>u>tzh61 B`. {Dؼ 'Ű0 H@p0 &U(=RS$iHH././@LongLink0000000000000000000000000000020000000000000011555 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentScrollerKnobVerticalFill.tifunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentS0000644006131600613160000000676411361646373033566 0ustar bcpiercebcpierceMM*X Ip=P-|D@B%|ѰR^<Ȁ Z2 &bj(1r2=RSis HHHAdobe Photoshop CS3 Macintosh2008:09:06 02:10:41 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000016300000000000011565 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentPopUpFillP.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentP0000644006131600613160000000057411361646373033554 0ustar bcpiercebcpierceMM*~-W ]2NɤA$K#Q4%GZ CO4?Nv;M#n7LQg33 #\&Xdl(=RStiHH././@LongLink0000000000000000000000000000016500000000000011567 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentButtonRightP.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentB0000644006131600613160000000137611361646373033537 0ustar bcpiercebcpierceMM* +Uu6[-vIg,v ,F_v8M'@,JAK5m.E>^Î?cĢY4``1}Te^cA$KPk@H*Q56f/g(zM'[x=o<Ѩ:,uQh} Q"a 2Ba@Ux%Rh CnR7V{Z/ $I?k@ `1Dyz=r4Ph4" M1s;Sp<7A$zn9qxfPپȘ5s @6{RGd9:#(5 M(>!(e-8n C 3h:rS:8g2Cl( .p'0\塺ᜎIXW rY}3yd9&j8l#ZȎ='+X(0  & (=RSiHH././@LongLink0000000000000000000000000000016300000000000011565 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentPopUpFillN.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentP0000644006131600613160000000057011361646373033550 0ustar bcpiercebcpierceMM*zOhZ.0bR*.rАH%,D""x<)Ҁd2&BbHL(#fD@tԂ S|:A4} 0X&S`h(=RSpiHH././@LongLink0000000000000000000000000000016500000000000011567 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentButtonRightN.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentB0000644006131600613160000000140611361646373033531 0ustar bcpiercebcpierceMM* +Uu6[-vIg,v ,F_v84 0P‚A 2y<˅dg3qz8* ^1$1bLT0WՌq EE%t"qHnL%Sbx& U^0DQ8iCbϗ\JX@[6T!|@U&@%,P %9f7҆Q%C!7}]A dZ5$iPXϢxc*c(GOd20Ǻ h: E|]̡L4@pv$!Gd9: d<HR4A(e-8nQzćx¸*9FnEN JZg"n8g#RxV~kFgIc|ᰎjD#8v#"8o#=.b8|8z#2LJ & (=RSiHH././@LongLink0000000000000000000000000000017100000000000011564 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentScrollerSlotRight.tifunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentS0000644006131600613160000000717611361646373033564 0ustar bcpiercebcpierceMM* Chu]0W0,}F^V ( ^ҷ JyN@d3?CG GELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Kmunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/Info.plist0000644006131600613160000000125711361646373033157 0ustar bcpiercebcpierce CFBundleDevelopmentRegion English CFBundleExecutable BWToolkitFramework CFBundleIdentifier com.brandonwalkin.BWToolkitFramework CFBundleInfoDictionaryVersion 6.0 CFBundlePackageType FMWK CFBundleSignature ???? CFBundleVersion 1.2.5 NSPrincipalClass BWToolkit ././@LongLink0000000000000000000000000000015600000000000011567 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/ToolbarItemFonts.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/ToolbarItemF0000644006131600613160000000561411361646373033462 0ustar bcpiercebcpierceMM* P8$ BaPd6DbQ8p,"F])HdP`䕴"޲܎]/A3nlrOO*c?DT0RB.bO#jU8H:vVP`_g8CjD6.wYSmk7@7qCg5{Dk U"9X}2;La0z\!6BaI=zzpgڮ$' Kߜ W!8:{Ht*CuDMb\)2r_J|%ΫqwrC 4<*?Q /,9''* q Fxx-1eL 7#gQ/r3D'|坣LMI \."7r:*B:PwQ.d%n '+\H%gYB' Poͨc1DFtQHO~0dH(\H2]̏F\2=ιZ H0FmX]3_֪VH ,Uc@Du 0"L_HJYD0kl!a4P_1_ )@g}46iWUOzÀO gOG1$9$wNF/yz@bbP @ GN@@ 2 (12=RS,is H4HHAdobe Photoshop CS3 Macintosh2008:09:06 02:03:44 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000016400000000000011566 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentButtonLeftP.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentB0000644006131600613160000000125411361646373033532 0ustar bcpiercebcpierceMM*  P8$Aca~.F"q8J h1 Q03s8 ? toW5G$39fGڭH!!S@דZ@j6ʎ' i@i.[x$VQ0*^KmS<yeEf+I%H{ӣ0Pa1S~|$@c2j` Oj, 1Wa.Elr EJ|=FPPD @va>@ 5>]!@PLl`3Wd4O3) `,("@.znS= bN ʸ/'Bsv;/',1 ǒڂ@q `}gn\%!C~h ; 4 8 1sLdA4e@z_)*`PaPVa FhNni ʴ0 ,IAN{Oy`tA `(h6 \sp+I%H:pK8nKUz]3h $E8u<ٌJb0 , I ju6KFj.(bb.eQRSfAb1mhd BB@mj9mFsj `0rpb H ` @j a `'6: @Z `J  & (=RSiHH././@LongLink0000000000000000000000000000016700000000000011571 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentScrollerSlotTop.tifunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentS0000644006131600613160000000717011361646373033556 0ustar bcpiercebcpierceMM*  P8  p0T v07- ѰH< '>eOxr!@`6h |'O03֌yR^p6l 7!jO=? ]~@ Nm@ hHozV4^tg1w@ *Cq]ں>A 2 (12=RS(is H0HHAdobe Photoshop CS3 Macintosh2008:09:06 02:04:47 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000016500000000000011567 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TexturedSliderPhotoLarge.tifunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TexturedSlid0000644006131600613160000000117211361646373033546 0ustar bcpiercebcpierceMM*| OT2 Db0 6 DBR_O@ Q#/lU4mQ8);$D[w@M@^ [)|e.?ֆ: ?= @ ۧAr͂ 6HD۰Z٠$_j4}8@>y!d^+C0/$2 A J$$BGP2$( 1#. I  Z&Vbj(=RSriHH././@LongLink0000000000000000000000000000016200000000000011564 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TexturedSliderThumbN.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TexturedSlid0000644006131600613160000000153011361646373033544 0ustar bcpiercebcpierceMM*  P8J L"8a!6,gFS HG"'e@0J>0Pa1S~|$@c2j` Oj, 1Wa.Elr EJ|=FPPD @v)d@Lf5vAs<2X,M$kc⭠w;k%OCX0/@V> $Psv;/', hc}npePi( @6hsfP^ F #XTH@ %In`)*~K: `X ggAasm [?AYCˑkg1piR8v  2 (12<=RSPiHHAdobe Photoshop CS3 Macintosh2008:03:22 17:01:03unison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/License.rtf0000644006131600613160000000434711361646373033311 0ustar bcpiercebcpierce{\rtf1\ansi\ansicpg1252\cocoartf1038\cocoasubrtf250 {\fonttbl\f0\fnil\fcharset0 Verdana;\f1\fnil\fcharset0 LucidaGrande;} {\colortbl;\red255\green255\blue255;\red73\green73\blue73;} {\*\listtable{\list\listtemplateid1\listhybrid{\listlevel\levelnfc23\levelnfcn23\leveljc0\leveljcn0\levelfollow0\levelstartat1\levelspace360\levelindent0{\*\levelmarker \{disc\}}{\leveltext\leveltemplateid1\'01\uc0\u8226 ;}{\levelnumbers;}\fi-360\li720\lin720 }{\listname ;}\listid1}} {\*\listoverridetable{\listoverride\listid1\listoverridecount0\ls1}} \deftab720 \pard\pardeftab720\sl400\sa280\ql\qnatural \f0\fs24 \cf2 Copyright (c) 2010, Brandon Walkin \f1 \uc0\u8232 \f0 All rights reserved.\ Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met:\ \pard\tx220\tx720\pardeftab720\li720\fi-720\sl400\sa20\ql\qnatural \ls1\ilvl0\cf2 {\listtext \'95 }Redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer.\ {\listtext \'95 }Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution.\ {\listtext \'95 }Neither the name of the Brandon Walkin nor the names of its contributors may be used to endorse or promote products derived from this software without specific prior written permission.\ \pard\pardeftab720\sl400\sa280\ql\qnatural \cf2 THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.}././@LongLink0000000000000000000000000000020200000000000011557 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentScrollerSlotHorizontalFill.tifunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentS0000644006131600613160000000676611361646373033570 0ustar bcpiercebcpierceMM*Z Cp~ f3 FaȠ=Pp@ \2'dl(1t2=RSis HHHAdobe Photoshop CS4 Macintosh2008:11:02 20:23:10 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000016400000000000011566 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentButtonFillP.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentB0000644006131600613160000000057411361646373033536 0ustar bcpiercebcpierceMM*~-W ]2NɤA$K#Q4%GZ CO4?Nv;M#n7LQg33 #\&Xdl(=RStiHH././@LongLink0000000000000000000000000000016500000000000011567 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentCheckboxOffP.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentC0000644006131600613160000000107611361646373033535 0ustar bcpiercebcpierceMM*@ P8$ BaP@! L*M34.-IQho/d^\&ABK$J1D~l5-} ( 0#M[.W Q0O,F%b5aWj(zC! U rx[]%"!(z_^KGGUʅFF.O) zRQgRx-VjsvaL&K&XA$L8 16 ~ tE[-2G d@0?o& $&.(=RS6iHH././@LongLink0000000000000000000000000000017300000000000011566 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentPopUpPullDownRightP.tifunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentP0000644006131600613160000000147011361646373033550 0ustar bcpiercebcpierceMM*-W  BaPd6{=_ 6ARmi%):M'BR( @pau@LY4hTh4nvH$jV*\N2#Q4^g "a,A6"Qh}C F qCw|$^1 / a1q>h:z^.$aGYbGe\p91gWv@Lf+ tCajӔt;|\v< 1gSvp7va3Zv H\Yv;dZF-ldtĒN,7C%"@&X5t `(,X3CT €ɐ  Ø2 <6DD? 1j :PT_)FD ꄈ(hHDjEg묤999ڃȃ9惝<2(12=RS0iHHAdobe Photoshop CS3 Macintosh2008:07:16 04:33:00././@LongLink0000000000000000000000000000016400000000000011566 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentButtonFillN.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentB0000644006131600613160000000057011361646373033532 0ustar bcpiercebcpierceMM*z-W Z.0bR*.rАH%,D""x<)Ҁd2&BbHL(#fD@tԂ S|:A4} 0X&S`h(=RSpiHH././@LongLink0000000000000000000000000000016500000000000011567 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentCheckboxOffN.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentC0000644006131600613160000000110211361646373033523 0ustar bcpiercebcpierceMM*D P8$ BaP@! L*M34.-IQh"EW#//Cau& Q#_gZzaGQSi(ΚV@ dN8jfI-Z%U$G MMJd0iq>9_<]+"p TwcI fX*:V?C,oB" KlIDÉso J[Ku!`c(;x6D  | ``n"& $*2(=RS:iHH././@LongLink0000000000000000000000000000017300000000000011566 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentPopUpPullDownRightN.tifunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentP0000644006131600613160000000145211361646373033550 0ustar bcpiercebcpierceMM*Oh BaPd6|n b0nw; E :M'BP(2 a@9RR,#fV,/hT:|@!@VQ "W@" GQ)XZ@2dLBbA jQ rآWD"" (,»<8ilacCB"Q3T0K4mF`_11y6A'\.M&q PELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000017500000000000011570 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentSliderTriangleThumbP.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentS0000644006131600613160000000240211361646373033547 0ustar bcpiercebcpierceMM* P0N'&C9F# `8Vnie4lڑhE(I"MgOñJ⊊U*ŒI d*D`0T'mxj_v2cN0K$kP&T^fWFZfA506Ta__;,aQ1vq8QrPF].VZϙfpYx[,p6TT_1W*x;9} 6AE!p&T9% V\500ؿXRU5 ȧH#=Hg>` fUgœ aC@80Fz98* at (1e#&i>TBH_%F2d- Q3SL-ˈ&(=RS҇is(HH(ADBEmntrRGB XYZ acspAPPLnone-ADBE cprt2desc0dwtptbkptrTRCgTRCbTRCrXYZgXYZbXYZtextCopyright 1999 Adobe Systems Incorporateddesc Apple RGBXYZ QXYZ curvcurvcurvXYZ yARXYZ V/XYZ &"p././@LongLink0000000000000000000000000000017100000000000011564 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentScrollerKnobRight.tifunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentS0000644006131600613160000000721411361646373033555 0ustar bcpiercebcpierceMM* I0CQ6,eF]Ḳ았+\CZ1g7fD@)%?2(NpNgQE45yJ:,_blUX&Z@ bo@ ټ:W7YŃA%Bqc9ւ߭{H$L>v aPȌB# 2U(1 2(=RSELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000017500000000000011570 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentSliderTriangleThumbN.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentS0000644006131600613160000000237011361646373033553 0ustar bcpiercebcpierceMM* P0N'&C9F# `8Vnie4lڑhE(߯/I&Q0 'إqEE*b$hdgOT_xW*6TZ\/KOEHRH M8f-e@jKE0v4%@1Q~U*|U)[B*.R~D|r`>F"WHiEEJrhvD >#|H!=B0{R& mhrKVic +\ &c OV @M=AhՀ b;. Y&"\ftTEdaQ 4r( f䢁D!r12&(=RSȇis(HH(ADBEmntrRGB XYZ acspAPPLnone-ADBE cprt2desc0dwtptbkptrTRCgTRCbTRCrXYZgXYZbXYZtextCopyright 1999 Adobe Systems Incorporateddesc Apple RGBXYZ QXYZ curvcurvcurvXYZ yARXYZ V/XYZ &"p././@LongLink0000000000000000000000000000016400000000000011566 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/Library-SheetController.tifunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/Library-Shee0000644006131600613160000001605211361646373033417 0ustar bcpiercebcpierceMM*00 P8$ BaPd6DbQ8V-FcQv* cax ''# E _;M-)|-v=OT`B0bA C8 '}?@.7j?G$pͦ+`_fϩdrP1`>0A1]>=^@*PF@``X+?^\`dv4 H%WϭF兓D{ Krpdp` j~KYZZk{ajdyd@{^`IRIpz @d  w`p A`YAhк܇h2,0(spqI $r'f zB,y@P& m G J Sb4.,&+Hٯv^i`9x{1/fQVQ('"0u( GN/ uRSUDV̋Y.:.-G`Ix =C(p#`&uheMHD R9b vUr'Y^s2|_&^eZyΘ*Š6EJb((^ 6t{͸. nG(+ V&JS+Q{]hVV 4_+TEzf/~6N`.É&||@BC0y@ʀ>xL{ Fewh1dTn|@Pս*'p)-MPaЇ:d A(#.R 88! p9& BCpmH˹o B.e+F!H M 64#=#"i.P:GhPNrL{xq"b@ C xQvD` ~F3Y'#4E:XR;x-@ `c=lS/! gH\ü7\Lix|0EIg*L(T)BPNE AT#D@X#7q];9 U  f͂NS/K̊`r :xi<hiԨI4M 7D#~0 It 6@!>+9vhP,_`o!4`S ,7P= cH@蹳B0.bx5hȼ2:D4[*z@!17$XAVA$H`s 4LX<0 G&|bj}.^@ 1ӂe?xo*L]-N{4M2-ț)Lxr\gk KmP IZRFT"PV*r512^ p. ~ vsR&dF !m&ISg62g{2LK0r718ӌDI $32NBfn3r&& @j4a$J@sE]&eS&6^0&w0I8 *!  " K譴$):#_2k.CP `&@܅ op S4_.3%FfXw_%?2:gDZ`aHF A hFDRB1+EoS373s h VРf fMMn 6sHn2oFs?w?KGî!Q^VI d~9CBt2u(~~вn.5< jf%D@@xj`NESNs.j&n^v!Ak"Q 5"5%JRҶ"1S4 ri&/C[0v@@`Zj<AV&G]`@&:\A'#BR e)ρa4:Rb'Vj$bv-'ϯaRraS:'pZUS6)O(pmV2"002\(12=RSڇis HHHAdobe Photoshop CS3 Macintosh2008:07:04 16:58:08 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000016500000000000011567 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TexturedSliderTrackLeft.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TexturedSlid0000644006131600613160000000060211361646373033543 0ustar bcpiercebcpierceMM* Bp<PXGTTp4B %/1&MJG0^\? BR5dc|"~f,&  C@@b&U]jr(=RSziHH././@LongLink0000000000000000000000000000017000000000000011563 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentSliderTrackLeft.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentS0000644006131600613160000000047411361646373033556 0ustar bcpiercebcpierceMM*>`ES\0& &@$,(=RS4iHH././@LongLink0000000000000000000000000000020000000000000011555 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentScrollerSlotVerticalFill.tifunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentS0000644006131600613160000000676211361646373033564 0ustar bcpiercebcpierceMM*V  Cp=PL}FAx X2 #`h(1p2=RSis HHHAdobe Photoshop CS3 Macintosh2008:09:06 02:10:16 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000016500000000000011567 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TexturedSliderPhotoSmall.tifunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TexturedSlid0000644006131600613160000000072411361646373033550 0ustar bcpiercebcpierceMM* P8$ BaPd6DbQ8(o`j5?r4 xAʘ`ɣ_7@Te2\ndg)-u9<胚_,OmvZѩ=W@@ DW#@4G-faP &(=RṠiHH././@LongLink0000000000000000000000000000016400000000000011566 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentPopUpRightP.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentP0000644006131600613160000000145611361646373033554 0ustar bcpiercebcpierceMM*0-W  BaPd6{=_ 6ARmi%):M'BR( @pau@LY4hTh4nvH$jV*\N2#Q4^gr  EY lD|pY`b26 F Cuwt\ǎw3. $r9%0i8ht=]qEJ&AyWGATx<o& z=UPv&R:R j +p8c쫢cu'H6 +G(t\$-7Ct8>lf.&h0 ' $ Bh #X71sBπ(::QQ H$" (hHDjEg919ڃ@9惝K34r?p.DL&$,(=RS4iHH././@LongLink0000000000000000000000000000017200000000000011565 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/GradientSplitViewDimpleVector.pdfunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/GradientSpli0000644006131600613160000002662311361646373033523 0ustar bcpiercebcpierce%PDF-1.7 % 1 0 obj <> endobj 12 0 obj <>stream application/pdf Adobe Photoshop CS3 Macintosh 2008-02-16T21:30:46-05:00 2008-02-16T21:30:59-05:00 2008-02-16T21:30:59-05:00 JPEG 16 16 /9j/4AAQSkZJRgABAgAASABIAAD/7QAMQWRvYmVfQ00AAf/uAA5BZG9iZQBkgAAAAAH/2wCEAAwI CAgJCAwJCQwRCwoLERUPDAwPFRgTExUTExgRDAwMDAwMEQwMDAwMDAwMDAwMDAwMDAwMDAwMDAwM DAwMDAwBDQsLDQ4NEA4OEBQODg4UFA4ODg4UEQwMDAwMEREMDAwMDAwRDAwMDAwMDAwMDAwMDAwM DAwMDAwMDAwMDAwMDP/AABEIABAAEAMBIgACEQEDEQH/3QAEAAH/xAE/AAABBQEBAQEBAQAAAAAA AAADAAECBAUGBwgJCgsBAAEFAQEBAQEBAAAAAAAAAAEAAgMEBQYHCAkKCxAAAQQBAwIEAgUHBggF AwwzAQACEQMEIRIxBUFRYRMicYEyBhSRobFCIyQVUsFiMzRygtFDByWSU/Dh8WNzNRaisoMmRJNU ZEXCo3Q2F9JV4mXys4TD03Xj80YnlKSFtJXE1OT0pbXF1eX1VmZ2hpamtsbW5vY3R1dnd4eXp7fH 1+f3EQACAgECBAQDBAUGBwcGBTUBAAIRAyExEgRBUWFxIhMFMoGRFKGxQiPBUtHwMyRi4XKCkkNT FWNzNPElBhaisoMHJjXC0kSTVKMXZEVVNnRl4vKzhMPTdePzRpSkhbSVxNTk9KW1xdXl9VZmdoaW prbG1ub2JzdHV2d3h5ent8f/2gAMAwEAAhEDEQA/AOpzLsjqlznPeRjgkV1DQR+8795zksO7J6Xc xzHk45IFlR1EfvN/dc1XLcN+FY5rmn0STseOI8ClVhvzbGta0+kCC954jwCSn//Z uuid:7750097D68DEDC11BB92BDC6FD4C7FBA uuid:d55aa6fe-4f87-9045-bedc-eced5d1cc5dd uuid:7650097D68DEDC11BB92BDC6FD4C7FBA uuid:7650097D68DEDC11BB92BDC6FD4C7FBA 1 720000/10000 720000/10000 2 256,257,258,259,262,274,277,284,530,531,282,283,296,301,318,319,529,532,306,270,271,272,305,315,33432;6484DE694EED10FCB1360A97BFC32F0A 16 16 1 36864,40960,40961,37121,37122,40962,40963,37510,40964,36867,36868,33434,33437,34850,34852,34855,34856,37377,37378,37379,37380,37381,37382,37383,37384,37385,37386,37396,41483,41484,41486,41487,41488,41492,41493,41495,41728,41729,41730,41985,41986,41987,41988,41989,41990,41991,41992,41993,41994,41995,41996,42016,0,2,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18,20,22,23,24,25,26,27,28,30;26EC271C894309D0BBA2E3379EE65237 3 sRGB IEC61966-2.1 Adobe Photoshop for Macintosh endstream endobj 2 0 obj <> endobj 5 0 obj <> endobj 7 0 obj <>stream q q 16 0 0 16 0 0 cm q 0.4999998 1.0000093 m 0.7761371 1.0000093 1.0000090 0.7761374 1.0000090 0.5000001 c 1.0000090 0.2238628 0.7761371 -0.0000091 0.4999998 -0.0000091 c 0.2238625 -0.0000091 -0.0000094 0.2238628 -0.0000094 0.5000001 c -0.0000094 0.7761374 0.2238625 1.0000093 0.4999998 1.0000093 c h W* n /Im0 Do Q Q Q endstream endobj 8 0 obj <>/ColorSpace<>/ProcSet[/PDF/Text/ImageB/ImageC/ImageI]/ExtGState<>>>>> endobj 10 0 obj [/ICCBased 9 0 R] endobj 9 0 obj <>stream HyTSwoɞc [5, BHBK!aPVX=u:XKèZ\;v^N߽~w.MhaUZ>31[_& (DԬlK/jq'VOV?:OsRUzdWRab5? Ζ&VϳS7Trc3MQ]Ymc:B :Ŀ9ᝩ*UUZ<"2V[4ZLOMa?\⎽"?.KH6|zӷJ.Hǟy~Nϳ}Vdfc n~Y&+`;A4I d|(@zPZ@;=`=v0v <\$ x ^AD W P$@P>T !-dZP C; t @A/a<v}a1'X Mp'G}a|OY 48"BDH4)EH+ҍ "~rL"(*DQ)*E]a4zBgE#jB=0HIpp0MxJ$D1(%ˉ^Vq%],D"y"Hi$9@"m!#}FL&='dr%w{ȟ/_QXWJ%4R(cci+**FPvu? 6 Fs2hriStݓ.ҍu_џ0 7F4a`cfb|xn51)F]6{̤0]1̥& "rcIXrV+kuu5E4v}}Cq9JN')].uJ  wG x2^9{oƜchk`>b$eJ~ :Eb~,m,-Uݖ,Y¬*6X[ݱF=3뭷Y~dó Qti zf6~`{v.Ng#{}}c1X%6fmFN9NN8SΥ'g\\R]Z\t]\7u}&ps[6v_`) {Q5W=b _zžAe#``/VKPo !]#N}R|:|}n=/ȯo#JuW_ `$ 6+P-AܠԠUA' %8佐b8]+<q苰0C +_ XZ0nSPEUJ#JK#ʢi$aͷ**>2@ꨖОnu&kj6;k%G PApѳqM㽦5͊---SbhZKZO9uM/O\^W8i׹ĕ{̺]7Vھ]Y=&`͖5_ Ыbhו ۶^ Mw7n<< t|hӹ훩' ZL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km  endstream endobj 6 0 obj <>stream rrruuuyyy~~~~~~yyyuuurrrwww||||||www}}}}}}¿úżżĺǿ¾ endstream endobj 11 0 obj <> endobj xref 0 13 0000000003 65535 f 0000000016 00000 n 0000006720 00000 n 0000000004 00001 f 0000000000 00000 f 0000006771 00000 n 0000010096 00000 n 0000006899 00000 n 0000007269 00000 n 0000007448 00000 n 0000007414 00000 n 0000011086 00000 n 0000000077 00000 n trailer <<4866DB5336014798BED9528D03CDD3B2>]>> startxref 11258 %%EOF ././@LongLink0000000000000000000000000000015700000000000011570 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/ToolbarItemColors.tiffunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/ToolbarItemC0000644006131600613160000001243211361646373033453 0ustar bcpiercebcpierceMM* P8$ BaPd6DbQ8V-@@@$,  0@];]N%.b@xg ġN#a`2H|=Kr8/vcj3Zmh@ yGA`P&9˄apP$@ࠈ wooA_]0QJޏGKZX96!ۮ1 DJ Pf?@}xu$@Fzfɜux:AH`MЂ' 0.&~ } @I}Gqv za~#n)IxKCh8J @PBqY! ,@ X,o=G^҉3Cs0r_)Gg~dl9qt@, 9^  9qt h +A1zI!{Ɏe2ÜJsrc>\1d>o%Q _%= 5D 8NY `2h(# P ~ ]u >Zr0h @>XiB)f*7  Y(xOI?P n`@EP40,d~&eUt\PXßv~єfǹ `! X<42!AQn/8ʏ `ݱ}rKGYs'tox@N>rG pCA~" GByg:G5$&Qc>\`9` qsL7'XwA4DC>  ": m6}1VjQPp@ Hx2=cS,t<⹀&/E"PH33 d,EpaXC6$N bX 9sK.FR]vp'Zc)'OoKC* EB|C ! @ &D/H7!|Fd(G,때z.<[9Ps`8p+Ckb@ w  fQ<&D='D[:9d(y%Aw=S}.*RLqhtIv m*[x} DDx;pR >d87V[xl ;:|5QM# RD{ < du5&{Q2,`qЈd$<u!FRp~`2?O@UTr&UҊ@ x$@;W5U0?t#et-k TA< . ,ɊYg?J)ԢɈHv@ՎjNC1ʇN J7Hn  X.A0`y -Y5SD♫ RGgLSؗG/"BtN` "JC,MqT@$Lq w <"0=Ă6, -n@ŤYwanO;Bm e@!aK8I$ØF$(B @C " `?ysx X p5ʀϟ3Rx | ~|@N01l@Bb?q7@(c_J C[R3O_^ >h*8>"(l)A4@@ C `2}MIzSF)X.1L%)8P¼K^70e*B'8b!0fqd '3 m%C@,x=`j%ƟL<LA @+ `` tO"`{2@N0"t .D,!pHH- H A~ @0`l.ݐ zXk؅"gh$+6bH>P@ro, n"c*"4ʤ!?zI'"O!ovG'#k knPPgJV kG9m@ǂ & #  P 6pt KJ'ĹR슐 U(12=RSs(HHAdobe Photoshop CS3 Macintosh2008:09:08 11:59:57(ADBEmntrRGB XYZ acspAPPLnone-ADBE cprt2desc0dwtptbkptrTRCgTRCbTRCrXYZgXYZbXYZtextCopyright 1999 Adobe Systems Incorporateddesc Apple RGBXYZ QXYZ curvcurvcurvXYZ yARXYZ V/XYZ &"p././@LongLink0000000000000000000000000000016600000000000011570 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TexturedSliderSpeakerLoud.pngunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TexturedSlid0000644006131600613160000000075311361646373033552 0ustar bcpiercebcpiercePNG  IHDR r|!tEXtSoftwareGraphicConverter (Intel)wIDATxb` Uo`p/ghdدooUMmm&m)__Nmu%Q4hhTb_]S(S`QEeESTeU***72`&5qqɡ=FFFn""i  Z5qDGgϙmzAVV , MN.MftYes RR7%oJJk]\PPPYb7AXB˗ff+6544 %@EDEn0ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000016700000000000011571 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentScrollerKnobTop.tifunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentS0000644006131600613160000000722211361646373033554 0ustar bcpiercebcpierceMM*  P8 @P\O%_PX,6M$ tW' %@<֘;W7l?P0X&|޸7 Z؋,R5,JfGN<F9NiV4 2 (12.=RSBis HJHHAdobe Photoshop CS3 Macintosh2008:09:06 02:01:14 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000020200000000000011557 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentScrollerKnobHorizontalFill.tifunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/TransparentS0000644006131600613160000000676611361646373033570 0ustar bcpiercebcpierceMM*Z I|3жa4DY0fPsXO@@ \2'dl(1t2=RSis HHHAdobe Photoshop CS4 Macintosh2008:11:02 20:27:32 HLinomntrRGB XYZ  1acspMSFTIEC sRGB-HP cprtP3desclwtptbkptrXYZgXYZ,bXYZ@dmndTpdmddvuedLview$lumimeas $tech0 rTRC< gTRC< bTRC< textCopyright (c) 1998 Hewlett-Packard CompanydescsRGB IEC61966-2.1sRGB IEC61966-2.1XYZ QXYZ XYZ o8XYZ bXYZ $descIEC http://www.iec.chIEC http://www.iec.chdesc.IEC 61966-2.1 Default RGB colour space - sRGB.IEC 61966-2.1 Default RGB colour space - sRGBdesc,Reference Viewing Condition in IEC61966-2.1,Reference Viewing Condition in IEC61966-2.1view_. \XYZ L VPWmeassig CRT curv #(-27;@EJOTY^chmrw| %+28>ELRY`gnu| &/8AKT]gqz !-8COZfr~ -;HUcq~ +:IXgw'7HYj{+=Oat 2FZn  % : O d y  ' = T j " 9 Q i  * C \ u & @ Z t .Id %A^z &Ca~1Om&Ed#Cc'Ij4Vx&IlAe@e Ek*Qw;c*R{Gp@j>i  A l !!H!u!!!"'"U"""# #8#f###$$M$|$$% %8%h%%%&'&W&&&''I'z''( (?(q(())8)k))**5*h**++6+i++,,9,n,,- -A-v--..L.../$/Z///050l0011J1112*2c223 3F3334+4e4455M555676r667$7`7788P8899B999:6:t::;-;k;;<' >`>>?!?a??@#@d@@A)AjAAB0BrBBC:C}CDDGDDEEUEEF"FgFFG5G{GHHKHHIIcIIJ7J}JK KSKKL*LrLMMJMMN%NnNOOIOOP'PqPQQPQQR1R|RSS_SSTBTTU(UuUVV\VVWDWWX/X}XYYiYZZVZZ[E[[\5\\]']x]^^l^__a_``W``aOaabIbbcCccd@dde=eef=ffg=ggh?hhiCiijHjjkOkklWlmm`mnnknooxop+ppq:qqrKrss]sttptu(uuv>vvwVwxxnxy*yyzFz{{c{|!||}A}~~b~#G k͂0WGrׇ;iΉ3dʋ0cʍ1fΏ6n֑?zM _ɖ4 uL$h՛BdҞ@iءG&vVǥ8nRĩ7u\ЭD-u`ֲK³8%yhYѹJº;.! zpg_XQKFAǿ=ȼ:ɹ8ʷ6˶5̵5͵6ζ7ϸ9к<Ѿ?DINU\dlvۀ܊ݖޢ)߯6DScs 2F[p(@Xr4Pm8Ww)Km././@LongLink0000000000000000000000000000015200000000000011563 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/Release Notes.rtfunison-2.40.102/uimacnew09/Frameworks/BWToolkitFramework.framework/Versions/A/Resources/Release Note0000644006131600613160000001005211361646373033371 0ustar bcpiercebcpierce{\rtf1\ansi\ansicpg1252\cocoartf1038\cocoasubrtf250 {\fonttbl\f0\fswiss\fcharset0 Helvetica;\f1\fnil\fcharset0 Monaco;} {\colortbl;\red255\green255\blue255;\red100\green56\blue32;\red196\green26\blue22;} {\*\listtable{\list\listtemplateid1\listhybrid{\listlevel\levelnfc23\levelnfcn23\leveljc0\leveljcn0\levelfollow0\levelstartat1\levelspace360\levelindent0{\*\levelmarker \{disc\}}{\leveltext\leveltemplateid1\'01\uc0\u8226 ;}{\levelnumbers;}\fi-360\li720\lin720 }{\listname ;}\listid1} {\list\listtemplateid2\listhybrid{\listlevel\levelnfc23\levelnfcn23\leveljc0\leveljcn0\levelfollow0\levelstartat1\levelspace360\levelindent0{\*\levelmarker \{disc\}}{\leveltext\leveltemplateid101\'01\uc0\u8226 ;}{\levelnumbers;}\fi-360\li720\lin720 }{\listname ;}\listid2} {\list\listtemplateid3\listhybrid{\listlevel\levelnfc23\levelnfcn23\leveljc0\leveljcn0\levelfollow0\levelstartat1\levelspace360\levelindent0{\*\levelmarker \{disc\}}{\leveltext\leveltemplateid201\'01\uc0\u8226 ;}{\levelnumbers;}\fi-360\li720\lin720 }{\listname ;}\listid3}} {\*\listoverridetable{\listoverride\listid1\listoverridecount0\ls1}{\listoverride\listid2\listoverridecount0\ls2}{\listoverride\listid3\listoverridecount0\ls3}} \pard\tx566\tx1133\tx1700\tx2267\tx2834\tx3401\tx3968\tx4535\tx5102\tx5669\tx6236\tx6803\ql\qnatural\pardirnatural \f0\b\fs54 \cf0 BWToolkit \fs36 \ \b0 Plugin for Interface Builder 3\ \b \ \pard\tx566\tx1133\tx1700\tx2267\tx2834\tx3401\tx3968\tx4535\tx5102\tx5669\tx6236\tx6803\ql\qnatural\pardirnatural \b0\fs30 \cf0 Version 1.2.5\ January 20, 2010\ \pard\tx566\tx1133\tx1700\tx2267\tx2834\tx3401\tx3968\tx4535\tx5102\tx5669\tx6236\tx6803\ql\qnatural\pardirnatural \fs32 \cf0 \ \ \pard\tx566\tx1133\tx1700\tx2267\tx2834\tx3401\tx3968\tx4535\tx5102\tx5669\tx6236\tx6803\ql\qnatural\pardirnatural \b\fs36 \cf0 Installation \b0\fs28 \ \ Note: If you're building on 10.5, you'll need to build BWToolkit from source.\ \ Step 1. Double click the BWToolkit.ibplugin file to load the plugin into Interface Builder\ \ Note: Interface Builder will reference this file rather than copy it to another location. Keep the .ibplugin file in a location where it won't be deleted.\ \ Step 2. In the Xcode project you want to use the plugin in:\ \pard\tx220\tx720\tx1133\tx1700\tx2267\tx2834\tx3401\tx3968\tx4535\tx5102\tx5669\tx6236\tx6803\li720\fi-720\ql\qnatural\pardirnatural \ls1\ilvl0\cf0 {\listtext \'95 }Right click the Linked Frameworks folder and click Add -> Existing Frameworks. Select the BWToolkitFramework.framework directory.\ \pard\tx220\tx720\tx1133\tx1700\tx2267\tx2834\tx3401\tx3968\tx4535\tx5102\tx5669\tx6236\tx6803\li720\fi-720\ql\qnatural\pardirnatural \ls2\ilvl0\cf0 {\listtext \'95 }Right click your target and click Add -> New Build Phase -> New Copy Files Build Phase. For destination, select Frameworks, leave the path field blank, and close the window.\ \pard\tx220\tx720\tx1133\tx1700\tx2267\tx2834\tx3401\tx3968\tx4535\tx5102\tx5669\tx6236\tx6803\li720\fi-720\ql\qnatural\pardirnatural \ls3\ilvl0\cf0 {\listtext \'95 }Drag the BWToolkit framework from Linked Frameworks to the Copy Files build phase you just added.\ \pard\tx566\tx1133\tx1700\tx2267\tx2834\tx3401\tx3968\tx4535\tx5102\tx5669\tx6236\tx6803\ql\qnatural\pardirnatural \cf0 \ Note: You'll have to repeat step 2 for each project you want to use BWToolkit in.\ \ If you need to reference BWToolkit objects in your classes, you can import the main header like so:\ \ \pard\tx560\pardeftab560\ql\qnatural\pardirnatural \f1\fs24 \cf2 \CocoaLigature0 #import \cf3 \f0\fs28 \cf0 \CocoaLigature1 \ \pard\tx566\tx1133\tx1700\tx2267\tx2834\tx3401\tx3968\tx4535\tx5102\tx5669\tx6236\tx6803\ql\qnatural\pardirnatural \fs32 \cf0 \ \ \pard\tx566\tx1133\tx1700\tx2267\tx2834\tx3401\tx3968\tx4535\tx5102\tx5669\tx6236\tx6803\ql\qnatural\pardirnatural \b\fs36 \cf0 License\ \pard\tx566\tx1133\tx1700\tx2267\tx2834\tx3401\tx3968\tx4535\tx5102\tx5669\tx6236\tx6803\ql\qnatural\pardirnatural \b0\fs28 \cf0 \ All source code is provided under the three clause BSD license. Attribution is appreciated but by no means required.\ \ \ }unison-2.40.102/uimacnew09/Frameworks/Growl.framework/0000755006131600613160000000000012050210655022560 5ustar bcpiercebcpierceunison-2.40.102/uimacnew09/Frameworks/Growl.framework/Headers/0000755006131600613160000000000012050210655024133 5ustar bcpiercebcpierceunison-2.40.102/uimacnew09/Frameworks/Growl.framework/Headers/GrowlDefines.h0000644006131600613160000003656511361646373026731 0ustar bcpiercebcpierce// // GrowlDefines.h // #ifndef _GROWLDEFINES_H #define _GROWLDEFINES_H #ifdef __OBJC__ #define XSTR(x) (@x) #define STRING_TYPE NSString * #else #define XSTR CFSTR #define STRING_TYPE CFStringRef #endif /*! @header GrowlDefines.h * @abstract Defines all the notification keys. * @discussion Defines all the keys used for registration with Growl and for * Growl notifications. * * Most applications should use the functions or methods of Growl.framework * instead of posting notifications such as those described here. * @updated 2004-01-25 */ // UserInfo Keys for Registration #pragma mark UserInfo Keys for Registration /*! @group Registration userInfo keys */ /* @abstract Keys for the userInfo dictionary of a GROWL_APP_REGISTRATION distributed notification. * @discussion The values of these keys describe the application and the * notifications it may post. * * Your application must register with Growl before it can post Growl * notifications (and have them not be ignored). However, as of Growl 0.6, * posting GROWL_APP_REGISTRATION notifications directly is no longer the * preferred way to register your application. Your application should instead * use Growl.framework's delegate system. * See +[GrowlApplicationBridge setGrowlDelegate:] or Growl_SetDelegate for * more information. */ /*! @defined GROWL_APP_NAME * @abstract The name of your application. * @discussion The name of your application. This should remain stable between * different versions and incarnations of your application. * For example, "SurfWriter" is a good app name, whereas "SurfWriter 2.0" and * "SurfWriter Lite" are not. */ #define GROWL_APP_NAME XSTR("ApplicationName") /*! @defined GROWL_APP_ID * @abstract The bundle identifier of your application. * @discussion The bundle identifier of your application. This key should * be unique for your application while there may be several applications * with the same GROWL_APP_NAME. * This key is optional. */ #define GROWL_APP_ID XSTR("ApplicationId") /*! @defined GROWL_APP_ICON * @abstract The image data for your application's icon. * @discussion Image data representing your application's icon. This may be * superimposed on a notification icon as a badge, used as the notification * icon when a notification-specific icon is not supplied, or ignored * altogether, depending on the display. Must be in a format supported by * NSImage, such as TIFF, PNG, GIF, JPEG, BMP, PICT, or PDF. * * Optional. Not supported by all display plugins. */ #define GROWL_APP_ICON XSTR("ApplicationIcon") /*! @defined GROWL_NOTIFICATIONS_DEFAULT * @abstract The array of notifications to turn on by default. * @discussion These are the names of the notifications that should be enabled * by default when your application registers for the first time. If your * application reregisters, Growl will look here for any new notification * names found in GROWL_NOTIFICATIONS_ALL, but ignore any others. */ #define GROWL_NOTIFICATIONS_DEFAULT XSTR("DefaultNotifications") /*! @defined GROWL_NOTIFICATIONS_ALL * @abstract The array of all notifications your application can send. * @discussion These are the names of all of the notifications that your * application may post. See GROWL_NOTIFICATION_NAME for a discussion of good * notification names. */ #define GROWL_NOTIFICATIONS_ALL XSTR("AllNotifications") /*! @defined GROWL_NOTIFICATIONS_HUMAN_READABLE_DESCRIPTIONS * @abstract A dictionary of human-readable names for your notifications. * @discussion By default, the Growl UI will display notifications by the names given in GROWL_NOTIFICATIONS_ALL * which correspond to the GROWL_NOTIFICATION_NAME. This dictionary specifies the human-readable name to display. * The keys of the dictionary are GROWL_NOTIFICATION_NAME strings; the objects are the human-readable versions. * For any GROWL_NOTIFICATION_NAME not specific in this dictionary, the GROWL_NOTIFICATION_NAME will be displayed. * * This key is optional. */ #define GROWL_NOTIFICATIONS_HUMAN_READABLE_NAMES XSTR("HumanReadableNames") /*! @defined GROWL_NOTIFICATIONS_DESCRIPTIONS * @abstract A dictionary of descriptions of _when_ each notification occurs * @discussion This is an NSDictionary whose keys are GROWL_NOTIFICATION_NAME strings and whose objects are * descriptions of _when_ each notification occurs, such as "You received a new mail message" or * "A file finished downloading". * * This key is optional. */ #define GROWL_NOTIFICATIONS_DESCRIPTIONS XSTR("NotificationDescriptions") /*! @defined GROWL_TICKET_VERSION * @abstract The version of your registration ticket. * @discussion Include this key in a ticket plist file that you put in your * application bundle for auto-discovery. The current ticket version is 1. */ #define GROWL_TICKET_VERSION XSTR("TicketVersion") // UserInfo Keys for Notifications #pragma mark UserInfo Keys for Notifications /*! @group Notification userInfo keys */ /* @abstract Keys for the userInfo dictionary of a GROWL_NOTIFICATION distributed notification. * @discussion The values of these keys describe the content of a Growl * notification. * * Not all of these keys are supported by all displays. Only the name, title, * and description of a notification are universal. Most of the built-in * displays do support all of these keys, and most other visual displays * probably will also. But, as of 0.6, the Log, MailMe, and Speech displays * support only textual data. */ /*! @defined GROWL_NOTIFICATION_NAME * @abstract The name of the notification. * @discussion The name of the notification. Note that if you do not define * GROWL_NOTIFICATIONS_HUMAN_READABLE_NAMES when registering your ticket originally this name * will the one displayed within the Growl preference pane and should be human-readable. */ #define GROWL_NOTIFICATION_NAME XSTR("NotificationName") /*! @defined GROWL_NOTIFICATION_TITLE * @abstract The title to display in the notification. * @discussion The title of the notification. Should be very brief. * The title usually says what happened, e.g. "Download complete". */ #define GROWL_NOTIFICATION_TITLE XSTR("NotificationTitle") /*! @defined GROWL_NOTIFICATION_DESCRIPTION * @abstract The description to display in the notification. * @discussion The description should be longer and more verbose than the title. * The description usually tells the subject of the action, * e.g. "Growl-0.6.dmg downloaded in 5.02 minutes". */ #define GROWL_NOTIFICATION_DESCRIPTION XSTR("NotificationDescription") /*! @defined GROWL_NOTIFICATION_ICON * @discussion Image data for the notification icon. Must be in a format * supported by NSImage, such as TIFF, PNG, GIF, JPEG, BMP, PICT, or PDF. * * Optional. Not supported by all display plugins. */ #define GROWL_NOTIFICATION_ICON XSTR("NotificationIcon") /*! @defined GROWL_NOTIFICATION_APP_ICON * @discussion Image data for the application icon, in case GROWL_APP_ICON does * not apply for some reason. Must be in a format supported by NSImage, such * as TIFF, PNG, GIF, JPEG, BMP, PICT, or PDF. * * Optional. Not supported by all display plugins. */ #define GROWL_NOTIFICATION_APP_ICON XSTR("NotificationAppIcon") /*! @defined GROWL_NOTIFICATION_PRIORITY * @discussion The priority of the notification as an integer number from * -2 to +2 (+2 being highest). * * Optional. Not supported by all display plugins. */ #define GROWL_NOTIFICATION_PRIORITY XSTR("NotificationPriority") /*! @defined GROWL_NOTIFICATION_STICKY * @discussion A Boolean number controlling whether the notification is sticky. * * Optional. Not supported by all display plugins. */ #define GROWL_NOTIFICATION_STICKY XSTR("NotificationSticky") /*! @defined GROWL_NOTIFICATION_CLICK_CONTEXT * @abstract Identifies which notification was clicked. * @discussion An identifier for the notification for clicking purposes. * * This will be passed back to the application when the notification is * clicked. It must be plist-encodable (a data, dictionary, array, number, or * string object), and it should be unique for each notification you post. * A good click context would be a UUID string returned by NSProcessInfo or * CFUUID. * * Optional. Not supported by all display plugins. */ #define GROWL_NOTIFICATION_CLICK_CONTEXT XSTR("NotificationClickContext") /*! @defined GROWL_DISPLAY_PLUGIN * @discussion The name of a display plugin which should be used for this notification. * Optional. If this key is not set or the specified display plugin does not * exist, the display plugin stored in the application ticket is used. This key * allows applications to use different default display plugins for their * notifications. The user can still override those settings in the preference * pane. */ #define GROWL_DISPLAY_PLUGIN XSTR("NotificationDisplayPlugin") /*! @defined GROWL_NOTIFICATION_IDENTIFIER * @abstract An identifier for the notification for coalescing purposes. * Notifications with the same identifier fall into the same class; only * the last notification of a class is displayed on the screen. If a * notification of the same class is currently being displayed, it is * replaced by this notification. * * Optional. Not supported by all display plugins. */ #define GROWL_NOTIFICATION_IDENTIFIER XSTR("GrowlNotificationIdentifier") /*! @defined GROWL_APP_PID * @abstract The process identifier of the process which sends this * notification. If this field is set, the application will only receive * clicked and timed out notifications which originate from this process. * * Optional. */ #define GROWL_APP_PID XSTR("ApplicationPID") /*! @defined GROWL_NOTIFICATION_PROGRESS * @abstract If this key is set, it should contain a double value wrapped * in a NSNumber which describes some sort of progress (from 0.0 to 100.0). * If this is key is not set, no progress bar is shown. * * Optional. Not supported by all display plugins. */ #define GROWL_NOTIFICATION_PROGRESS XSTR("NotificationProgress") // Notifications #pragma mark Notifications /*! @group Notification names */ /* @abstract Names of distributed notifications used by Growl. * @discussion These are notifications used by applications (directly or * indirectly) to interact with Growl, and by Growl for interaction between * its components. * * Most of these should no longer be used in Growl 0.6 and later, in favor of * Growl.framework's GrowlApplicationBridge APIs. */ /*! @defined GROWL_APP_REGISTRATION * @abstract The distributed notification for registering your application. * @discussion This is the name of the distributed notification that can be * used to register applications with Growl. * * The userInfo dictionary for this notification can contain these keys: *
    *
  • GROWL_APP_NAME
  • *
  • GROWL_APP_ICON
  • *
  • GROWL_NOTIFICATIONS_ALL
  • *
  • GROWL_NOTIFICATIONS_DEFAULT
  • *
* * No longer recommended as of Growl 0.6. An alternate method of registering * is to use Growl.framework's delegate system. * See +[GrowlApplicationBridge setGrowlDelegate:] or Growl_SetDelegate for * more information. */ #define GROWL_APP_REGISTRATION XSTR("GrowlApplicationRegistrationNotification") /*! @defined GROWL_APP_REGISTRATION_CONF * @abstract The distributed notification for confirming registration. * @discussion The name of the distributed notification sent to confirm the * registration. Used by the Growl preference pane. Your application probably * does not need to use this notification. */ #define GROWL_APP_REGISTRATION_CONF XSTR("GrowlApplicationRegistrationConfirmationNotification") /*! @defined GROWL_NOTIFICATION * @abstract The distributed notification for Growl notifications. * @discussion This is what it all comes down to. This is the name of the * distributed notification that your application posts to actually send a * Growl notification. * * The userInfo dictionary for this notification can contain these keys: *
    *
  • GROWL_NOTIFICATION_NAME (required)
  • *
  • GROWL_NOTIFICATION_TITLE (required)
  • *
  • GROWL_NOTIFICATION_DESCRIPTION (required)
  • *
  • GROWL_NOTIFICATION_ICON
  • *
  • GROWL_NOTIFICATION_APP_ICON
  • *
  • GROWL_NOTIFICATION_PRIORITY
  • *
  • GROWL_NOTIFICATION_STICKY
  • *
  • GROWL_NOTIFICATION_CLICK_CONTEXT
  • *
  • GROWL_APP_NAME (required)
  • *
* * No longer recommended as of Growl 0.6. Three alternate methods of posting * notifications are +[GrowlApplicationBridge notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:], * Growl_NotifyWithTitleDescriptionNameIconPriorityStickyClickContext, and * Growl_PostNotification. */ #define GROWL_NOTIFICATION XSTR("GrowlNotification") /*! @defined GROWL_SHUTDOWN * @abstract The distributed notification name that tells Growl to shutdown. * @discussion The Growl preference pane posts this notification when the * "Stop Growl" button is clicked. */ #define GROWL_SHUTDOWN XSTR("GrowlShutdown") /*! @defined GROWL_PING * @abstract A distributed notification to check whether Growl is running. * @discussion This is used by the Growl preference pane. If it receives a * GROWL_PONG, the preference pane takes this to mean that Growl is running. */ #define GROWL_PING XSTR("Honey, Mind Taking Out The Trash") /*! @defined GROWL_PONG * @abstract The distributed notification sent in reply to GROWL_PING. * @discussion GrowlHelperApp posts this in reply to GROWL_PING. */ #define GROWL_PONG XSTR("What Do You Want From Me, Woman") /*! @defined GROWL_IS_READY * @abstract The distributed notification sent when Growl starts up. * @discussion GrowlHelperApp posts this when it has begin listening on all of * its sources for new notifications. GrowlApplicationBridge (in * Growl.framework), upon receiving this notification, reregisters using the * registration dictionary supplied by its delegate. */ #define GROWL_IS_READY XSTR("Lend Me Some Sugar; I Am Your Neighbor!") /*! @defined GROWL_NOTIFICATION_CLICKED * @abstract The distributed notification sent when a supported notification is clicked. * @discussion When a Growl notification with a click context is clicked on by * the user, Growl posts this distributed notification. * The GrowlApplicationBridge responds to this notification by calling a * callback in its delegate. */ #define GROWL_NOTIFICATION_CLICKED XSTR("GrowlClicked!") #define GROWL_NOTIFICATION_TIMED_OUT XSTR("GrowlTimedOut!") /*! @group Other symbols */ /* Symbols which don't fit into any of the other categories. */ /*! @defined GROWL_KEY_CLICKED_CONTEXT * @abstract Used internally as the key for the clickedContext passed over DNC. * @discussion This key is used in GROWL_NOTIFICATION_CLICKED, and contains the * click context that was supplied in the original notification. */ #define GROWL_KEY_CLICKED_CONTEXT XSTR("ClickedContext") /*! @defined GROWL_REG_DICT_EXTENSION * @abstract The filename extension for registration dictionaries. * @discussion The GrowlApplicationBridge in Growl.framework registers with * Growl by creating a file with the extension of .(GROWL_REG_DICT_EXTENSION) * and opening it in the GrowlHelperApp. This happens whether or not Growl is * running; if it was stopped, it quits immediately without listening for * notifications. */ #define GROWL_REG_DICT_EXTENSION XSTR("growlRegDict") #define GROWL_POSITION_PREFERENCE_KEY @"GrowlSelectedPosition" #endif //ndef _GROWLDEFINES_H unison-2.40.102/uimacnew09/Frameworks/Growl.framework/Headers/GrowlApplicationBridge-Carbon.h0000644006131600613160000010317611361646373032127 0ustar bcpiercebcpierce// // GrowlApplicationBridge-Carbon.h // Growl // // Created by Mac-arena the Bored Zo on Wed Jun 18 2004. // Based on GrowlApplicationBridge.h by Evan Schoenberg. // This source code is in the public domain. You may freely link it into any // program. // #ifndef _GROWLAPPLICATIONBRIDGE_CARBON_H_ #define _GROWLAPPLICATIONBRIDGE_CARBON_H_ #include #include #ifndef GROWL_EXPORT #define GROWL_EXPORT __attribute__((visibility("default"))) DEPRECATED_ATTRIBUTE #endif /*! @header GrowlApplicationBridge-Carbon.h * @abstract Declares an API that Carbon applications can use to interact with Growl. * @discussion GrowlApplicationBridge uses a delegate to provide information //XXX * to Growl (such as your application's name and what notifications it may * post) and to provide information to your application (such as that Growl * is listening for notifications or that a notification has been clicked). * * You can set the Growldelegate with Growl_SetDelegate and find out the * current delegate with Growl_GetDelegate. See struct Growl_Delegate for more * information about the delegate. */ __BEGIN_DECLS /*! @struct Growl_Delegate * @abstract Delegate to supply GrowlApplicationBridge with information and respond to events. * @discussion The Growl delegate provides your interface to * GrowlApplicationBridge. When GrowlApplicationBridge needs information about * your application, it looks for it in the delegate; when Growl or the user * does something that you might be interested in, GrowlApplicationBridge * looks for a callback in the delegate and calls it if present * (meaning, if it is not NULL). * XXX on all of that * @field size The size of the delegate structure. * @field applicationName The name of your application. * @field registrationDictionary A dictionary describing your application and the notifications it can send out. * @field applicationIconData Your application's icon. * @field growlInstallationWindowTitle The title of the installation window. * @field growlInstallationInformation Text to display in the installation window. * @field growlUpdateWindowTitle The title of the update window. * @field growlUpdateInformation Text to display in the update window. * @field referenceCount A count of owners of the delegate. * @field retain Called when GrowlApplicationBridge receives this delegate. * @field release Called when GrowlApplicationBridge no longer needs this delegate. * @field growlIsReady Called when GrowlHelperApp is listening for notifications. * @field growlNotificationWasClicked Called when a Growl notification is clicked. * @field growlNotificationTimedOut Called when a Growl notification timed out. */ struct Growl_Delegate { /* @discussion This should be sizeof(struct Growl_Delegate). */ size_t size; /*All of these attributes are optional. *Optional attributes can be NULL; required attributes that * are NULL cause setting the Growl delegate to fail. *XXX - move optional/required status into the discussion for each field */ /* This name is used both internally and in the Growl preferences. * * This should remain stable between different versions and incarnations of * your application. * For example, "SurfWriter" is a good app name, whereas "SurfWriter 2.0" and * "SurfWriter Lite" are not. * * This can be NULL if it is provided elsewhere, namely in an * auto-discoverable plist file in your app bundle * (XXX refer to more information on that) or in registrationDictionary. */ CFStringRef applicationName; /* * Must contain at least these keys: * GROWL_NOTIFICATIONS_ALL (CFArray): * Contains the names of all notifications your application may post. * * Can also contain these keys: * GROWL_NOTIFICATIONS_DEFAULT (CFArray): * Names of notifications that should be enabled by default. * If omitted, GROWL_NOTIFICATIONS_ALL will be used. * GROWL_APP_NAME (CFString): * Same as the applicationName member of this structure. * If both are present, the applicationName member shall prevail. * If this key is present, you may omit applicationName (set it to NULL). * GROWL_APP_ICON (CFData): * Same as the iconData member of this structure. * If both are present, the iconData member shall prevail. * If this key is present, you may omit iconData (set it to NULL). * * If you change the contents of this dictionary after setting the delegate, * be sure to call Growl_Reregister. * * This can be NULL if you have an auto-discoverable plist file in your app * bundle. (XXX refer to more information on that) */ CFDictionaryRef registrationDictionary; /* The data can be in any format supported by NSImage. As of * Mac OS X 10.3, this includes the .icns, TIFF, JPEG, GIF, PNG, PDF, and * PICT formats. * * If this is not supplied, Growl will look up your application's icon by * its application name. */ CFDataRef applicationIconData; /* Installer display attributes * * These four attributes are used by the Growl installer, if this framework * supports it. * For any of these being NULL, a localised default will be * supplied. */ /* If this is NULL, Growl will use a default, * localized title. * * Only used if you're using Growl-WithInstaller.framework. Otherwise, * this member is ignored. */ CFStringRef growlInstallationWindowTitle; /* This information may be as long or short as desired (the * window will be sized to fit it). If Growl is not installed, it will * be displayed to the user as an explanation of what Growl is and what * it can do in your application. * It should probably note that no download is required to install. * * If this is NULL, Growl will use a default, localized * explanation. * * Only used if you're using Growl-WithInstaller.framework. Otherwise, * this member is ignored. */ CFStringRef growlInstallationInformation; /* If this is NULL, Growl will use a default, * localized title. * * Only used if you're using Growl-WithInstaller.framework. Otherwise, * this member is ignored. */ CFStringRef growlUpdateWindowTitle; /* This information may be as long or short as desired (the * window will be sized to fit it). If an older version of Growl is * installed, it will be displayed to the user as an explanation that an * updated version of Growl is included in your application and * no download is required. * * If this is NULL, Growl will use a default, localized * explanation. * * Only used if you're using Growl-WithInstaller.framework. Otherwise, * this member is ignored. */ CFStringRef growlUpdateInformation; /* This member is provided for use by your retain and release * callbacks (see below). * * GrowlApplicationBridge never directly uses this member. Instead, it * calls your retain callback (if non-NULL) and your release * callback (if non-NULL). */ unsigned referenceCount; //Functions. Currently all of these are optional (any of them can be NULL). /* When you call Growl_SetDelegate(newDelegate), it will call * oldDelegate->release(oldDelegate), and then it will call * newDelegate->retain(newDelegate), and the return value from retain * is what will be set as the delegate. * (This means that this member works like CFRetain and -[NSObject retain].) * This member is optional (it can be NULL). * For a delegate allocated with malloc, this member would be * NULL. * @result A delegate to which GrowlApplicationBridge holds a reference. */ void *(*retain)(void *); /* When you call Growl_SetDelegate(newDelegate), it will call * oldDelegate->release(oldDelegate), and then it will call * newDelegate->retain(newDelegate), and the return value from retain * is what will be set as the delegate. * (This means that this member works like CFRelease and * -[NSObject release].) * This member is optional (it can be NULL). * For a delegate allocated with malloc, this member might be * free(3). */ void (*release)(void *); /* Informs the delegate that Growl (specifically, the GrowlHelperApp) was * launched successfully (or was already running). The application can * take actions with the knowledge that Growl is installed and functional. */ void (*growlIsReady)(void); /* Informs the delegate that a Growl notification was clicked. It is only * sent for notifications sent with a non-NULL clickContext, * so if you want to receive a message when a notification is clicked, * clickContext must not be NULL when calling * Growl_PostNotification or * Growl_NotifyWithTitleDescriptionNameIconPriorityStickyClickContext. */ void (*growlNotificationWasClicked)(CFPropertyListRef clickContext); /* Informs the delegate that a Growl notification timed out. It is only * sent for notifications sent with a non-NULL clickContext, * so if you want to receive a message when a notification is clicked, * clickContext must not be NULL when calling * Growl_PostNotification or * Growl_NotifyWithTitleDescriptionNameIconPriorityStickyClickContext. */ void (*growlNotificationTimedOut)(CFPropertyListRef clickContext); }; /*! @struct Growl_Notification * @abstract Structure describing a Growl notification. * @discussion XXX * @field size The size of the notification structure. * @field name Identifies the notification. * @field title Short synopsis of the notification. * @field description Additional text. * @field iconData An icon for the notification. * @field priority An indicator of the notification's importance. * @field reserved Bits reserved for future usage. * @field isSticky Requests that a notification stay on-screen until dismissed explicitly. * @field clickContext An identifier to be passed to your click callback when a notification is clicked. * @field clickCallback A callback to call when the notification is clicked. */ struct Growl_Notification { /* This should be sizeof(struct Growl_Notification). */ size_t size; /* The notification name distinguishes one type of * notification from another. The name should be human-readable, as it * will be displayed in the Growl preference pane. * * The name is used in the GROWL_NOTIFICATIONS_ALL and * GROWL_NOTIFICATIONS_DEFAULT arrays in the registration dictionary, and * in this member of the Growl_Notification structure. */ CFStringRef name; /* A notification's title describes the notification briefly. * It should be easy to read quickly by the user. */ CFStringRef title; /* The description supplements the title with more * information. It is usually longer and sometimes involves a list of * subjects. For example, for a 'Download complete' notification, the * description might have one filename per line. GrowlMail in Growl 0.6 * uses a description of '%d new mail(s)' (formatted with the number of * messages). */ CFStringRef description; /* The notification icon usually indicates either what * happened (it may have the same icon as e.g. a toolbar item that * started the process that led to the notification), or what it happened * to (e.g. a document icon). * * The icon data is optional, so it can be NULL. In that * case, the application icon is used alone. Not all displays support * icons. * * The data can be in any format supported by NSImage. As of Mac OS X * 10.3, this includes the .icns, TIFF, JPEG, GIF, PNG, PDF, and PICT form * ats. */ CFDataRef iconData; /* Priority is new in Growl 0.6, and is represented as a * signed integer from -2 to +2. 0 is Normal priority, -2 is Very Low * priority, and +2 is Very High priority. * * Not all displays support priority. If you do not wish to assign a * priority to your notification, assign 0. */ signed int priority; /* These bits are not used in Growl 0.6. Set them to 0. */ unsigned reserved: 31; /* When the sticky bit is clear, in most displays, * notifications disappear after a certain amount of time. Sticky * notifications, however, remain on-screen until the user dismisses them * explicitly, usually by clicking them. * * Sticky notifications were introduced in Growl 0.6. Most notifications * should not be sticky. Not all displays support sticky notifications, * and the user may choose in Growl's preference pane to force the * notification to be sticky or non-sticky, in which case the sticky bit * in the notification will be ignored. */ unsigned isSticky: 1; /* If this is not NULL, and your click callback * is not NULL either, this will be passed to the callback * when your notification is clicked by the user. * * Click feedback was introduced in Growl 0.6, and it is optional. Not * all displays support click feedback. */ CFPropertyListRef clickContext; /* If this is not NULL, it will be called instead * of the Growl delegate's click callback when clickContext is * non-NULL and the notification is clicked on by the user. * * Click feedback was introduced in Growl 0.6, and it is optional. Not * all displays support click feedback. * * The per-notification click callback is not yet supported as of Growl * 0.7. */ void (*clickCallback)(CFPropertyListRef clickContext); CFStringRef identifier; }; #pragma mark - #pragma mark Easy initialisers /*! @defined InitGrowlDelegate * @abstract Callable macro. Initializes a Growl delegate structure to defaults. * @discussion Call with a pointer to a struct Growl_Delegate. All of the * members of the structure will be set to 0 or NULL, except for * size (which will be set to sizeof(struct Growl_Delegate)) and * referenceCount (which will be set to 1). */ #define InitGrowlDelegate(delegate) \ do { \ if (delegate) { \ (delegate)->size = sizeof(struct Growl_Delegate); \ (delegate)->applicationName = NULL; \ (delegate)->registrationDictionary = NULL; \ (delegate)->applicationIconData = NULL; \ (delegate)->growlInstallationWindowTitle = NULL; \ (delegate)->growlInstallationInformation = NULL; \ (delegate)->growlUpdateWindowTitle = NULL; \ (delegate)->growlUpdateInformation = NULL; \ (delegate)->referenceCount = 1U; \ (delegate)->retain = NULL; \ (delegate)->release = NULL; \ (delegate)->growlIsReady = NULL; \ (delegate)->growlNotificationWasClicked = NULL; \ (delegate)->growlNotificationTimedOut = NULL; \ } \ } while(0) /*! @defined InitGrowlNotification * @abstract Callable macro. Initializes a Growl notification structure to defaults. * @discussion Call with a pointer to a struct Growl_Notification. All of * the members of the structure will be set to 0 or NULL, except * for size (which will be set to * sizeof(struct Growl_Notification)). */ #define InitGrowlNotification(notification) \ do { \ if (notification) { \ (notification)->size = sizeof(struct Growl_Notification); \ (notification)->name = NULL; \ (notification)->title = NULL; \ (notification)->description = NULL; \ (notification)->iconData = NULL; \ (notification)->priority = 0; \ (notification)->reserved = 0U; \ (notification)->isSticky = false; \ (notification)->clickContext = NULL; \ (notification)->clickCallback = NULL; \ (notification)->identifier = NULL; \ } \ } while(0) #pragma mark - #pragma mark Public API // @functiongroup Managing the Growl delegate /*! @function Growl_SetDelegate * @abstract Replaces the current Growl delegate with a new one, or removes * the Growl delegate. * @param newDelegate * @result Returns false and does nothing else if a pointer that was passed in * is unsatisfactory (because it is non-NULL, but at least one * required member of it is NULL). Otherwise, sets or unsets the * delegate and returns true. * @discussion When newDelegate is non-NULL, sets * the delegate to newDelegate. When it is NULL, * the current delegate will be unset, and no delegate will be in place. * * It is legal for newDelegate to be the current delegate; * nothing will happen, and Growl_SetDelegate will return true. It is also * legal for it to be NULL, as described above; again, it will * return true. * * If there was a delegate in place before the call, Growl_SetDelegate will * call the old delegate's release member if it was non-NULL. If * newDelegate is non-NULL, Growl_SetDelegate will * call newDelegate->retain, and set the delegate to its return * value. * * If you are using Growl-WithInstaller.framework, and an older version of * Growl is installed on the user's system, the user will automatically be * prompted to update. * * GrowlApplicationBridge currently does not copy this structure, nor does it * retain any of the CF objects in the structure (it regards the structure as * a container that retains the objects when they are added and releases them * when they are removed or the structure is destroyed). Also, * GrowlApplicationBridge currently does not modify any member of the * structure, except possibly the referenceCount by calling the retain and * release members. */ GROWL_EXPORT Boolean Growl_SetDelegate(struct Growl_Delegate *newDelegate); /*! @function Growl_GetDelegate * @abstract Returns the current Growl delegate, if any. * @result The current Growl delegate. * @discussion Returns the last pointer passed into Growl_SetDelegate, or * NULL if no such call has been made. * * This function follows standard Core Foundation reference-counting rules. * Because it is a Get function, not a Copy function, it will not retain the * delegate on your behalf. You are responsible for retaining and releasing * the delegate as needed. */ GROWL_EXPORT struct Growl_Delegate *Growl_GetDelegate(void); #pragma mark - // @functiongroup Posting Growl notifications /*! @function Growl_PostNotification * @abstract Posts a Growl notification. * @param notification The notification to post. * @discussion This is the preferred means for sending a Growl notification. * The notification name and at least one of the title and description are * required (all three are preferred). All other parameters may be * NULL (or 0 or false as appropriate) to accept default values. * * If using the Growl-WithInstaller framework, if Growl is not installed the * user will be prompted to install Growl. * If the user cancels, this function will have no effect until the next * application session, at which time when it is called the user will be * prompted again. The user is also given the option to not be prompted again. * If the user does choose to install Growl, the requested notification will * be displayed once Growl is installed and running. */ GROWL_EXPORT void Growl_PostNotification(const struct Growl_Notification *notification); /*! @function Growl_PostNotificationWithDictionary * @abstract Notifies using a userInfo dictionary suitable for passing to * CFDistributedNotificationCenter. * @param userInfo The dictionary to notify with. * @discussion Before Growl 0.6, your application would have posted * notifications using CFDistributedNotificationCenter by creating a userInfo * dictionary with the notification data. This had the advantage of allowing * you to add other data to the dictionary for programs besides Growl that * might be listening. * * This function allows you to use such dictionaries without being restricted * to using CFDistributedNotificationCenter. The keys for this dictionary * can be found in GrowlDefines.h. */ GROWL_EXPORT void Growl_PostNotificationWithDictionary(CFDictionaryRef userInfo); /*! @function Growl_NotifyWithTitleDescriptionNameIconPriorityStickyClickContext * @abstract Posts a Growl notification using parameter values. * @param title The title of the notification. * @param description The description of the notification. * @param notificationName The name of the notification as listed in the * registration dictionary. * @param iconData Data representing a notification icon. Can be NULL. * @param priority The priority of the notification (-2 to +2, with -2 * being Very Low and +2 being Very High). * @param isSticky If true, requests that this notification wait for a * response from the user. * @param clickContext An object to pass to the clickCallback, if any. Can * be NULL, in which case the clickCallback is not called. * @discussion Creates a temporary Growl_Notification, fills it out with the * supplied information, and calls Growl_PostNotification on it. * See struct Growl_Notification and Growl_PostNotification for more * information. * * The icon data can be in any format supported by NSImage. As of Mac OS X * 10.3, this includes the .icns, TIFF, JPEG, GIF, PNG, PDF, and PICT formats. */ GROWL_EXPORT void Growl_NotifyWithTitleDescriptionNameIconPriorityStickyClickContext( /*inhale*/ CFStringRef title, CFStringRef description, CFStringRef notificationName, CFDataRef iconData, signed int priority, Boolean isSticky, CFPropertyListRef clickContext); #pragma mark - // @functiongroup Registering /*! @function Growl_RegisterWithDictionary * @abstract Register your application with Growl without setting a delegate. * @discussion When you call this function with a dictionary, * GrowlApplicationBridge registers your application using that dictionary. * If you pass NULL, GrowlApplicationBridge will ask the delegate * (if there is one) for a dictionary, and if that doesn't work, it will look * in your application's bundle for an auto-discoverable plist. * (XXX refer to more information on that) * * If you pass a dictionary to this function, it must include the * GROWL_APP_NAME key, unless a delegate is set. * * This function is mainly an alternative to the delegate system introduced * with Growl 0.6. Without a delegate, you cannot receive callbacks such as * growlIsReady (since they are sent to the delegate). You can, * however, set a delegate after registering without one. * * This function was introduced in Growl.framework 0.7. * @result false if registration failed (e.g. if Growl isn't installed). */ GROWL_EXPORT Boolean Growl_RegisterWithDictionary(CFDictionaryRef regDict); /*! @function Growl_Reregister * @abstract Updates your registration with Growl. * @discussion If your application changes the contents of the * GROWL_NOTIFICATIONS_ALL key in the registrationDictionary member of the * Growl delegate, or if it changes the value of that member, or if it * changes the contents of its auto-discoverable plist, call this function * to have Growl update its registration information for your application. * * Otherwise, this function does not normally need to be called. If you're * using a delegate, your application will be registered when you set the * delegate if both the delegate and its registrationDictionary member are * non-NULL. * * This function is now implemented using * Growl_RegisterWithDictionary. */ GROWL_EXPORT void Growl_Reregister(void); #pragma mark - /*! @function Growl_SetWillRegisterWhenGrowlIsReady * @abstract Tells GrowlApplicationBridge to register with Growl when Growl * launches (or not). * @discussion When Growl has started listening for notifications, it posts a * GROWL_IS_READY notification on the Distributed Notification * Center. GrowlApplicationBridge listens for this notification, using it to * perform various tasks (such as calling your delegate's * growlIsReady callback, if it has one). If this function is * called with true, one of those tasks will be to reregister * with Growl (in the manner of Growl_Reregister). * * This attribute is automatically set back to false * (the default) after every GROWL_IS_READY notification. * @param flag true if you want GrowlApplicationBridge to register with * Growl when next it is ready; false if not. */ GROWL_EXPORT void Growl_SetWillRegisterWhenGrowlIsReady(Boolean flag); /*! @function Growl_WillRegisterWhenGrowlIsReady * @abstract Reports whether GrowlApplicationBridge will register with Growl * when Growl next launches. * @result true if GrowlApplicationBridge will register with * Growl when next it posts GROWL_IS_READY; false if not. */ GROWL_EXPORT Boolean Growl_WillRegisterWhenGrowlIsReady(void); #pragma mark - // @functiongroup Obtaining registration dictionaries /*! @function Growl_CopyRegistrationDictionaryFromDelegate * @abstract Asks the delegate for a registration dictionary. * @discussion If no delegate is set, or if the delegate's * registrationDictionary member is NULL, this * function returns NULL. * * This function does not attempt to clean up the dictionary in any way - for * example, if it is missing the GROWL_APP_NAME key, the result * will be missing it too. Use * Growl_CreateRegistrationDictionaryByFillingInDictionary or * Growl_CreateRegistrationDictionaryByFillingInDictionaryRestrictedToKeys * to try to fill in missing keys. * * This function was introduced in Growl.framework 0.7. * @result A registration dictionary. */ GROWL_EXPORT CFDictionaryRef Growl_CopyRegistrationDictionaryFromDelegate(void); /*! @function Growl_CopyRegistrationDictionaryFromBundle * @abstract Looks in a bundle for a registration dictionary. * @discussion This function looks in a bundle for an auto-discoverable * registration dictionary file using CFBundleCopyResourceURL. * If it finds one, it loads the file using CFPropertyList and * returns the result. * * If you pass NULL as the bundle, the main bundle is examined. * * This function does not attempt to clean up the dictionary in any way - for * example, if it is missing the GROWL_APP_NAME key, the result * will be missing it too. Use * Growl_CreateRegistrationDictionaryByFillingInDictionary: or * Growl_CreateRegistrationDictionaryByFillingInDictionaryRestrictedToKeys * to try to fill in missing keys. * * This function was introduced in Growl.framework 0.7. * @result A registration dictionary. */ GROWL_EXPORT CFDictionaryRef Growl_CopyRegistrationDictionaryFromBundle(CFBundleRef bundle); /*! @function Growl_CreateBestRegistrationDictionary * @abstract Obtains a registration dictionary, filled out to the best of * GrowlApplicationBridge's knowledge. * @discussion This function creates a registration dictionary as best * GrowlApplicationBridge knows how. * * First, GrowlApplicationBridge examines the Growl delegate (if there is * one) and gets the registration dictionary from that. If no such dictionary * was obtained, GrowlApplicationBridge looks in your application's main * bundle for an auto-discoverable registration dictionary file. If that * doesn't exist either, this function returns NULL. * * Second, GrowlApplicationBridge calls * Growl_CreateRegistrationDictionaryByFillingInDictionary with * whatever dictionary was obtained. The result of that function is the * result of this function. * * GrowlApplicationBridge uses this function when you call * Growl_SetDelegate, or when you call * Growl_RegisterWithDictionary with NULL. * * This function was introduced in Growl.framework 0.7. * @result A registration dictionary. */ GROWL_EXPORT CFDictionaryRef Growl_CreateBestRegistrationDictionary(void); #pragma mark - // @functiongroup Filling in registration dictionaries /*! @function Growl_CreateRegistrationDictionaryByFillingInDictionary * @abstract Tries to fill in missing keys in a registration dictionary. * @param regDict The dictionary to fill in. * @result The dictionary with the keys filled in. * @discussion This function examines the passed-in dictionary for missing keys, * and tries to work out correct values for them. As of 0.7, it uses: * * Key Value * --- ----- * GROWL_APP_NAME CFBundleExecutableName * GROWL_APP_ICON The icon of the application. * GROWL_APP_LOCATION The location of the application. * GROWL_NOTIFICATIONS_DEFAULT GROWL_NOTIFICATIONS_ALL * * Keys are only filled in if missing; if a key is present in the dictionary, * its value will not be changed. * * This function was introduced in Growl.framework 0.7. */ GROWL_EXPORT CFDictionaryRef Growl_CreateRegistrationDictionaryByFillingInDictionary(CFDictionaryRef regDict); /*! @function Growl_CreateRegistrationDictionaryByFillingInDictionaryRestrictedToKeys * @abstract Tries to fill in missing keys in a registration dictionary. * @param regDict The dictionary to fill in. * @param keys The keys to fill in. If NULL, any missing keys are filled in. * @result The dictionary with the keys filled in. * @discussion This function examines the passed-in dictionary for missing keys, * and tries to work out correct values for them. As of 0.7, it uses: * * Key Value * --- ----- * GROWL_APP_NAME CFBundleExecutableName * GROWL_APP_ICON The icon of the application. * GROWL_APP_LOCATION The location of the application. * GROWL_NOTIFICATIONS_DEFAULT GROWL_NOTIFICATIONS_ALL * * Only those keys that are listed in keys will be filled in. * Other missing keys are ignored. Also, keys are only filled in if missing; * if a key is present in the dictionary, its value will not be changed. * * This function was introduced in Growl.framework 0.7. */ GROWL_EXPORT CFDictionaryRef Growl_CreateRegistrationDictionaryByFillingInDictionaryRestrictedToKeys(CFDictionaryRef regDict, CFSetRef keys); /*! @brief Tries to fill in missing keys in a notification dictionary. * @param notifDict The dictionary to fill in. * @return The dictionary with the keys filled in. This will be a separate instance from \a notifDict. * @discussion This function examines the \a notifDict for missing keys, and * tries to get them from the last known registration dictionary. As of 1.1, * the keys that it will look for are: * * \li GROWL_APP_NAME * \li GROWL_APP_ICON * * @since Growl.framework 1.1 */ GROWL_EXPORT CFDictionaryRef Growl_CreateNotificationDictionaryByFillingInDictionary(CFDictionaryRef notifDict); #pragma mark - // @functiongroup Querying Growl's status /*! @function Growl_IsInstalled * @abstract Determines whether the Growl prefpane and its helper app are * installed. * @result Returns true if Growl is installed, false otherwise. */ GROWL_EXPORT Boolean Growl_IsInstalled(void); /*! @function Growl_IsRunning * @abstract Cycles through the process list to find whether GrowlHelperApp * is running. * @result Returns true if Growl is running, false otherwise. */ GROWL_EXPORT Boolean Growl_IsRunning(void); #pragma mark - // @functiongroup Launching Growl /*! @typedef GrowlLaunchCallback * @abstract Callback to notify you that Growl is running. * @param context The context pointer passed to Growl_LaunchIfInstalled. * @discussion Growl_LaunchIfInstalled calls this callback function if Growl * was already running or if it launched Growl successfully. */ typedef void (*GrowlLaunchCallback)(void *context); /*! @function Growl_LaunchIfInstalled * @abstract Launches GrowlHelperApp if it is not already running. * @param callback A callback function which will be called if Growl was successfully * launched or was already running. Can be NULL. * @param context The context pointer to pass to the callback. Can be NULL. * @result Returns true if Growl was successfully launched or was already * running; returns false and does not call the callback otherwise. * @discussion Returns true and calls the callback (if the callback is not * NULL) if the Growl helper app began launching or was already * running. Returns false and performs no other action if Growl could not be * launched (e.g. because the Growl preference pane is not properly installed). * * If Growl_CreateBestRegistrationDictionary returns * non-NULL, this function will register with Growl atomically. * * The callback should take a single argument; this is to allow applications * to have context-relevant information passed back. It is perfectly * acceptable for context to be NULL. The callback itself can be * NULL if you don't want one. */ GROWL_EXPORT Boolean Growl_LaunchIfInstalled(GrowlLaunchCallback callback, void *context); #pragma mark - #pragma mark Constants /*! @defined GROWL_PREFPANE_BUNDLE_IDENTIFIER * @abstract The CFBundleIdentifier of the Growl preference pane bundle. * @discussion GrowlApplicationBridge uses this to determine whether Growl is * currently installed, by searching for the Growl preference pane. Your * application probably does not need to use this macro itself. */ #ifndef GROWL_PREFPANE_BUNDLE_IDENTIFIER #define GROWL_PREFPANE_BUNDLE_IDENTIFIER CFSTR("com.growl.prefpanel") #endif __END_DECLS #endif /* _GROWLAPPLICATIONBRIDGE_CARBON_H_ */ unison-2.40.102/uimacnew09/Frameworks/Growl.framework/Headers/GrowlApplicationBridge.h0000644006131600613160000006543511361646373030732 0ustar bcpiercebcpierce// // GrowlApplicationBridge.h // Growl // // Created by Evan Schoenberg on Wed Jun 16 2004. // Copyright 2004-2006 The Growl Project. All rights reserved. // /*! * @header GrowlApplicationBridge.h * @abstract Defines the GrowlApplicationBridge class. * @discussion This header defines the GrowlApplicationBridge class as well as * the GROWL_PREFPANE_BUNDLE_IDENTIFIER constant. */ #ifndef __GrowlApplicationBridge_h__ #define __GrowlApplicationBridge_h__ #import #import #import "GrowlDefines.h" //Forward declarations @protocol GrowlApplicationBridgeDelegate; //Internal notification when the user chooses not to install (to avoid continuing to cache notifications awaiting installation) #define GROWL_USER_CHOSE_NOT_TO_INSTALL_NOTIFICATION @"User chose not to install" //------------------------------------------------------------------------------ #pragma mark - /*! * @class GrowlApplicationBridge * @abstract A class used to interface with Growl. * @discussion This class provides a means to interface with Growl. * * Currently it provides a way to detect if Growl is installed and launch the * GrowlHelperApp if it's not already running. */ @interface GrowlApplicationBridge : NSObject { } /*! * @method isGrowlInstalled * @abstract Detects whether Growl is installed. * @discussion Determines if the Growl prefpane and its helper app are installed. * @result Returns YES if Growl is installed, NO otherwise. */ + (BOOL) isGrowlInstalled; /*! * @method isGrowlRunning * @abstract Detects whether GrowlHelperApp is currently running. * @discussion Cycles through the process list to find whether GrowlHelperApp is running and returns its findings. * @result Returns YES if GrowlHelperApp is running, NO otherwise. */ + (BOOL) isGrowlRunning; #pragma mark - /*! * @method setGrowlDelegate: * @abstract Set the object which will be responsible for providing and receiving Growl information. * @discussion This must be called before using GrowlApplicationBridge. * * The methods in the GrowlApplicationBridgeDelegate protocol are required * and return the basic information needed to register with Growl. * * The methods in the GrowlApplicationBridgeDelegate_InformalProtocol * informal protocol are individually optional. They provide a greater * degree of interaction between the application and growl such as informing * the application when one of its Growl notifications is clicked by the user. * * The methods in the GrowlApplicationBridgeDelegate_Installation_InformalProtocol * informal protocol are individually optional and are only applicable when * using the Growl-WithInstaller.framework which allows for automated Growl * installation. * * When this method is called, data will be collected from inDelegate, Growl * will be launched if it is not already running, and the application will be * registered with Growl. * * If using the Growl-WithInstaller framework, if Growl is already installed * but this copy of the framework has an updated version of Growl, the user * will be prompted to update automatically. * * @param inDelegate The delegate for the GrowlApplicationBridge. It must conform to the GrowlApplicationBridgeDelegate protocol. */ + (void) setGrowlDelegate:(NSObject *)inDelegate; /*! * @method growlDelegate * @abstract Return the object responsible for providing and receiving Growl information. * @discussion See setGrowlDelegate: for details. * @result The Growl delegate. */ + (NSObject *) growlDelegate; #pragma mark - /*! * @method notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext: * @abstract Send a Growl notification. * @discussion This is the preferred means for sending a Growl notification. * The notification name and at least one of the title and description are * required (all three are preferred). All other parameters may be * nil (or 0 or NO as appropriate) to accept default values. * * If using the Growl-WithInstaller framework, if Growl is not installed the * user will be prompted to install Growl. If the user cancels, this method * will have no effect until the next application session, at which time when * it is called the user will be prompted again. The user is also given the * option to not be prompted again. If the user does choose to install Growl, * the requested notification will be displayed once Growl is installed and * running. * * @param title The title of the notification displayed to the user. * @param description The full description of the notification displayed to the user. * @param notifName The internal name of the notification. Should be human-readable, as it will be displayed in the Growl preference pane. * @param iconData NSData object to show with the notification as its icon. If nil, the application's icon will be used instead. * @param priority The priority of the notification. The default value is 0; positive values are higher priority and negative values are lower priority. Not all Growl displays support priority. * @param isSticky If YES, the notification will remain on screen until clicked. Not all Growl displays support sticky notifications. * @param clickContext A context passed back to the Growl delegate if it implements -(void)growlNotificationWasClicked: and the notification is clicked. Not all display plugins support clicking. The clickContext must be plist-encodable (completely of NSString, NSArray, NSNumber, NSDictionary, and NSData types). */ + (void) notifyWithTitle:(NSString *)title description:(NSString *)description notificationName:(NSString *)notifName iconData:(NSData *)iconData priority:(signed int)priority isSticky:(BOOL)isSticky clickContext:(id)clickContext; /*! * @method notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:identifier: * @abstract Send a Growl notification. * @discussion This is the preferred means for sending a Growl notification. * The notification name and at least one of the title and description are * required (all three are preferred). All other parameters may be * nil (or 0 or NO as appropriate) to accept default values. * * If using the Growl-WithInstaller framework, if Growl is not installed the * user will be prompted to install Growl. If the user cancels, this method * will have no effect until the next application session, at which time when * it is called the user will be prompted again. The user is also given the * option to not be prompted again. If the user does choose to install Growl, * the requested notification will be displayed once Growl is installed and * running. * * @param title The title of the notification displayed to the user. * @param description The full description of the notification displayed to the user. * @param notifName The internal name of the notification. Should be human-readable, as it will be displayed in the Growl preference pane. * @param iconData NSData object to show with the notification as its icon. If nil, the application's icon will be used instead. * @param priority The priority of the notification. The default value is 0; positive values are higher priority and negative values are lower priority. Not all Growl displays support priority. * @param isSticky If YES, the notification will remain on screen until clicked. Not all Growl displays support sticky notifications. * @param clickContext A context passed back to the Growl delegate if it implements -(void)growlNotificationWasClicked: and the notification is clicked. Not all display plugins support clicking. The clickContext must be plist-encodable (completely of NSString, NSArray, NSNumber, NSDictionary, and NSData types). * @param identifier An identifier for this notification. Notifications with equal identifiers are coalesced. */ + (void) notifyWithTitle:(NSString *)title description:(NSString *)description notificationName:(NSString *)notifName iconData:(NSData *)iconData priority:(signed int)priority isSticky:(BOOL)isSticky clickContext:(id)clickContext identifier:(NSString *)identifier; /*! @method notifyWithDictionary: * @abstract Notifies using a userInfo dictionary suitable for passing to * NSDistributedNotificationCenter. * @param userInfo The dictionary to notify with. * @discussion Before Growl 0.6, your application would have posted * notifications using NSDistributedNotificationCenter by * creating a userInfo dictionary with the notification data. This had the * advantage of allowing you to add other data to the dictionary for programs * besides Growl that might be listening. * * This method allows you to use such dictionaries without being restricted * to using NSDistributedNotificationCenter. The keys for this dictionary * can be found in GrowlDefines.h. */ + (void) notifyWithDictionary:(NSDictionary *)userInfo; #pragma mark - /*! @method registerWithDictionary: * @abstract Register your application with Growl without setting a delegate. * @discussion When you call this method with a dictionary, * GrowlApplicationBridge registers your application using that dictionary. * If you pass nil, GrowlApplicationBridge will ask the delegate * (if there is one) for a dictionary, and if that doesn't work, it will look * in your application's bundle for an auto-discoverable plist. * (XXX refer to more information on that) * * If you pass a dictionary to this method, it must include the * GROWL_APP_NAME key, unless a delegate is set. * * This method is mainly an alternative to the delegate system introduced * with Growl 0.6. Without a delegate, you cannot receive callbacks such as * -growlIsReady (since they are sent to the delegate). You can, * however, set a delegate after registering without one. * * This method was introduced in Growl.framework 0.7. */ + (BOOL) registerWithDictionary:(NSDictionary *)regDict; /*! @method reregisterGrowlNotifications * @abstract Reregister the notifications for this application. * @discussion This method does not normally need to be called. If your * application changes what notifications it is registering with Growl, call * this method to have the Growl delegate's * -registrationDictionaryForGrowl method called again and the * Growl registration information updated. * * This method is now implemented using -registerWithDictionary:. */ + (void) reregisterGrowlNotifications; #pragma mark - /*! @method setWillRegisterWhenGrowlIsReady: * @abstract Tells GrowlApplicationBridge to register with Growl when Growl * launches (or not). * @discussion When Growl has started listening for notifications, it posts a * GROWL_IS_READY notification on the Distributed Notification * Center. GrowlApplicationBridge listens for this notification, using it to * perform various tasks (such as calling your delegate's * -growlIsReady method, if it has one). If this method is * called with YES, one of those tasks will be to reregister * with Growl (in the manner of -reregisterGrowlNotifications). * * This attribute is automatically set back to NO (the default) * after every GROWL_IS_READY notification. * @param flag YES if you want GrowlApplicationBridge to register with * Growl when next it is ready; NO if not. */ + (void) setWillRegisterWhenGrowlIsReady:(BOOL)flag; /*! @method willRegisterWhenGrowlIsReady * @abstract Reports whether GrowlApplicationBridge will register with Growl * when Growl next launches. * @result YES if GrowlApplicationBridge will register with Growl * when next it posts GROWL_IS_READY; NO if not. */ + (BOOL) willRegisterWhenGrowlIsReady; #pragma mark - /*! @method registrationDictionaryFromDelegate * @abstract Asks the delegate for a registration dictionary. * @discussion If no delegate is set, or if the delegate's * -registrationDictionaryForGrowl method returns * nil, this method returns nil. * * This method does not attempt to clean up the dictionary in any way - for * example, if it is missing the GROWL_APP_NAME key, the result * will be missing it too. Use +[GrowlApplicationBridge * registrationDictionaryByFillingInDictionary:] or * +[GrowlApplicationBridge * registrationDictionaryByFillingInDictionary:restrictToKeys:] to try * to fill in missing keys. * * This method was introduced in Growl.framework 0.7. * @result A registration dictionary. */ + (NSDictionary *) registrationDictionaryFromDelegate; /*! @method registrationDictionaryFromBundle: * @abstract Looks in a bundle for a registration dictionary. * @discussion This method looks in a bundle for an auto-discoverable * registration dictionary file using -[NSBundle * pathForResource:ofType:]. If it finds one, it loads the file using * +[NSDictionary dictionaryWithContentsOfFile:] and returns the * result. * * If you pass nil as the bundle, the main bundle is examined. * * This method does not attempt to clean up the dictionary in any way - for * example, if it is missing the GROWL_APP_NAME key, the result * will be missing it too. Use +[GrowlApplicationBridge * registrationDictionaryByFillingInDictionary:] or * +[GrowlApplicationBridge * registrationDictionaryByFillingInDictionary:restrictToKeys:] to try * to fill in missing keys. * * This method was introduced in Growl.framework 0.7. * @result A registration dictionary. */ + (NSDictionary *) registrationDictionaryFromBundle:(NSBundle *)bundle; /*! @method bestRegistrationDictionary * @abstract Obtains a registration dictionary, filled out to the best of * GrowlApplicationBridge's knowledge. * @discussion This method creates a registration dictionary as best * GrowlApplicationBridge knows how. * * First, GrowlApplicationBridge contacts the Growl delegate (if there is * one) and gets the registration dictionary from that. If no such dictionary * was obtained, GrowlApplicationBridge looks in your application's main * bundle for an auto-discoverable registration dictionary file. If that * doesn't exist either, this method returns nil. * * Second, GrowlApplicationBridge calls * +registrationDictionaryByFillingInDictionary: with whatever * dictionary was obtained. The result of that method is the result of this * method. * * GrowlApplicationBridge uses this method when you call * +setGrowlDelegate:, or when you call * +registerWithDictionary: with nil. * * This method was introduced in Growl.framework 0.7. * @result A registration dictionary. */ + (NSDictionary *) bestRegistrationDictionary; #pragma mark - /*! @method registrationDictionaryByFillingInDictionary: * @abstract Tries to fill in missing keys in a registration dictionary. * @discussion This method examines the passed-in dictionary for missing keys, * and tries to work out correct values for them. As of 0.7, it uses: * * Key Value * --- ----- * GROWL_APP_NAME CFBundleExecutableName * GROWL_APP_ICON The icon of the application. * GROWL_APP_LOCATION The location of the application. * GROWL_NOTIFICATIONS_DEFAULT GROWL_NOTIFICATIONS_ALL * * Keys are only filled in if missing; if a key is present in the dictionary, * its value will not be changed. * * This method was introduced in Growl.framework 0.7. * @param regDict The dictionary to fill in. * @result The dictionary with the keys filled in. This is an autoreleased * copy of regDict. */ + (NSDictionary *) registrationDictionaryByFillingInDictionary:(NSDictionary *)regDict; /*! @method registrationDictionaryByFillingInDictionary:restrictToKeys: * @abstract Tries to fill in missing keys in a registration dictionary. * @discussion This method examines the passed-in dictionary for missing keys, * and tries to work out correct values for them. As of 0.7, it uses: * * Key Value * --- ----- * GROWL_APP_NAME CFBundleExecutableName * GROWL_APP_ICON The icon of the application. * GROWL_APP_LOCATION The location of the application. * GROWL_NOTIFICATIONS_DEFAULT GROWL_NOTIFICATIONS_ALL * * Only those keys that are listed in keys will be filled in. * Other missing keys are ignored. Also, keys are only filled in if missing; * if a key is present in the dictionary, its value will not be changed. * * This method was introduced in Growl.framework 0.7. * @param regDict The dictionary to fill in. * @param keys The keys to fill in. If nil, any missing keys are filled in. * @result The dictionary with the keys filled in. This is an autoreleased * copy of regDict. */ + (NSDictionary *) registrationDictionaryByFillingInDictionary:(NSDictionary *)regDict restrictToKeys:(NSSet *)keys; /*! @brief Tries to fill in missing keys in a notification dictionary. * @param notifDict The dictionary to fill in. * @return The dictionary with the keys filled in. This will be a separate instance from \a notifDict. * @discussion This function examines the \a notifDict for missing keys, and * tries to get them from the last known registration dictionary. As of 1.1, * the keys that it will look for are: * * \li GROWL_APP_NAME * \li GROWL_APP_ICON * * @since Growl.framework 1.1 */ + (NSDictionary *) notificationDictionaryByFillingInDictionary:(NSDictionary *)regDict; + (NSDictionary *) frameworkInfoDictionary; @end //------------------------------------------------------------------------------ #pragma mark - /*! * @protocol GrowlApplicationBridgeDelegate * @abstract Required protocol for the Growl delegate. * @discussion The methods in this protocol are required and are called * automatically as needed by GrowlApplicationBridge. See * +[GrowlApplicationBridge setGrowlDelegate:]. * See also GrowlApplicationBridgeDelegate_InformalProtocol. */ @protocol GrowlApplicationBridgeDelegate // -registrationDictionaryForGrowl has moved to the informal protocol as of 0.7. @end //------------------------------------------------------------------------------ #pragma mark - /*! * @category NSObject(GrowlApplicationBridgeDelegate_InformalProtocol) * @abstract Methods which may be optionally implemented by the GrowlDelegate. * @discussion The methods in this informal protocol will only be called if implemented by the delegate. */ @interface NSObject (GrowlApplicationBridgeDelegate_InformalProtocol) /*! * @method registrationDictionaryForGrowl * @abstract Return the dictionary used to register this application with Growl. * @discussion The returned dictionary gives Growl the complete list of * notifications this application will ever send, and it also specifies which * notifications should be enabled by default. Each is specified by an array * of NSString objects. * * For most applications, these two arrays can be the same (if all sent * notifications should be displayed by default). * * The NSString objects of these arrays will correspond to the * notificationName: parameter passed in * +[GrowlApplicationBridge * notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:] calls. * * The dictionary should have the required key object pairs: * key: GROWL_NOTIFICATIONS_ALL object: NSArray of NSString objects * key: GROWL_NOTIFICATIONS_DEFAULT object: NSArray of NSString objects * * The dictionary may have the following key object pairs: * key: GROWL_NOTIFICATIONS_HUMAN_READABLE_NAMES object: NSDictionary of key: notification name object: human-readable notification name * * You do not need to implement this method if you have an auto-discoverable * plist file in your app bundle. (XXX refer to more information on that) * * @result The NSDictionary to use for registration. */ - (NSDictionary *) registrationDictionaryForGrowl; /*! * @method applicationNameForGrowl * @abstract Return the name of this application which will be used for Growl bookkeeping. * @discussion This name is used both internally and in the Growl preferences. * * This should remain stable between different versions and incarnations of * your application. * For example, "SurfWriter" is a good app name, whereas "SurfWriter 2.0" and * "SurfWriter Lite" are not. * * You do not need to implement this method if you are providing the * application name elsewhere, meaning in an auto-discoverable plist file in * your app bundle (XXX refer to more information on that) or in the result * of -registrationDictionaryForGrowl. * * @result The name of the application using Growl. */ - (NSString *) applicationNameForGrowl; /*! * @method applicationIconForGrowl * @abstract Return the NSImage to treat as the application icon. * @discussion The delegate may optionally return an NSImage * object to use as the application icon. If this method is not implemented, * {{{-applicationIconDataForGrowl}}} is tried. If that method is not * implemented, the application's own icon is used. Neither method is * generally needed. * @result The NSImage to treat as the application icon. */ - (NSImage *) applicationIconForGrowl; /*! * @method applicationIconDataForGrowl * @abstract Return the NSData to treat as the application icon. * @discussion The delegate may optionally return an NSData * object to use as the application icon; if this is not implemented, the * application's own icon is used. This is not generally needed. * @result The NSData to treat as the application icon. * @deprecated In version 1.1, in favor of {{{-applicationIconForGrowl}}}. */ - (NSData *) applicationIconDataForGrowl; /*! * @method growlIsReady * @abstract Informs the delegate that Growl has launched. * @discussion Informs the delegate that Growl (specifically, the * GrowlHelperApp) was launched successfully. The application can take actions * with the knowledge that Growl is installed and functional. */ - (void) growlIsReady; /*! * @method growlNotificationWasClicked: * @abstract Informs the delegate that a Growl notification was clicked. * @discussion Informs the delegate that a Growl notification was clicked. It * is only sent for notifications sent with a non-nil * clickContext, so if you want to receive a message when a notification is * clicked, clickContext must not be nil when calling * +[GrowlApplicationBridge notifyWithTitle: description:notificationName:iconData:priority:isSticky:clickContext:]. * @param clickContext The clickContext passed when displaying the notification originally via +[GrowlApplicationBridge notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:]. */ - (void) growlNotificationWasClicked:(id)clickContext; /*! * @method growlNotificationTimedOut: * @abstract Informs the delegate that a Growl notification timed out. * @discussion Informs the delegate that a Growl notification timed out. It * is only sent for notifications sent with a non-nil * clickContext, so if you want to receive a message when a notification is * clicked, clickContext must not be nil when calling * +[GrowlApplicationBridge notifyWithTitle: description:notificationName:iconData:priority:isSticky:clickContext:]. * @param clickContext The clickContext passed when displaying the notification originally via +[GrowlApplicationBridge notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:]. */ - (void) growlNotificationTimedOut:(id)clickContext; @end #pragma mark - /*! * @category NSObject(GrowlApplicationBridgeDelegate_Installation_InformalProtocol) * @abstract Methods which may be optionally implemented by the Growl delegate when used with Growl-WithInstaller.framework. * @discussion The methods in this informal protocol will only be called if * implemented by the delegate. They allow greater control of the information * presented to the user when installing or upgrading Growl from within your * application when using Growl-WithInstaller.framework. */ @interface NSObject (GrowlApplicationBridgeDelegate_Installation_InformalProtocol) /*! * @method growlInstallationWindowTitle * @abstract Return the title of the installation window. * @discussion If not implemented, Growl will use a default, localized title. * @result An NSString object to use as the title. */ - (NSString *)growlInstallationWindowTitle; /*! * @method growlUpdateWindowTitle * @abstract Return the title of the upgrade window. * @discussion If not implemented, Growl will use a default, localized title. * @result An NSString object to use as the title. */ - (NSString *)growlUpdateWindowTitle; /*! * @method growlInstallationInformation * @abstract Return the information to display when installing. * @discussion This information may be as long or short as desired (the window * will be sized to fit it). It will be displayed to the user as an * explanation of what Growl is and what it can do in your application. It * should probably note that no download is required to install. * * If this is not implemented, Growl will use a default, localized explanation. * @result An NSAttributedString object to display. */ - (NSAttributedString *)growlInstallationInformation; /*! * @method growlUpdateInformation * @abstract Return the information to display when upgrading. * @discussion This information may be as long or short as desired (the window * will be sized to fit it). It will be displayed to the user as an * explanation that an updated version of Growl is included in your * application and no download is required. * * If this is not implemented, Growl will use a default, localized explanation. * @result An NSAttributedString object to display. */ - (NSAttributedString *)growlUpdateInformation; @end //private @interface GrowlApplicationBridge (GrowlInstallationPrompt_private) + (void) _userChoseNotToInstallGrowl; @end #endif /* __GrowlApplicationBridge_h__ */ unison-2.40.102/uimacnew09/Frameworks/Growl.framework/Headers/Growl.h0000644006131600613160000000020211361646373025406 0ustar bcpiercebcpierce#include "GrowlDefines.h" #ifdef __OBJC__ # include "GrowlApplicationBridge.h" #endif #include "GrowlApplicationBridge-Carbon.h" unison-2.40.102/uimacnew09/Frameworks/Growl.framework/Growl0000755006131600613160000077227011361646373023635 0ustar bcpiercebcpierceu ,t 4  x__TEXT__text__TEXT`__symbol_stub1__TEXT$zr$z__stub_helper__TEXT}x }__cstring__TEXT-__const__TEXT0 0__unwind_info__TEXTPP__eh_frame__TEXT `H__DATA00__nl_symbol_ptr__DATAp__la_symbol_ptr__DATApp__dyld__DATA__cfstring__DATA__gcc_except_tab__DATA__objc_msgrefs__DATApp__objc_protorefs__DATA__objc_selrefs__DATAP__objc_classrefs__DATAHH__objc_superrefs__DATA__objc_classlist__DATA__objc_catlist__DATA00__objc_protolist__DATA88__objc_imageinfo__DATAHH__data__DATA` `__bss__DATA@pH__LINKEDITuu X@executable_path/../Frameworks/Growl.framework/Versions/A/Growl@F,WO8"6]"0``H h/>xQ@$ PMM9L4HC,l8/usr/lib/libobjc.A.dylib p"/System/Library/Frameworks/ApplicationServices.framework/Versions/A/ApplicationServices X/System/Library/Frameworks/Carbon.framework/Versions/A/Carbon X.-/System/Library/Frameworks/AppKit.framework/Versions/C/AppKit `,/System/Library/Frameworks/Foundation.framework/Versions/C/Foundation 8/usr/lib/libgcc_s.1.dylib 8o/usr/lib/libSystem.B.dylib h /System/Library/Frameworks/CoreServices.framework/Versions/A/CoreServices h/System/Library/Frameworks/CoreFoundation.framework/Versions/A/CoreFoundationASLcAS%cUH5@HAVAUATISHH=#H=IH9t,H5H5HH5`HdcH=IH5H5LH5HH5H!cH=H5WQHH53L*H5SHJH5HbH=u[A\A]A^H5jH=1aH=H5HH5LH5HH5JHfbE1H LALH5_LVH=H582H5HAH=XH5H HL EHH51H=HH`H5t"H HH5E1ILLE1HLH5=L4HH5H=H5F@H 9HL EHmH51H=HHH5t"H H5E1ILLE1HLH5LHH5?9LHH5XR|[A\A]A^UHHUHH H=HE uHD$HD$Et$H5$UH50HH]LeLLmLuIL}HPEH}IMH=KL} EHE(HEEEE1HH1H UH5f`MHtH5YLHUMtH5bLHUMtH5kLHwUMtH5tLH`UEątUH5xHQU}tUH5HUH}tHUH5HUH}HH5HLH]LeLmH5tLuL}AUHH]LeHLmLuIL}H@=H5"IHH5LMHtSHH5LHHu+H~^HH=Է1]n^Ha^H]H=lH5mgHH5IHI=IHH5,H#MItLH5Lu1MAtLH5Lu1DAH5HEHEt.H5yLH_iH :HH5HH}Et.H5FLH,6H ǶHH5H}H5hH}^HH=dH5ILH]LeLmHLuL}E11HH5AH]LeLmLuL}UH=H5jHaHUHAUATLeSHL-)EENL[IuHHYHt%H51HOZHuH0ZH!ZL[ft1H[A\A]UHUHHATIStH5 H5.(HH=H571HH5H5H[HLL5[A\H5+AU1LH5HAU`HUSHUH=>HHt1HH5tH=LH5A1UHHATSHuH=H5tnHH ̴HH5FHE1:Ht@H=HH5HIu!H5HH=H1Y[LA\UH5HH]LeHIHHuO1H5|LsHHu5H=LH5H5pHgH=XH1HH5LH5HH5XHtXHIHtH H5>L5MtHH5RLIHҲH5CL:H)HIHLHItrH=H5E1LHH H5E1=HLH5 LH HHH5vpH5HHH5pLg1Mt LUHH5MtH$H5EL<tWH H5:L1Hu6H H5LHtH ѱHH5LMtHH5ӿLʿtFHױH5LHu*HsSHSH HH5ULLLH]LeLmH5LuL}AH]Le1LmLuL}UH5'HAUATSHHHHpIH5HHueHHuBHH5HH5&HH5HUHHtH H5tLkH H5LHueH@HuBHDH5uHlH5HH5 H)UHHtH H5LHH5LHH+H5LHu~H=H5HL%H=H5H5H|H߉H5pAHH5SLH H@H5ɿHLHL[A\A]H5vAUH=H6QH9QUHSHHH=Ht1HH5tH=H5HuJH1H5HٽHu.H=H5LiHHH5[[AH[UH5WHH]LeHLmLuH H=V0H5HL%)IL-HH5HHH5.(LH5~HALL^H$Ld$Ll$H5ILt$AUH5HH]LeHLmLuH H=H5:H1L%zIL-HH5HHH5yLH5HALLH$Ld$Ll$H5Lt$AUH5HH]HLeLmLuH IH=oL-IHH5+%IH{LLH5nHAH=H5H$Ld$H5Ll$Lt$1~QUHLeH]HH=jI)1H=HHH5HHH=)H5HHʣH5#H ILL H5&HHHH5Ht3HHH5HظH5HH5HH=]1OH51|PFHHu6HvPHH=̩1OH5V1KPXPHNPHOH1H$Ld$UH5HATSHH=H5HIH=HH5tH=H5ѷ˷H=H5-'E11HHH5H=ԿH5E1HH RHH5 =KtH5:H12[LLH5A\AU1LH5HAUH5HAWAVAUATSHXH}HUH=H5&HHHu>H=޾H5wqH HHH5 HHHH=hHH5F@H(L}EEZLM1Ht HKHH5mgHHHH560HHH5õuLLftH}DHH;mLH;HIeLLIKL%L-VMHUH5ĸH}MHALHH5 1AHLH5HLIGKH5ҴLɴH=vIHH5H=LH5H)HHH5I%LLHH5F@H5YIHMH=vIH.H57H=*LH5 H)HgHH5IH=ELEHUH5Ht*1LH5HuIH=LTK8HUH=L1=KHuH=1+KH}H5ZTH=H5LHH5t!H=H5{LmIE11AAL nspcodotvea$/HHIu)H5H}H=H1uJ1KLH5F@HH5!H5HHIH5HMHlruf----LGAt2IH5HH}۴H=HIcH1ILuLLEGAt4kIH}HH5H=dHIcH1IW1HLFAt2IH5OHH}BH=3HIcH11ILFEHX[A\A]A^A_UH=HATHSHtiHqH5zttH=H5b\3H=HDH5E?tH=dH5HIuHH5qHhHItFHIH=ZH5[UH5.HLӄtZLH5HIuBHHH5#H1HIt HxFHH5.([LA\UHHU@=HUHUH1HHtHpHtHH8EHUHH]LeHLmLuL}H@HuVEHHH5'1HEHIu`HEHH>1HSFHIu HEIHEMH= L1FLE1HFHIu LEIHM11LHE'HUIHtH=ͤL1FH}PEMuH=ΤL1rFmLDHDH9tXDHDDLIDH1DH=MHLLH1FHDLDLE1DLDLDE1LH]LeLmLuL}U1HAVAUATISH HH3H1H8CMItH5ǠLaDt~H5LCufHIHt3HxHuHxHt!H5CHHt DHHu UHHtH5ULHtCHCMtH5VLCH5?L Cu~HHt3HxHuHxHt!H5CHHt xCHHu%HIt2H?LHJCHtH5ȟLHBH+CMtH5ɟL#CH5L^BHIH9Ht]HEHHL LHuHUHUH8BHHt+H5<LHBHBH5 LALfBMtH5DL^Bt>H51LAu&H5>LAHtH5 HLAMtH53L Bt2H5 LLAu AH@H5HL_ALH [A\A]A^U1HUHAVAULmATE1SHL5<EEQLE1BHHt9I6H@HtH5HA@uE1H6AEu L%BftHA[A\A]A^U1HH]LmLmLuLeHĀHHH;?1LnappIHEAfu[H;L4AHItHH;HhH?HHt&Hr?HULHHHED?Hh@L`@1Lnapp$AfubHLH;@HItHH;HH+?HHt&H>HULHHHE>H?L?1Lnapp@fubHLH;>@HItHH;HrH>HHt&H|>HULHHHEN>Hr?Lj?LH]LeLmLuUHAWIAVAUATSHH8H0HIH>1I=LLf=HHt&H>HtH5ҞH>HtXLL9|HDž@L>H@#H@HH511=HHHuH|>H@MuHsHHxX>HrH $E1HAH=MH=uHƒHג1H8<HHLHPHuE1ɹHEHLPHEH0HXHbH8=HHtH=Hc<H=E1H8HIuH5H=1>bL5I>=I>HH=HI!=HLPL-ޑI>HPHXHyL`LHhHHp;LH<I>H`H<HI<I>11L$=LHE<HuI>0=HH+=H8HMHHE9<HUHt'HuH=1n=H8H=Қ1Y=HE1<H<H}uI>HuL:IH};HHH}1LeHEE HEHE<HH;MtL;H@;1HĨ[A\A]A^A_U1ҾnappHAWL}AVLAUATSHX"<fL-LI};HHI}HH;HI:Mt`I}L9LH:HtFH9HtH5H:HH:H:H11Lnapp\;fuWL52LI>:HIt=I>HEH:LIC:MtI>L=9LH(:Ht4H79HtH5H:HH191Lnapp:fuWL5LI>H:HIt=I>HH:LI9MtI>L8LH9Ht.H8HtH5PHk9HtvHL941HIt_H!81IALLf8HHt*H.8HtH5H 9HFLL9|1L81HHX[A\A]A^A_ULHSHHƶHt$HX`HtH5)"8HIH[AH[ULHSHHHt$HXhHtH57HIH[AH[UHKHATHSt HpHtH،H87HIu1HItL1XHLI7[LA\UHH]LeHLmIH HILHZMtL7LeH]LmUHH]LeHLmLuH06L-"HpHI}6HIHI6H5L6upH3HtdHpHt[I}(7HHu0H5eL{6I}H7HHu 5 HHtH55LHT6H6H5;L6HHt HpHtH?H85HHuNH5L5HHH85HHu% HIt2H! LH,6HtH5LH5H 6L6H5LT5tUH55LA5uB7EHHUܾ H85HHtH5LH95H5LH]LeLmLuUHSH=t2H'5H5 HHE115HH[D5H[UH5?HLeH]ILmLuL}HHtQHHuH5&H=(6nLhMu/HxHtH5<U4HIuH5H=1HHIT$( HxH7HpH H]HHEHsH]HHEHH]HHEH'H]HHEH;3IID$(H;HUϾH?E3IL$IIt$ID$IT$ L L@HH(H0H8LHHPHDžXHDž`HDžhtHuH(H0HHEH0H8HHE8HPH8HZɃHxtHHpH@H I|$0t HHpID$0H I|$@t ID$@H+HpH HL H L{HpH82HH H2L2L}2H]LeLmLuL}UHHPEEHU1EH}H}H?HEHHEHEDEHH#EHEHuHMH HEHEHEUHHATSt 1AH=IHt1L1L11HϯSL1[A\U1HUHAUATSHHH=H9t0Ht HGPHtHtHCHHtHHHQHHt&LgMu9HHtH50HIuH5tH=͊14212HL HAL11H;1I2H;L HڊAL110H=ItZ=@0HHAE1LHH0HAE1LHH/f@=]t7/H5^H1LH/H51LH/$L/L/1H[A\A]UHAVAUATS}/H5Hz/H=Hte.E1I"HHu!HwI>H5KH "HH8H=\1McHL#HtHu"E$L#fDuH 1Ҿ#MuiHKfH8HEIHEIGHEIGHEIGHEIG HEIG(HEIG0HEIG8HEIG@HEIGHL1L#HH(Lƅ HHH:H0HB"DH=bMc1L"ftQH@HH-"tH(KHcȾH1H#H=/LH1P"zP"HHL@HHDžPHF"fDuuME1ft@HL!tH$HHcȾL1"H=IcLfL!fDrL@HL!tHJHcȾL14"H=[IcL1!ftLL@HL tHIHcȾL1!H=IcL1 EDDH ftIL@H}LQ tHFHcȾL1l!H=ӃIcL1t EDDHeD[A\A]A^A_UHAWAVAULmATILSHHHH0LHH8tuHHH=v1uH=L1HPLP1LHH@{ L~LH@H=LLL1ftfwtXH=IL1m(H81MLLLt=wt'LcHHH='L1+9HHrHH8YHĨ[A\A]A^A_UHH]LmHL}LeALuHPHIHMuH=؂1+L58rHI>gHIuH=΂H1E1HDuH=ɂHE1loI>LMLED1LHEHIuHUH=H1-MtHEIH}HtH}t HEH8LLLH]LeLmLuL}UHLeLmILuL}E1H]H`HIAtIMHEt LHE1fAIHEHHEH%H1MtL}HEH1LLULfAtfD,CHMtHUH CHE1LHU HpHUHLeH]LmLuHHjpL}H8UH5}HLeLmILuH]IH0ZHItVH3H=H5-'LHH5 H$L #xMH 9x1HLLH]LeLmLuUHATISHHHHH<HHI<zH{HI<fHOLeH}H5@HE6H[A\HNUHHH5UHHUHLeLmIH]H H IH<H9t>H5HLH5LLeLmH]HH]LeLmHUHHUHLeLmIH]H H~IH<H9t>H5c]H^LH5,&LLeLmH]H~H]LeLmUHAWAVAULpATLeSHxHhEEE1AL&f1HLLLDžpHfD;uvL[HHtH}HuLEH[mH5,HH HhHH5t:HvH5HHtH=HH5DuIH5H#UċuH=}I11Jf=t!H5KH=}H1!HxL[A\A]A^A_UHsL H5HAUHH]LeHLmLuL}H@HΕHH=HgwH5H5H_HHHH5icH5LHCH5,H#HH5HH5 HH5HI݆H5ƆHH|HH5<6t6H=CHH5 H5ܔHH͔HH5uLlH5UHLHm|HH5ˆņt6H=҈LH5H5kH'H\HWH=H5ׅ݅HE+H5IHIH5LyHH{H5RHIHvHH582H5HHH} tHH=H5ƅHH{H5̈́HĄHbHuH5HH=H5GHH87H5LHEH{H5tHkH}H5 IHIH5LH]tHH5HL%τLH5LHHH5AHHt:H5HHt%H tH5HHH5SLJH5LHI2H5H}}HH]LeLmLuL}H=֑UHu~H5H5HH=uXH=H5H GqHH]qH5~xH=ɅH5HH5ZHHKUHAWAVAUATISDH(HcHκ"IHDL%݁H5H݁H5ƁHHAH=&H5oIfH5OILCI*HH5tLktHH5MLDH5LHHuMPt4 t\H=x1E1E&t*u)H9xH5H=x}IH9xHPxL=xH=8H5{LIEHL%IH5HH5zHHAH5HEL IKLH5ހHՀHMHHH5Lt}tHH5H}H5LHuLmH(L[A\A]A^A_UE1LH5HAUAH5qHATISbH5HHHtHL01[A\H5$AAH5LH5YHHMHtY1HH5~~HvHH5HH=uH51HHH5~~u1H[A\UAH5}~HH]LeILmH a~H5~HH~HIt#HL,~H]LeLm1H5~AH5}L}HHtIH|uH5~H~HH=H5~~1HHH5}}IDHLeH]LmUAH5}HH]LeILmH }}H5}HH}HIt#HLH}H]LeLm1H53}AH5}L|HHtIHtH5}H}HH=H5}}1HHH5||IDHLeH]LmU1L|H5||HAUH5}HAVAUATSHH=I}HIuH=,H5-|'|HHLH5||H=IH5{{HL%{H5|L|H5{HHAH5 }IL|I&H5q{HH|a{H5 |HLH5|L|Hu1AHH5;}5}H=>H57{1{LHHsH5z1zH5zHHLzt IIuLH5||HLzH5z[A\A]A^AUH5^zHH]LeHLmH BzL-{IHH6sH5zzLMH]LeLmHH5{AUHAUIATSHHuH= s1 QLeHE LH HHL6 ft'L H=rHHcL1 E1H}HME1E111HE4 H}؉ tE1tKH=rHcL1o 5HuHtH_1H8 IH=r1E18 H} HL[A\A]UHH]LeLmHĀI? H5prIĺH LH HH]LH) tvHU1HHEW ftH=4rHcL1 BH}f H}3 HHEH0H^H8d H}H> H} 1HLeH]LmUH5qHH]LeHLmHh H5qHIV HtHHMH5qH( HHEtHUؾ H^ Lb11HH1 HA At1H`D D H]HU1LH8 1H]LeLmUHH]LeHLmLuL}H0HuH56qH=b1 116 HIMIHAljE1DtsH^]H _]H[]H8It+H5epLHLhH5p1LBEtH5UpLLL8LH]LeLmLuL}UHUHH]LeILmH0H\IUHUܾ H8LHLHcHH]LeLmUHt H\H\H,UHUHH HtHU HGEEUH1Ht H=UH5xHATISHHEMEMEM E(MEbxEHEMEHEHEME(f(M f(HEEMu-MH5wEHM E(f(Mw1H5wHHEHEwf.EMEMw f.Mf.EvEM^YMf(p\EY?XEpEMNMf.vCM^MYf(p\EY?XEgpEMH5vHvH=#xH5vvHH5vvHUMf.v\f(Y ?XEEEf.Ev!\EEY>XEEMHUMHEHU M HE(E(MEEHEMHT$0ELHEHD$ HEMH5uE(EHD$(EHEMEHD$8HEM H$HEHD$HE HD$HE(HD$nuH[A\UH5JuHSHHHEM/uH5uHuEHEHMH5tHEHEEHEMtHEHEHEEHEMHH[UH5tHLeLmIH]LuL}HpEMEotHI H5LtLA=tH5&tHtfWIEH5tHtMfWEHEf.MUHEHE\UHEvf.wDEu4f(EfT <fT<f.wfWf.vMf.v UIE1H5lsLcsHH[Mu+LL8sH]LeLm1LuL}H5sALH]LeLmLuL}UH5&sHATSH0EM sH5rHrIGH5sHwsEHEMUHEHE]EHEMuH5rLrHHuH0H[A\UH5DrHH]LeHH IH&rHu&HtLH]H}H5qHEqHH]LeH%FV%HV%JV%LV%NV%PV%RV%TV%VV%XV%ZV%\V%^V%`V%bV%dV%fV%hV%jV%lV%nV%pV%rV%tV%vV%xV%zV%|V%~V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%W%W%W%W%W% W% W%W%W%W%W%W%W%W%W%W% W%"W%$W%&W%(W%*W%,W%.W%0W%2W%4W%6W%8W%:W%W%@W%BW%DW%FW%HW%JW%LW%NW%PW%RW%TW%VW%XW%ZW%\W%^W%`W%bW%dW%fW%hW%jWH=jRtLiRAS%YRHܛhLRhLRh*LRh@LRh\LRhyLzRshLpRahLfROhL\R=hLRR+hLHRhL>Rh3L4RhQL*RhqL RhLRhL RhLRhLQhLQwh9LQehYLQShnLQAhLQ/hLQhLQ hLQhLQh&LQhFLQhaLQhLvQhLlQhLbQ{hLXQihLNQWh LDQEh@L:Q3h]L0Q!hmL&QhLQhLQhLQhLPhLPh'LPhTLPhLPhLPmhLP[hLPIhLP7h*LP%hDLPhgLPhLPhL|PhLrPhLhPhL^PhLTPhLJPh:L@Pqh\L6P_hL,PMhL"P;hLP)hLPh LPh5LOhOLOhyLOhLOhLOhLOh LOh; LOuhl LOch LOQh LO?h LO-h LOh LxO h3 LnOhN LdOhi LZOh LPOh LFOh LMhAL4Mh\L*MhuL MhLMhL MhLMhLLc16@0:8c24@0:8@16@16@0:8@32@0:8@16@24v20@0:8c16v16@0:8v72@0:8@16@24@32@40i48c52@56@64v64@0:8@16@24@32@40i48c52@56O@16@0:8Vv24@0:8O@16launchGrowlIfInstalled_launchGrowlIfInstalledWithRegistrationDictionary:_growlIsReady:growlProxyconnectionDidDie:growlNotificationTimedOut:growlNotificationWasClicked:_applicationIconDataForGrowlSearchingRegistrationDictionary:_applicationNameForGrowlSearchingRegistrationDictionary:frameworkInfoDictionarynotificationDictionaryByFillingInDictionary:registrationDictionaryByFillingInDictionary:restrictToKeys:registrationDictionaryByFillingInDictionary:bestRegistrationDictionaryregistrationDictionaryFromBundle:registrationDictionaryFromDelegatewillRegisterWhenGrowlIsReadysetWillRegisterWhenGrowlIsReady:reregisterGrowlNotificationsregisterWithDictionary:displayInstallationPromptIfNeededisGrowlRunningisGrowlInstallednotifyWithDictionary:notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:identifier:notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:growlDelegatesetGrowlDelegate:growlIsReadyregisterApplicationWithDictionary:applicationIconForGrowlregistrationDictionaryForGrowldefaultCenterautoreleaseaddObserver:selector:name:object:processInfoprocessIdentifierallocinitWithFormat:respondsToSelector:removeObserver:name:object:initWithObjectsAndKeys:postNotificationWithDictionary:classobjectForKey:isKindOfClass:mutableCopyTIFFRepresentationsetObject:forKey:postNotificationName:object:userInfo:deliverImmediately:growlPrefPaneBundlemainBundlepathForResource:ofType:dictionaryWithContentsOfFile:bundlePathcontainsObject:removeObjectForKey:initWithInt:processNameinituserInfodrainobjectconnectionWithRegisteredName:host:rootProxysetProtocolForProxy:postNotificationName:object:userInfo:runningHelperAppBundlefileURLWithPath:stringWithFormat:stringByAppendingPathExtension:lengthsubstringToIndex:stringByAppendingPathComponent:dataFromPropertyList:format:errorDescription:writeToFile:atomically:absoluteStringdataUsingEncoding:bytesgrowlVersionGrowlApplicationBridgeGrowlNotificationProtocolGrowlApplicationBridge: Cannot register because the application name was not supplied and could not be determinedLend Me Some Sugar; I Am Your Neighbor!GrowlClicked!%@-%d-%@GrowlTimedOut!NotificationNameNotificationClickContextNotificationStickyGrowlNotificationIdentifierGrowlApplicationBridge: exception while sending notification: %@NotificationAppIconGrowlNotificationgrowlRegDictGrowl Registration TicketGrowlApplicationBridge: The bundle at %@ contains a registration dictionary, but it is not a valid property list. Please tell this application's developer.GrowlApplicationBridge: The Growl delegate did not supply a registration dictionary, and the app bundle at %@ does not have one. Please tell this application's developer.com.growl.growlframeworkGrowlApplicationBridgePathwayReceived a fake GrowlApplicationBridgePathway object. Some other application is interfering with Growl, or something went horribly wrong. Please file a bug report.GrowlHelperApp%@-%u-%@GrowlApplicationBridge: Error writing registration dictionary at %@GrowlApplicationBridge: Error writing registration dictionary at %@: %@GrowlApplicationBridge: Registration dictionary follows %@%@: Could not create open-document event to register this application with Growl%@: Could not set direct object of open-document event to register this application with Growl because AEStreamWriteKeyDesc returned %li/%s%@: Could not finish open-document event to register this application with Growl because AEStreamClose returned %li/%s%@: Could not send open-document event to register this application with Growl because AESend returned %li/%sGrowlApplicationBridge: Delegate did not supply a registration dictionary, and the app bundle at %@ does not have oneGrowlApplicationBridge: Got error reading property list at %@: %@GrowlApplicationBridge: Delegate did not supply a registration dictionary, and it could not be loaded from %@GrowlApplicationBridge: Registration dictionary file at %@ didn't contain a dictionary (dictionary type ID is '%@' whereas the file contained '%@'); description of object follows %@ApplicationNameApplicationIconAppLocationfile-dataDefaultNotificationsApplicationIdcom.Growl.GrowlHelperAppprefPanecom.growl.prefpanelCallbackContextGrowlApplicationBridge: Could not find the temporary directory path, therefore cannot register.%@/.GrowlApplicationBridge: Error writing registration dictionary to URL %@: %@ClickedContextApplicationPIDGrowlApplicationBridge: Growl_PostNotification called with a NULL notificationGrowlApplicationBridge: Growl_PostNotification called, but no delegate is in effect to supply an application name - either set a delegate, or use Growl_PostNotificationWithDictionary insteadGrowlApplicationBridge: Growl_PostNotification called, but no application name was found in the delegateNotificationTitleNotificationDescriptionNotificationPriorityNotificationIconGrowlApplicationBridge: Growl_SetDelegate called, but no application name was found in the delegaterbin copyCurrentProcessName in CFGrowlAdditions: Could not get process name because CopyProcessName returned %liin copyCurrentProcessURL in CFGrowlAdditions: Could not get application location, because GetProcessBundleLocation returned %li in copyTemporaryFolderPath in CFGrowlAdditions: Could not locate temporary folder because FSFindFolder returned %lir%s:%dIPv4 un-ntopable[%s]:%dIPv6 un-ntopableneither IPv6 nor IPv4in copyIconDataForURL in CFGrowlAdditions: could not get icon for %@: GetIconRefFromFileInfo returned %li in copyIconDataForURL in CFGrowlAdditions: could not get icon for %@: IconRefToIconFamily returned %li in createURLByMakingDirectoryAtURLWithName in CFGrowlAdditions: parent directory URL is NULL (please tell the Growl developers) in createURLByMakingDirectoryAtURLWithName in CFGrowlAdditions: name of directory to create is NULL (please tell the Growl developers) in createURLByMakingDirectoryAtURLWithName in CFGrowlAdditions: could not create FSRef for parent directory at %@ (please tell the Growl developers) PBCreateDirectoryUnicodeSync or PBMakeFSRefUnicodeSync returned %li; calling CFURLCreateFromFSRefCFURLCreateFromFSRef returned %@in createURLByMakingDirectoryAtURLWithName in CFGrowlAdditions: could not create directory '%@' in parent directory at %@: FSCreateDirectoryUnicode returned %li (please tell the Growl developers)(could not get path for source file: FSRefMakePath returned %li)in copyFork in CFGrowlAdditions: PBOpenForkSync (source: %s) returned %liin copyFork in CFGrowlAdditions: PBGetCatalogInfoSync (source: %s) returned %liPBMakeFSRefUnicodeSync(could not get path for destination directory: FSRefMakePath returned %li)(could not get filename for destination file: CFStringCreateWithCharactersNoCopy returned NULL)in copyFork in CFGrowlAdditions: %s (destination: %s/%@) returned %liPBCreateFileUnicodeSyncin copyFork in CFGrowlAdditions: PBOpenForkSync (dest) returned %li(could not get path for dest file: FSRefMakePath returned %li)in copyFork in CFGrowlAdditions: PBOpenForkSync (destination: %s) returned %liin copyFork in CFGrowlAdditions: PBReadForkSync (source: %s) returned %liin copyFork in CFGrowlAdditions: PBWriteForkSync (destination: %s) returned %liin copyFork in CFGrowlAdditions: PBCloseForkSync (destination: %s) returned %liin copyFork in CFGrowlAdditions: PBCloseForkSync (source: %s) returned %liin createURLByCopyingFileFromURLToDirectoryURL in CFGrowlAdditions: CFURLGetFSRef failed with source URL %@in createURLByCopyingFileFromURLToDirectoryURL in CFGrowlAdditions: CFURLGetFSRef failed with destination URL %@PBIterateForksSync returned %liin GrowlCopyObjectSync in CFGrowlAdditions: PBIterateForksSync returned %liin createURLByCopyingFileFromURLToDirectoryURL in CFGrowlAdditions: CopyObjectSync returned %li for source URL %@in createPropertyListFromURL in CFGrowlAdditions: cannot read from a NULL URLin createPropertyListFromURL in CFGrowlAdditions: could not create stream for reading from URL %@in createPropertyListFromURL in CFGrowlAdditions: could not open stream for reading from URL %@in createPropertyListFromURL in CFGrowlAdditions: could not read property list from URL %@ (error string: %@)@"NSDictionary"@"NSString"@"NSData"v24@0:8@16registrationDictionaryapplicationNameForGrowlapplicationIconDataForGrowlsetApplicationIconDataForGrowl:setApplicationNameForGrowl:deallocinitWithAllNotifications:defaultNotifications:releaseretainGrowlDelegateGrowlApplicationBridgeDelegateAllNotifications@24@0:8@16@28@0:8i16Q20@32@0:8i16Q20c28defaultSavePathForTicketWithApplicationName:nextScreenshotNameInDirectory:nextScreenshotNameticketsDirectoryscreenshotsDirectorygrowlSupportDirectorysearchPathForDirectory:inDomains:searchPathForDirectory:inDomains:mustBeWritable:helperAppBundlebundleForProcessWithBundleIdentifier:isEqualToString:bundleWithPath:bundleWithIdentifier:stringByDeletingLastPathComponentpathExtensionlowercaseStringdefaultManagerobjectEnumeratornextObjectfileExistsAtPath:bundleIdentifiercompare:options:enumeratorAtPath:skipDescendentscountarrayWithCapacity:isWritableFileAtPath:addObject:fileExistsAtPath:isDirectory:objectAtIndex:createDirectoryAtPath:attributes:directoryContentsAtPath:initWithCapacity:stringByDeletingPathExtensionGrowlPathUtilities+[GrowlPathUtilities bundleForProcessWithBundleIdentifier:]BundlePathCouldn't get information about process %lu,%lu: GetProcessInformation returned %i/%s%s: GetNextProcess returned %i/%sprefpanePreferencePanesGrowl.prefPaneappScreenshotsTicketsPluginsERROR: GrowlPathUtil was asked for directory 0x%x, but it doesn't know what directory that is. Please tell the Growl developers.Application Support/GrowlScreenshot %llugrowlTicketWARNING: createFileURLWithAliasData called with NULL aliasDatain createFileURLWithAliasData: Could not allocate an alias handle from %u bytes of alias data (data follows) because PtrToHand returned %li %@in createFileURLWithAliasData: Could not resolve alias (alias data follows) because FSResolveAlias returned %li - will try path %@in createFileURLWithAliasData: FSCopyAliasInfo returned a NULL pathfilein createAliasDataForURL: FSNewAlias for %@ returned %li_CFURLString_CFURLAliasData_CFURLStringTypein createDockDescriptionWithURL: Cannot copy Dock description for a NULL URL@32@0:8{CGSize=dd}16{CGSize=dd}32@0:8{CGSize=dd}16v64@0:8{CGRect={CGPoint=dd}{CGSize=dd}}16Q48d56replacementObjectForPortCoder:representationOfSize:bestRepresentationForSize:adjustSizeToDrawAtSize:drawScaledInRect:operation:fraction:sizesetScalesWhenResized:currentContextsetImageInterpolation:drawInRect:fromRect:operation:fraction:setSize:representationsbestRepresentationForDevice:isBycopyGrowlImageAdditions? LPXXxhxx+  ND  x  g!m!!_"##A' >)W) ) + J-N.f.345699<B-CCCE1FI}IIIKVLLwM^NNOpOOPHPP)QS_i``a{aabccgWhjjksmm oWrOsYss0t.ww"y$z QXQzPLRx D$hb% 4lEe  4e> D e` D$8f?+ 4l/h  Dh  4_h <$-h| 4dih 4Ih  4h  4 gE <Dg <Sh  4h Lh   <Lk 4m 4wm Dm DD@n Dn <n\'  <p 4Tp <p,  <u. zRx ,v  ,L]v  ,|:v  ,v0 <v <w ,\3z  <z <kz < { <L ,C , C 4b <$GP <dW ,K <9 ,φv 4D] ,|:  4 4 zRx <  4\b} D   4Fk ,yN ,DY 4t;  ,ÊZ 4C  4 ,Lp1 4|q  4u 40 4$ R  <\&} Dc  D+` <,C! Dl$   zRx <×  4\!z ,c ,D <%v  ,4[ <dPbt΅(:L^pʆ܆$6HZl~Ƈ؇__q' Ǒ֑Ԝ8@y Ȓhƙ ҙ ܙ̫  4X8  ChG:PHؖvPmu8Am"8AP_(K(0N@hcpnhsޞ(jga 8HIOECNI8OOئJ0kp8KqMPa_mT!C OW` >XpC8 (LE46gr}E48Ms$:3ȭX8ߏL͏9ukH:'4B+&ߌ֪ (؊ގVhP:' ؍ ȋȈ~xfZ8`,Ox&r,~ xڮ@ج}gTN>, 8׭ȭގm ]L׭شr0m B'֪ߌ````` ؐ@((ؐN.Ȉf.J- &+O+'*B)`3W)ى&>)A'(1#h#&"_"؊&" "?"9J!Vm!pJg!  xȋX0x& `@((a&{a0a֪&`&`OJi`X1_ 80֪( 0((0   o@m_&smr&l&k&jjجWh &g&c&c by{"y{w0.wH0tHǐ؍H!p`Dup\Ipp8p WCpp0p`p0RH`TCpp0TIp0pp(p`CSASASDpp0p`p0RH`$Cpp0`AppHRARARDQ@___objc_personality_v0Qq@__objc_empty_cache<@__objc_empty_vtableq<@_objc_msgSendSuper2_fixupq2@_objc_msgSend_fixupq(I- @_OBJC_CLASS_$_NSGraphicsContext@_OBJC_CLASS_$_NSImageq;@_NSConnectionDidDieNotificationq @_OBJC_CLASS_$_NSAutoreleasePool:@_OBJC_CLASS_$_NSBundle@_OBJC_CLASS_$_NSConnectionq:@_OBJC_CLASS_$_NSDistributedNotificationCenterX@_OBJC_CLASS_$_NSFileManagerq:@_OBJC_CLASS_$_NSNotificationCenterq:@_OBJC_CLASS_$_NSNumber@_OBJC_CLASS_$_NSProcessInfo8@_OBJC_CLASS_$_NSPropertyListSerializationq:@_OBJC_CLASS_$_NSStringX@_OBJC_CLASS_$_NSURLq:@dyld_stub_binderqA_CFStringGetFileSystemRepresentation8@_OBJC_CLASS_$_NSDictionary:@_OBJC_CLASS_$_NSMutableArray@_OBJC_CLASS_$_NSMutableDictionaryq;@_OBJC_CLASS_$_NSMutableSet0@_OBJC_CLASS_$_NSObject@_OBJC_EHTYPE_$_NSExceptionq(@_OBJC_METACLASS_$_NSObject@___CFConstantStringClassReferenceq u@_kCFAllocatorDefaultq(@_kCFAllocatorMalloc @_kCFAllocatorNull@_kCFBooleanFalse@_kCFBooleanTrueq`@_kCFBundleIdentifierKeyq@_kCFTypeArrayCallBacks @_kCFTypeDictionaryKeyCallBacksq8@_kCFTypeDictionaryValueCallBacksq0qp@_AEDisposeDescqx@_AESendMessageq@_AEStreamCloseq@_AEStreamCreateEventq@_AEStreamWriteKeyDescq@_CFArrayAppendArrayq@_CFArrayAppendValueq@_CFArrayCreateq@_CFArrayCreateMutableq@_CFArrayGetCountq@_CFArrayGetValueAtIndexq@_CFBooleanGetValueq@_CFBundleCopyBundleURLq@_CFBundleCopyResourceURLq@_CFBundleCreateq@_CFBundleCreateBundlesFromDirectoryq@_CFBundleGetBundleWithIdentifierq@_CFBundleGetIdentifierq@_CFBundleGetInfoDictionaryq@_CFBundleGetMainBundleq@_CFCopyTypeIDDescriptionq@_CFDataCreateq@_CFDataCreateCopyq@_CFDataCreateWithBytesNoCopyq@_CFDataGetBytePtrq@_CFDataGetLengthq@_CFDateFormatterCreateq@_CFDateFormatterCreateStringWithDateq@_CFDictionaryContainsKeyq@_CFDictionaryCreateq@_CFDictionaryCreateCopyq@_CFDictionaryCreateMutableq@_CFDictionaryCreateMutableCopyq@_CFDictionaryGetCountq@_CFDictionaryGetTypeIDq@_CFDictionaryGetValueq@_CFDictionaryRemoveValueq@_CFDictionarySetValueq@_CFEqualq@_CFGetAllocatorq@_CFGetTypeIDq@_CFLocaleCopyCurrentq@_CFMakeCollectableq@_CFNotificationCenterAddObserverq@_CFNotificationCenterGetDistributedCenterq@_CFNotificationCenterPostNotificationq@_CFNotificationCenterRemoveEveryObserverq@_CFNotificationCenterRemoveObserverq@_CFNumberCreateq@_CFNumberGetValueq@_CFPropertyListCreateFromStreamq@_CFPropertyListWriteToStreamq@_CFReadStreamCloseq@_CFReadStreamCreateWithFileq@_CFReadStreamOpenq@_CFReleaseq@_CFRetainq@_CFSetContainsValueq@_CFStringCompareq@_CFStringCreateByCombiningStringsq@_CFStringCreateCopyq@_CFStringCreateWithBytesq@_CFStringCreateWithCStringq@_CFStringCreateWithCStringNoCopyq@_CFStringCreateWithCharactersNoCopyq@_CFStringCreateWithFormatq@_CFStringGetCStringq@_CFStringGetCharactersqA_CFStringGetFileSystemRepresentationq@_CFStringGetLengthq@_CFStringGetMaximumSizeForEncodingqA_CFStringGetMaximumSizeOfFileSystemRepresentationq@_CFURLCopyFileSystemPathq@_CFURLCopyLastPathComponentq@_CFURLCopySchemeq@_CFURLCreateCopyAppendingPathComponentq@_CFURLCreateCopyDeletingLastPathComponentq@_CFURLCreateFromFSRefq@_CFURLCreateFromFileSystemRepresentationq@_CFURLCreateWithFileSystemPathq@_CFURLGetFSRefq@_CFURLGetFileSystemRepresentationq@_CFUUIDCreateq@_CFUUIDCreateStringq@_CFWriteStreamCloseq@_CFWriteStreamCreateWithFileq@_CFWriteStreamOpenq@_CopyProcessNameq@_DisposeHandleq@_FNNotifyq@_FSCopyAliasInfoq@_FSFindFolderq@_FSNewAliasq@_FSRefMakePathq@_GetHandleSizeq@_GetIconRefFromFileInfoq@_GetMacOSStatusCommentStringq@_GetNextProcessq@_GetProcessBundleLocationq@_GetProcessInformationq@_GetProcessPIDq@_HLockq@_HUnlockq@_IconRefToIconFamilyq@_LSFindApplicationForInfoq@_LSOpenFromURLSpecq@_NSEqualSizesq@_NSLogq@_NSSearchPathForDirectoriesInDomainsq@_NSTemporaryDirectoryq@_PBCloseForkSyncq@_PBCreateDirectoryUnicodeSyncq@_PBCreateFileUnicodeSyncq@_PBGetCatalogInfoSyncq@_PBIterateForksSyncq@_PBMakeFSRefUnicodeSyncq@_PBOpenForkSyncq@_PBReadForkSyncq@_PBWriteForkSyncq@_ProcessInformationCopyDictionaryq@_PtrToHandq@_ReleaseIconRefq@__Unwind_Resumeq@_callocq@_ceilq@_closeq@_fcloseq@_floorq@_fopenq@_freadq @_freeq @_fseekq @_fstatq @_ftellq @_getcwdq @_getnameinfoq @_getpidq @_inet_ntopq @_mallocq @_memsetq @_objc_assign_globalq @_objc_assign_ivarq @_objc_begin_catchq @_objc_end_catchq @_openq @_snprintfq @_strlen_7.objc_category_name_NSImage_GrowlImageAdditions Growl_dcreadFileset get OBJC_ GetDelegateSetWillRegisterWhenGrowlIsReadyCIsLaunchIfInstalledPostNotificationNotifyWithTitleDescriptionNameIconPriorityStickyClickContextReiWillRegisterWhenGrowlIsReadyDelegateiiopyRegistrationDictionaryFromreateDelegateBundleijRegistrationDictionaryByFillingInDictionaryBestRegistrationDictionaryNotificationDictionaryByFillingInDictionaryRestrictedToKeysmsRunningInstalleds߇WithDictionarygisterWithDictionaryregisterړreateopyFileStringWithHostNameForAddressDataURLBy PropertyListFromURL AliasDataWithURL DockDescriptionWithURL SystemRepresentationOfStringURLWith ֘DateContentsOfFileAddressDataStringAndCharacterAndString CTemporaryFolderURLForApplicationIconDataFor StringurrentProcessޜNameURLPathɝURLPathȠURL Path ؤMakingDirectoryAtURLWithName CopyingFileFromURLToDirectoryURL ˸̽AliasData DockDescription ObjectForKey IntegerForKey BooleanForKey ObjectForKey IntegerForKey BooleanForKey CLASS_$_Growl METACLASS_$_Growl IVAR_$_GrowlDelegate. ApplicationBridge Delegate PathUtilities ApplicationBridge Delegate PathUtilities application registrationDictionary IconDataForGrowl NameForGrowl px (08@HPX`hpx (08@HPX`hpx (08@HPX`hpx (08@HPX`hpx(Hh(Hh(Hh(Hh ( H h      ( H h      ( H h      ( H h      ( H h     (Hh(Hh(Hh(Hh(Hh(Hhx(8HXhx(8HXhx(8HXhx(8HXhx(8HXhx(8HXhx(8HXhx(8HXhx (08@ (08@` X`     ( 0 8 @ H P X ` h p x                 !!!! !(!0!8!@!H!P!X!`!h!p!x!!!!!!!!!!!!!!!!!"""" "("0"8"@"`"""""" #X#h#############$$$$ $($0$8$@$H$h$p$x$$$$$$$$%8%%%%(&0&8&@&H&P&X&`&h&p&x&&&&&&&&&&&&&&&&&'''' '('0'8'@'`'p''''''''''''((((((8((((((((8#xS ~ g!m!!L" ""_"7"l## A'P>)W)) *AO+m+J-N.f.93[:<BBK+;V5_ui```a{aAarbcc g+ Whr j j k!l(!smQ!m! o!0t".wF"w""y"y"}#H#@.#H;#PD#Xb#`l#h#p#x#####$'$45`4-CC9(6q4?9CI1FEC}IaIsI44``3(j08=^NJNbpOzOlSXRPOPpWr8VL`oo|hqQ])QwML*^WK\StssHPsYsOs!0?Ncy         2 B f        &  8  I  `           1  G  `  v           5  ^          "  -  7  K  \  ~       %  9  P A u   A    # J t       % 9 V iz!;Rahq #CZu  - O j , G bs ?JZj  ,4? T h z      .@Rb|p`Hh'hxhh"$PX`##%%8Xx8Xx8Xx8Xx 8 X x      8 X x      8 X x      8 X x      8 X x     8Xx8Xx8Xx8Xx8Xx8Xxpp"#$%xx"#$%88p99999999999 909@9P9`9p99999999999 909@9P9`9p99999999999 909@9P9`9p99999999999 909@9P9`9p9999999999 909@9P9`9p99999999999 909@9P9`9p99999999999 909@9P9`9p9999999999 909@9P9`9p99999999      !"#$%&'(234567:;<@@.)10/*+-,      !"#$%&'(234567:;<.objc_category_name_NSImage_GrowlImageAdditions_Growl_CopyRegistrationDictionaryFromBundle_Growl_CopyRegistrationDictionaryFromDelegate_Growl_CreateBestRegistrationDictionary_Growl_CreateNotificationDictionaryByFillingInDictionary_Growl_CreateRegistrationDictionaryByFillingInDictionary_Growl_CreateRegistrationDictionaryByFillingInDictionaryRestrictedToKeys_Growl_GetDelegate_Growl_IsInstalled_Growl_IsRunning_Growl_LaunchIfInstalled_Growl_NotifyWithTitleDescriptionNameIconPriorityStickyClickContext_Growl_PostNotification_Growl_PostNotificationWithDictionary_Growl_RegisterWithDictionary_Growl_Reregister_Growl_SetDelegate_Growl_SetWillRegisterWhenGrowlIsReady_Growl_WillRegisterWhenGrowlIsReady_OBJC_CLASS_$_GrowlApplicationBridge_OBJC_CLASS_$_GrowlDelegate_OBJC_CLASS_$_GrowlPathUtilities_OBJC_IVAR_$_GrowlDelegate.applicationIconDataForGrowl_OBJC_IVAR_$_GrowlDelegate.applicationNameForGrowl_OBJC_IVAR_$_GrowlDelegate.registrationDictionary_OBJC_METACLASS_$_GrowlApplicationBridge_OBJC_METACLASS_$_GrowlDelegate_OBJC_METACLASS_$_GrowlPathUtilities_copyCString_copyCurrentProcessName_copyCurrentProcessPath_copyCurrentProcessURL_copyIconDataForPath_copyIconDataForURL_copyTemporaryFolderPath_copyTemporaryFolderURL_copyURLForApplication_createAliasDataWithURL_createDockDescriptionWithURL_createFileSystemRepresentationOfString_createFileURLWithAliasData_createFileURLWithDockDescription_createHostNameForAddressData_createPropertyListFromURL_createStringWithAddressData_createStringWithContentsOfFile_createStringWithDate_createStringWithStringAndCharacterAndString_createURLByCopyingFileFromURLToDirectoryURL_createURLByMakingDirectoryAtURLWithName_getBooleanForKey_getIntegerForKey_getObjectForKey_readFile_setBooleanForKey_setIntegerForKey_setObjectForKey_AEDisposeDesc_AESendMessage_AEStreamClose_AEStreamCreateEvent_AEStreamWriteKeyDesc_CFArrayAppendArray_CFArrayAppendValue_CFArrayCreate_CFArrayCreateMutable_CFArrayGetCount_CFArrayGetValueAtIndex_CFBooleanGetValue_CFBundleCopyBundleURL_CFBundleCopyResourceURL_CFBundleCreate_CFBundleCreateBundlesFromDirectory_CFBundleGetBundleWithIdentifier_CFBundleGetIdentifier_CFBundleGetInfoDictionary_CFBundleGetMainBundle_CFCopyTypeIDDescription_CFDataCreate_CFDataCreateCopy_CFDataCreateWithBytesNoCopy_CFDataGetBytePtr_CFDataGetLength_CFDateFormatterCreate_CFDateFormatterCreateStringWithDate_CFDictionaryContainsKey_CFDictionaryCreate_CFDictionaryCreateCopy_CFDictionaryCreateMutable_CFDictionaryCreateMutableCopy_CFDictionaryGetCount_CFDictionaryGetTypeID_CFDictionaryGetValue_CFDictionaryRemoveValue_CFDictionarySetValue_CFEqual_CFGetAllocator_CFGetTypeID_CFLocaleCopyCurrent_CFMakeCollectable_CFNotificationCenterAddObserver_CFNotificationCenterGetDistributedCenter_CFNotificationCenterPostNotification_CFNotificationCenterRemoveEveryObserver_CFNotificationCenterRemoveObserver_CFNumberCreate_CFNumberGetValue_CFPropertyListCreateFromStream_CFPropertyListWriteToStream_CFReadStreamClose_CFReadStreamCreateWithFile_CFReadStreamOpen_CFRelease_CFRetain_CFSetContainsValue_CFStringCompare_CFStringCreateByCombiningStrings_CFStringCreateCopy_CFStringCreateWithBytes_CFStringCreateWithCString_CFStringCreateWithCStringNoCopy_CFStringCreateWithCharactersNoCopy_CFStringCreateWithFormat_CFStringGetCString_CFStringGetCharacters_CFStringGetFileSystemRepresentation_CFStringGetLength_CFStringGetMaximumSizeForEncoding_CFStringGetMaximumSizeOfFileSystemRepresentation_CFURLCopyFileSystemPath_CFURLCopyLastPathComponent_CFURLCopyScheme_CFURLCreateCopyAppendingPathComponent_CFURLCreateCopyDeletingLastPathComponent_CFURLCreateFromFSRef_CFURLCreateFromFileSystemRepresentation_CFURLCreateWithFileSystemPath_CFURLGetFSRef_CFURLGetFileSystemRepresentation_CFUUIDCreate_CFUUIDCreateString_CFWriteStreamClose_CFWriteStreamCreateWithFile_CFWriteStreamOpen_CopyProcessName_DisposeHandle_FNNotify_FSCopyAliasInfo_FSFindFolder_FSNewAlias_FSRefMakePath_GetHandleSize_GetIconRefFromFileInfo_GetMacOSStatusCommentString_GetNextProcess_GetProcessBundleLocation_GetProcessInformation_GetProcessPID_HLock_HUnlock_IconRefToIconFamily_LSFindApplicationForInfo_LSOpenFromURLSpec_NSConnectionDidDieNotification_NSEqualSizes_NSLog_NSSearchPathForDirectoriesInDomains_NSTemporaryDirectory_OBJC_CLASS_$_NSAutoreleasePool_OBJC_CLASS_$_NSBundle_OBJC_CLASS_$_NSConnection_OBJC_CLASS_$_NSDictionary_OBJC_CLASS_$_NSDistributedNotificationCenter_OBJC_CLASS_$_NSFileManager_OBJC_CLASS_$_NSGraphicsContext_OBJC_CLASS_$_NSImage_OBJC_CLASS_$_NSMutableArray_OBJC_CLASS_$_NSMutableDictionary_OBJC_CLASS_$_NSMutableSet_OBJC_CLASS_$_NSNotificationCenter_OBJC_CLASS_$_NSNumber_OBJC_CLASS_$_NSObject_OBJC_CLASS_$_NSProcessInfo_OBJC_CLASS_$_NSPropertyListSerialization_OBJC_CLASS_$_NSString_OBJC_CLASS_$_NSURL_OBJC_EHTYPE_$_NSException_OBJC_METACLASS_$_NSObject_PBCloseForkSync_PBCreateDirectoryUnicodeSync_PBCreateFileUnicodeSync_PBGetCatalogInfoSync_PBIterateForksSync_PBMakeFSRefUnicodeSync_PBOpenForkSync_PBReadForkSync_PBWriteForkSync_ProcessInformationCopyDictionary_PtrToHand_ReleaseIconRef__Unwind_Resume___CFConstantStringClassReference___objc_personality_v0__objc_empty_cache__objc_empty_vtable_calloc_ceil_close_fclose_floor_fopen_fread_free_fseek_fstat_ftell_getcwd_getnameinfo_getpid_inet_ntop_kCFAllocatorDefault_kCFAllocatorMalloc_kCFAllocatorNull_kCFBooleanFalse_kCFBooleanTrue_kCFBundleIdentifierKey_kCFTypeArrayCallBacks_kCFTypeDictionaryKeyCallBacks_kCFTypeDictionaryValueCallBacks_malloc_memset_objc_assign_global_objc_assign_ivar_objc_begin_catch_objc_end_catch_objc_msgSendSuper2_fixup_objc_msgSend_fixup_open_snprintf_strlendyld_stub_binder__mh_dylib_headerdyld_stub_binding_helper+[GrowlApplicationBridge setGrowlDelegate:]+[GrowlApplicationBridge growlDelegate]+[GrowlApplicationBridge notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:]+[GrowlApplicationBridge notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:identifier:]+[GrowlApplicationBridge notifyWithDictionary:]+[GrowlApplicationBridge isGrowlInstalled]+[GrowlApplicationBridge isGrowlRunning]+[GrowlApplicationBridge displayInstallationPromptIfNeeded]+[GrowlApplicationBridge registerWithDictionary:]+[GrowlApplicationBridge reregisterGrowlNotifications]+[GrowlApplicationBridge setWillRegisterWhenGrowlIsReady:]+[GrowlApplicationBridge willRegisterWhenGrowlIsReady]+[GrowlApplicationBridge registrationDictionaryFromDelegate]+[GrowlApplicationBridge registrationDictionaryFromBundle:]+[GrowlApplicationBridge bestRegistrationDictionary]+[GrowlApplicationBridge registrationDictionaryByFillingInDictionary:]+[GrowlApplicationBridge registrationDictionaryByFillingInDictionary:restrictToKeys:]+[GrowlApplicationBridge notificationDictionaryByFillingInDictionary:]+[GrowlApplicationBridge frameworkInfoDictionary]+[GrowlApplicationBridge _applicationNameForGrowlSearchingRegistrationDictionary:]+[GrowlApplicationBridge growlNotificationWasClicked:]+[GrowlApplicationBridge growlNotificationTimedOut:]+[GrowlApplicationBridge connectionDidDie:]+[GrowlApplicationBridge growlProxy]+[GrowlApplicationBridge _growlIsReady:]+[GrowlApplicationBridge launchGrowlIfInstalled]+[GrowlApplicationBridge _launchGrowlIfInstalledWithRegistrationDictionary:]+[GrowlApplicationBridge _applicationIconDataForGrowlSearchingRegistrationDictionary:]__copyAllPreferencePaneBundles__launchGrowlIfInstalledWithRegistrationDictionary__growlNotificationWasClicked__growlNotificationTimedOut__growlIsReady_copyFork-[GrowlDelegate initWithAllNotifications:defaultNotifications:]-[GrowlDelegate dealloc]-[GrowlDelegate registrationDictionaryForGrowl]-[GrowlDelegate applicationNameForGrowl]-[GrowlDelegate setApplicationNameForGrowl:]-[GrowlDelegate applicationIconDataForGrowl]-[GrowlDelegate setApplicationIconDataForGrowl:]+[GrowlPathUtilities bundleForProcessWithBundleIdentifier:]+[GrowlPathUtilities runningHelperAppBundle]+[GrowlPathUtilities growlPrefPaneBundle]+[GrowlPathUtilities helperAppBundle]+[GrowlPathUtilities searchPathForDirectory:inDomains:mustBeWritable:]+[GrowlPathUtilities searchPathForDirectory:inDomains:]+[GrowlPathUtilities growlSupportDirectory]+[GrowlPathUtilities screenshotsDirectory]+[GrowlPathUtilities ticketsDirectory]+[GrowlPathUtilities nextScreenshotName]+[GrowlPathUtilities nextScreenshotNameInDirectory:]+[GrowlPathUtilities defaultSavePathForTicketWithApplicationName:]-[NSImage(GrowlImageAdditions) drawScaledInRect:operation:fraction:]-[NSImage(GrowlImageAdditions) adjustSizeToDrawAtSize:]-[NSImage(GrowlImageAdditions) bestRepresentationForSize:]-[NSImage(GrowlImageAdditions) representationOfSize:]-[NSImage(GrowlImageAdditions) replacementObjectForPortCoder:] stub helpers___PRETTY_FUNCTION__.96477_growlLaunched_appIconData_appName_cachedRegistrationDictionary_delegate_registerWhenGrowlIsReady_growlProxy_targetsToNotifyArray_delegate_registerWhenGrowlIsReady_growlLaunched_cachedRegistrationDictionary_registeredForClickCallbacks_helperAppBundle_prefPaneBundleL H__TEXT__text__TEXTm__cstring__TEXTl!-l__const__TEXT __unwind_info__TEXTHH__DATA__dyld__DATA__cfstring__DATA`__data__DATAhh__bss__DATAl8__OBJC__cat_inst_meth__OBJCd__message_refs__OBJCdd__cls_refs__OBJC8T8__class__OBJC__meta_class__OBJC``__cls_meth__OBJC  __protocol__OBJC(__module_info__OBJC@@@__symbols__OBJC@__cat_cls_meth__OBJC__inst_meth__OBJC\__instance_vars__OBJC@(@__category__OBJChh__image_info__OBJC__IMPORT__pointers__IMPORT,__jump_table__IMPORT@/@ 8__LINKEDITtLtL X@executable_path/../Frameworks/Growl.framework/Versions/A/Growl3DY/N/7 d# PMM334h4v 4/usr/lib/libobjc.A.dylib libobjc p"/System/Library/Frameworks/ApplicationServices.framework/Versions/A/ApplicationServices X/System/Library/Frameworks/Carbon.framework/Versions/A/Carbon X.-/System/Library/Frameworks/AppKit.framework/Versions/C/AppKit `,/System/Library/Frameworks/Foundation.framework/Versions/C/Foundation 4/usr/lib/libgcc_s.1.dylib 4o/usr/lib/libSystem.B.dylib d /System/Library/Frameworks/CoreServices.framework/Versions/A/CoreServices h/System/Library/Frameworks/CoreFoundation.framework/Versions/A/CoreFoundationX/UWVS[D$<$D$Tu<*D$$66T$$$D$$6t$<$D$]u}US[ED$ D$D$E$[UWVSLuE[}E 4$D$腱Et)UЉT$\<$D$_ EЋUЉT$D$E؉$0umĕu=t$ȞD$Uԉ$ T$$ĕT$$轰EЉD$ ĕD$(D$U؉$述t)ȏẺD$\<$D$蜰 ȏŰẺD$D$U؉$muquGt$̞D$Eԉ$FT$$4T$$t ỦD$T$ (D$E؉$t&؏t$\<$D$د؏u܉t$D$E؉$謯.E$VED$$iD$T$ UT$$T$>ƋD$E$'U܉t$T$ (D$E؉$4$D$t$`D$U؉$߮E1҅t E$薬‹$D$跮t"t$\<$D$藮tit$D$U؉$ru@D$D$E؉$Ott$ D$(D$U؉$.t"t$\<$D$tOt$D$E؉$u*.$t$ D$(D$U؉$軭ĞE E؉EL[^_頭L1[^_UWVS[,EED$E$ft$Nj<$D$NuquMD$D$E$!T$$T$$լtt$ D$ <$D$٬t$<$D$转uquMD$D$E$萬T$$~T$$Dtt$ D$ <$D$H݊D$<$D$, ED$<$D$ŚD$$ƋD$$˫T$$蹫D$I4$D$裫ƋEt$D$ <$D$脫4$D$r}E ,[^_ZUS[$~E[{UVS[uNt<D$n$D$tD$N$ߪuO:D$4$D$迪u/ZD$F$裪U E[^錪[^U8][uu}D$m$UIT$$CE䋃M4$D$(T$T$$ D$<$D$Qu]}E EEةU8][uu}D$$訩T$$薩E䋃4$D${lT$<T$$_D$<$D$Iu]}E EE+UH]E[uu}E䋃(D$ $Nj4$D$D$ȥD$ ED$d<$D$踨,D$H$蠨HuE ]E}YU][u"D$RD$ D$^$4EE~uD$b$ UMT$L$$T$VT$ T$էE4$輧4$2tvu4$葧4$E蚧4$tE$oEED$~$\tED$EEE$DUZ$D$/Ƌ^4$D$D$t=2D$b4$D$4$D$ߦT$$2$D$$脦Eu E$蕦 E$~]uUWVS[<}D$j$UFT$$CƃE䋃jD$D$$tjD$$FD$f$ݥD$D$ t$n$T$跥D$$蟥D$t$ |$$T$}tr<$D$bƃNE EE<[^_@US[D$D$E$[UWVS[\D$ $T$$פuHD$ $蹤׃T$ T$$T$蓤 t$D$$mEEEEkUD$$衣1҅t $‹#$D$T$wT$$t$T$$uE$ˢftM04$Q4$ljD$H<$E謡OUT$Ƌ'D$E$rUĉt$<$ׂT$D$ D$D$A|$T$$+ƋEĉ$/4$D$ =vG<$D$4$)‹T$D$֢|$T$$#t$T$$裢Ƌ4$D$菢=vG<$D$v4$)‹T$D$Y|$T$$CƍEUD$'D$ T$D$$t6+D$ t$$D$uWt$$CEt$D$'$ED$7$͠D$E$蔡/D$$|3t$T$$ft% t$D$$A11UD$D$D$T$ D$ nspD$codo$tveaEu.sD$E$D$G$17<$D$譠;D$T$$蓠Ƌ4$D$4$Nj?D$k|$D$lrufD$----D$ E$Ft9$'U$ƋsD$#t$ |$D$W$-UEԉED$$t;$ӞƋsD$E$ϟt$ |$D$g$ٞmUD$ D$D$$t9$oƋsD$E$kt$ |$D$w$uU$0\[^_UWVS[Ttl$D$tD$t,D$tD$T$֞tD$T$躞u%P}D$D$E$蕞tJD$8$w4$D$D$at]4$D$KuE;lj$!LT$$$1҅t <$ߛ‹@$D$[^_YU勁'UYEYUU1S[tBtD$f$[UWVSLu[u踚ƍF{D$V{D$ D$4$tEua4$`D$$膛u 4$#lj4$W||$$ <$8ED$$4EuEЉ$͚EԍED$ EED$D$$],E̋Et$D$EԉD$}$茛E$nE̅uEԉD$}$eẺ$ș9tj这$lNjẺ$͙$W|$ƋẺt$ D$EԉD$&}$4$<$ߙẺ$ԙEEԉ$™EЉ$跙EẼL[^_U1WVSLU[!1T$D$$EԋE tE yt$$VyUԉt$$蚘u\t,BuBtt$$蕘t$u |tEԉt$|$$t4$˘} tU yt$$蹘yUԉủt$$uxt/B uBt!Ủ$T$t$[u!5t4$<$3tE̋Uԉt$D$$躗4$u tE yt$$yEԉuЉt$$B$@tlyE䋃5UD$ D$9D$ED$ED$1$ܖt/D$UЋEԉT$$4$DUԉt$$ϖ<$+M tE yt$$tNyUԉt$$cu,yD$Eԉ$mtUԉD$t$$eU tE yt$$貖t;yUԉt$$u $试t$D$Eԉ$ EԃL[^_UED$$UW1VS[11҉k<$]}uU$qUWVS[PtdD$$umgD$c$肅1ncUcT$|$ D$D$ED$04$[EυcT$U|$ D$4$T$D$*Njkttk螃D$D$ƋE4$D$ D$D$j+D$D$|$ D$D$4$@ƃkVktM.UD$ T$ƍD$4$+D$ |$D$4$ƃkE$<$${k<[^_UWVS[,袂T$$蚂iƃi$赁EE䍃dE؍dE?ED$i$臁ƋE؉4$D$4$NjE܉D$$EE9E|i$<ǃiit$ƃi,[^_U(][u}t,E$4Ɖ$蒃t$ljD$E$i$oD$ D$NjED$$ D$ |$D$Ɖ$u <$14$Z]u}U8][u}D$ D$ƉD$8<$r4$EE<$D$ED$VƋE$߀]u}UH]E[}1u$EGD$E$D$D$$4$D$D$4$EہE$tNEt$ D$<$D$襁9Eu.E |$D$D$ ED$b$14$YE$b]u}UWVE$U T$$D$x<$U|$$ƋE t$D$ ^_US[$ED$EEEE$tD$a$9EE$[Ux]E[uuEEt$$tD$a$1}t$$)]uUu}D$lj$~<$~}uUh][uut$ D$D$pmet$fta$T$;1 }t$$~]uUu}1~tD$$9~4$}u}U8][}u FD$E$"1D$D$<$ <$D$D$<$E~E$|$ D$ƋE4$D$~<$~v|t$D$ ED$^|$T|]u}U8ED$EED$ D$D$$}1DEUh]E[u}${@<u@F}D$ (|$D$$~u_tzF|$ D$e_H<_u\F}D$ (|$D$$}_t0F|$ D$_D$E{D$$|‹]Ћu}UH][uu}4${4${D$D$D$D$ t$D$<$}1҅uhzD$t$$v{‹]Ћu}Uuu][}}|$4${ED$EED$D$D$D$ D$D$<${tD$>^t$${E܉D$EED$${ftN^t$1T$$x{KE܉$M{E܉${D$E܋D$y$wyƋE܉${E܉$zE$k{1]u}U(]E[u}1D$D$ D$x$;zt$l4$y]u}UWVS<u[t"4$#y4$oyDžrE t E $x&xt$4$D$z4$D$ {t$$D$tyljƋE u)\1D$$y u tE $x,<$ y|$$y<$xu\|$PD$<$xu\|$T$}xDž=$^xDžD$ D$T$$xU$D$HfD$Zyuȍu܉EUE$xfu$xЅu>\$D$Dxt$$wƉD$\$x"T$ ]|$T$$1wt<$vt$ve[^_UWVS[\D$\D$$7xƅ8D$4GD$ $w$VwftiD$T$4$vt$D$ CD$D$$w=Z|$$T$vED$HD$$AwUE1uEuT$ UЉE䋅$yvftaD$T$4$ut$D$ CD$D$$vMZ|$T$U։EuEEȍP$EuƒCD$T$$ut$D$ CD$D$$*vauUD$ t$D$Mu$#tu,D$D$ IDD$$sƋ|$t$ D$]ZT$$tt4$s04$tfu'D$D$$tE u5DfЉߋU D$PD$$tD$\D$$tƅ$smZ|$$sft]D$t$$>stD$ MED$D$4$Rt|$}Zt$$Qs$PsHDžP$=sfuum1ftaD$T$$|rt$D$ CD$D$$s|$D$Z$rfLD$D$$qt$D$ MED$D$$rZ|$T$$q4$fr$qftjD$T$$gqt$D$ MED$D$$ur|$D$Z$nqD$oqftjD$PD$$pt$D$ CD$D$$q|$D$Z$pDe[^_UWVS[UE} D$$p<$ƍHD$puED$Su|$S$hp1$D$\D$pS$!p$|$oftfwt_ T|$$o5t$$t=wtE|$D$T]nt$$nČ[^_UHE][u}uR*ED$l8<$muURT$$1n$muE1D$R$nU ED$E<$ED$T$ D$t$qmuED$ED$R${nEtEUEtMtU$ND$E$_Ƌ*N4$D$p_tBN4$D$D$P_tJND$E$7_tYBD$M4$D$_ƋMD$N$^FNt$D$ T$$^D]u}US[D$XMD$E$^[UWVS[D$4$ Y4$XEut$$YYEED$t$$tYftET$D$>$YME$xYE$EYD$ED$W$WƋE$HYE$X1]u}U][uu}4$=D$W4$Ǎ=D$Wt$d>D$4$UWEtED$D$ $W<$D$D$Ɖ$vY4$tXttHED$t$Xt$XED$ |$D$V$W1]u}U8uu][}u<D$5$W14$D$ W4$EEUƅE EUD$D$ UD$U$UEt><D$E|$$U<$CV<D$ED$$D}t'ED$<D$E$UE$UE]u}UUU]E[D$uD$ rT$UƉD$E D$E$:U4$U]uUSM[U }t>T:TU ME[TUTU(E D$E$TtED$D$ $TEEUE D$E$T1҅t $SUWVS[EMEMċlEEMD$EEMȉ$zVEME}Mu$T$|$ t$kUu7MEMEEUD$pET$ D$E$V1E؉E܋lED$E$UEȉEƉMỦE.wE.EM.MvBM^MYM(\EMY2XE$UMM]JE.Ev?M^YM(\EMY2XE$TMM]tED$D$E$UxED$E$T|ED$T$$TE.Ev.\EEY2$5TM]XMME.Ev.\EEY2$SM]XMMĉ}UuEUEEMEMȋE$MED$,E MMED$(EMMEԉD$EMEẺD$EED$ ED$$ED$ED$ ED$ED$ED$E$SČ[^_U8]E[Uu}D$T$ YBD$E$lSABT$$ZSƉ׉U܋U܉E؋E؉T$ UD$]B$D$-S]}}uUEuUWVSLE[UEԋEED$T$ AD$Eԉ$RAD$Eԉ$R_AT$$RWEE܉EmA4$D$RUW.E܉EM\v.w<}u+E܍O/(TT.wW.vM.v U܉EcAD$E$Rtu"EAE EԉEL[^_QL[^_UWVS[@D$E$Q,@T$$Q0@4$D$Q$ET$UD$T$ Pu0@<$D$aQu[^_U8][}}uu<$@D$$Qu'q@U$u|$E䋃!@D$P‹]Ћu}c8@0:4c12@0:4@8@16@0:4@8@12v12@0:4c8v8@0:4v40@0:4@8@12@16@20i24c28@32@36v36@0:4@8@12@16@20i24c28@32O@8@0:4Vv12@0:4O@8launchGrowlIfInstalled_launchGrowlIfInstalledWithRegistrationDictionary:_growlIsReady:growlProxyconnectionDidDie:growlNotificationTimedOut:growlNotificationWasClicked:_applicationIconDataForGrowlSearchingRegistrationDictionary:_applicationNameForGrowlSearchingRegistrationDictionary:frameworkInfoDictionarynotificationDictionaryByFillingInDictionary:registrationDictionaryByFillingInDictionary:restrictToKeys:registrationDictionaryByFillingInDictionary:bestRegistrationDictionaryregistrationDictionaryFromBundle:registrationDictionaryFromDelegatewillRegisterWhenGrowlIsReadysetWillRegisterWhenGrowlIsReady:reregisterGrowlNotificationsregisterWithDictionary:displayInstallationPromptIfNeededisGrowlRunningisGrowlInstallednotifyWithDictionary:notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:identifier:notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:growlDelegatesetGrowlDelegate:bytesdataUsingEncoding:absoluteStringfileExistsAtPath:defaultManagerwriteToFile:atomically:dataFromPropertyList:format:errorDescription:stringByAppendingPathComponent:substringToIndex:lengthstringByAppendingPathExtension:stringWithFormat:isEqualToString:fileURLWithPath:runningHelperAppBundlepostNotificationName:object:userInfo:growlIsReadysetProtocolForProxy:registerApplicationWithDictionary:rootProxyconnectionWithRegisteredName:host:objectdrainuserInfoapplicationIconDataForGrowlapplicationIconForGrowlprocessNameapplicationNameForGrowlinitWithInt:removeObjectForKey:dictionaryWithContentsOfFile:pathForResource:ofType:mainBundleregistrationDictionaryForGrowlgrowlPrefPaneBundlepostNotificationName:object:userInfo:deliverImmediately:setObject:forKey:TIFFRepresentationmutableCopyisKindOfClass:classpostNotificationWithDictionary:initWithObjectsAndKeys:removeObserver:name:object:respondsToSelector:initWithFormat:allocprocessIdentifierprocessInfoaddObserver:selector:name:object:retaindefaultCentergrowlVersionGrowlApplicationBridgeGrowlNotificationProtocolNSDistributedNotificationCenterNSProcessInfoNSStringNSMutableDictionaryNSExceptionNSImageNSBundleNSNumberNSAutoreleasePoolNSNotificationCenterNSConnectionNSURLNSPropertyListSerializationGrowlApplicationBridge: Cannot register because the application name was not supplied and could not be determinedLend Me Some Sugar; I Am Your Neighbor!GrowlClicked!%@-%d-%@GrowlTimedOut!NotificationNameNotificationClickContextNotificationStickyGrowlNotificationIdentifierGrowlApplicationBridge: exception while sending notification: %@NotificationAppIconGrowlNotificationgrowlRegDictGrowl Registration TicketGrowlApplicationBridge: The bundle at %@ contains a registration dictionary, but it is not a valid property list. Please tell this application's developer.GrowlApplicationBridge: The Growl delegate did not supply a registration dictionary, and the app bundle at %@ does not have one. Please tell this application's developer.AllNotificationscom.growl.growlframeworkGrowlApplicationBridgePathwayReceived a fake GrowlApplicationBridgePathway object. Some other application is interfering with Growl, or something went horribly wrong. Please file a bug report.appGrowlHelperApp%@-%u-%@GrowlApplicationBridge: Error writing registration dictionary at %@GrowlApplicationBridge: Error writing registration dictionary at %@: %@GrowlApplicationBridge: Registration dictionary follows %@%@: Could not create open-document event to register this application with Growl%@: Could not set direct object of open-document event to register this application with Growl because AEStreamWriteKeyDesc returned %li/%s%@: Could not finish open-document event to register this application with Growl because AEStreamClose returned %li/%s%@: Could not send open-document event to register this application with Growl because AESend returned %li/%sGrowlApplicationBridge: Delegate did not supply a registration dictionary, and the app bundle at %@ does not have oneGrowlApplicationBridge: Got error reading property list at %@: %@GrowlApplicationBridge: Delegate did not supply a registration dictionary, and it could not be loaded from %@GrowlApplicationBridge: Registration dictionary file at %@ didn't contain a dictionary (dictionary type ID is '%@' whereas the file contained '%@'); description of object follows %@ApplicationNameApplicationIconAppLocationfile-dataDefaultNotificationsApplicationIdcom.Growl.GrowlHelperAppprefPanecom.growl.prefpanelCallbackContextGrowlApplicationBridge: Could not find the temporary directory path, therefore cannot register.%@/.GrowlApplicationBridge: Error writing registration dictionary to URL %@: %@ClickedContextApplicationPIDGrowlApplicationBridge: Growl_PostNotification called with a NULL notificationGrowlApplicationBridge: Growl_PostNotification called, but no delegate is in effect to supply an application name - either set a delegate, or use Growl_PostNotificationWithDictionary insteadGrowlApplicationBridge: Growl_PostNotification called, but no application name was found in the delegateNotificationTitleNotificationDescriptionNotificationPriorityNotificationIconGrowlApplicationBridge: Growl_SetDelegate called, but no application name was found in the delegaterbin copyCurrentProcessName in CFGrowlAdditions: Could not get process name because CopyProcessName returned %liin copyCurrentProcessURL in CFGrowlAdditions: Could not get application location, because GetProcessBundleLocation returned %li in copyTemporaryFolderPath in CFGrowlAdditions: Could not locate temporary folder because FSFindFolder returned %lir%s:%dIPv4 un-ntopable[%s]:%dIPv6 un-ntopableneither IPv6 nor IPv4in copyIconDataForURL in CFGrowlAdditions: could not get icon for %@: GetIconRefFromFileInfo returned %li in copyIconDataForURL in CFGrowlAdditions: could not get icon for %@: IconRefToIconFamily returned %li in createURLByMakingDirectoryAtURLWithName in CFGrowlAdditions: parent directory URL is NULL (please tell the Growl developers) in createURLByMakingDirectoryAtURLWithName in CFGrowlAdditions: name of directory to create is NULL (please tell the Growl developers) in createURLByMakingDirectoryAtURLWithName in CFGrowlAdditions: could not create FSRef for parent directory at %@ (please tell the Growl developers) PBCreateDirectoryUnicodeSync or PBMakeFSRefUnicodeSync returned %li; calling CFURLCreateFromFSRefCFURLCreateFromFSRef returned %@in createURLByMakingDirectoryAtURLWithName in CFGrowlAdditions: could not create directory '%@' in parent directory at %@: FSCreateDirectoryUnicode returned %li (please tell the Growl developers)(could not get path for source file: FSRefMakePath returned %li)in copyFork in CFGrowlAdditions: PBOpenForkSync (source: %s) returned %liin copyFork in CFGrowlAdditions: PBGetCatalogInfoSync (source: %s) returned %liPBMakeFSRefUnicodeSync(could not get path for destination directory: FSRefMakePath returned %li)(could not get filename for destination file: CFStringCreateWithCharactersNoCopy returned NULL)in copyFork in CFGrowlAdditions: %s (destination: %s/%@) returned %liPBCreateFileUnicodeSyncin copyFork in CFGrowlAdditions: PBOpenForkSync (dest) returned %li(could not get path for dest file: FSRefMakePath returned %li)in copyFork in CFGrowlAdditions: PBOpenForkSync (destination: %s) returned %liin copyFork in CFGrowlAdditions: PBReadForkSync (source: %s) returned %liin copyFork in CFGrowlAdditions: PBWriteForkSync (destination: %s) returned %liin copyFork in CFGrowlAdditions: PBCloseForkSync (destination: %s) returned %liin copyFork in CFGrowlAdditions: PBCloseForkSync (source: %s) returned %liin createURLByCopyingFileFromURLToDirectoryURL in CFGrowlAdditions: CFURLGetFSRef failed with source URL %@in createURLByCopyingFileFromURLToDirectoryURL in CFGrowlAdditions: CFURLGetFSRef failed with destination URL %@PBIterateForksSync returned %liin GrowlCopyObjectSync in CFGrowlAdditions: PBIterateForksSync returned %liin createURLByCopyingFileFromURLToDirectoryURL in CFGrowlAdditions: CopyObjectSync returned %li for source URL %@in createPropertyListFromURL in CFGrowlAdditions: cannot read from a NULL URLin createPropertyListFromURL in CFGrowlAdditions: could not create stream for reading from URL %@in createPropertyListFromURL in CFGrowlAdditions: could not open stream for reading from URL %@in createPropertyListFromURL in CFGrowlAdditions: could not read property list from URL %@ (error string: %@)@"NSDictionary"@"NSString"@"NSData"v12@0:4@8@8@0:4registrationDictionarysetApplicationIconDataForGrowl:setApplicationNameForGrowl:deallocinitWithAllNotifications:defaultNotifications:releaseinitGrowlDelegateGrowlApplicationBridgeDelegateNSDictionary@12@0:4@8@16@0:4i8I12@20@0:4i8I12c16defaultSavePathForTicketWithApplicationName:nextScreenshotNameInDirectory:nextScreenshotNameticketsDirectoryscreenshotsDirectorygrowlSupportDirectorysearchPathForDirectory:inDomains:searchPathForDirectory:inDomains:mustBeWritable:helperAppBundlebundleForProcessWithBundleIdentifier:autoreleasecontainsObject:stringByDeletingPathExtensioninitWithCapacity:directoryContentsAtPath:createDirectoryAtPath:attributes:objectAtIndex:fileExistsAtPath:isDirectory:addObject:isWritableFileAtPath:arrayWithCapacity:countskipDescendentsenumeratorAtPath:compare:options:bundleIdentifiernextObjectlowercaseStringpathExtensionstringByDeletingLastPathComponentbundlePathbundleWithIdentifier:bundleWithPath:objectForKey:GrowlPathUtilitiesNSFileManagerNSMutableArrayNSMutableSet+[GrowlPathUtilities bundleForProcessWithBundleIdentifier:]BundlePathCouldn't get information about process %lu,%lu: GetProcessInformation returned %i/%s%s: GetNextProcess returned %i/%sprefpanePreferencePanesGrowl.prefPaneScreenshotsTicketsPluginsERROR: GrowlPathUtil was asked for directory 0x%x, but it doesn't know what directory that is. Please tell the Growl developers.Application Support/GrowlScreenshot %llugrowlTicketWARNING: createFileURLWithAliasData called with NULL aliasDatain createFileURLWithAliasData: Could not allocate an alias handle from %u bytes of alias data (data follows) because PtrToHand returned %li %@in createFileURLWithAliasData: Could not resolve alias (alias data follows) because FSResolveAlias returned %li - will try path %@in createFileURLWithAliasData: FSCopyAliasInfo returned a NULL pathfilein createAliasDataForURL: FSNewAlias for %@ returned %li_CFURLString_CFURLAliasData_CFURLStringTypein createDockDescriptionWithURL: Cannot copy Dock description for a NULL URL@16@0:4{_NSSize=ff}8{_NSSize=ff}16@0:4{_NSSize=ff}8v32@0:4{_NSRect={_NSPoint=ff}{_NSSize=ff}}8I24f28replacementObjectForPortCoder:representationOfSize:bestRepresentationForSize:adjustSizeToDrawAtSize:drawScaledInRect:operation:fraction:isBycopybestRepresentationForDevice:objectEnumeratorrepresentationssetSize:drawInRect:fromRect:operation:fraction:setImageInterpolation:currentContextsetScalesWhenResized:sizeGrowlImageAdditionsNSGraphicsContextNSObject?444 q' ŒˌڌЗ8@y ȍd ” ̔ $@`Щ $ChG:P@̑vDmu,Apm (1<_СKpNd$hcLn@s͙ՙjhgКTܛta؜ IPOdEğCHNIO4OJԡk@pԢK qMaH_mܩT4!W` 7G T>$C8- :J\L ۂ8X03yI@d||̈́;ԊȊpgXJ48/Dt\> d'ވˆU{XC6mևćh8܆ֆ3dߨϨʮĨ}wdNC% ϦڧƧXdB3I3ۮhӋ RzlLvr`@R0 0R0l.sF.;>,JH*U>+*g>~)>(040$(H'40%d!0e!̈́H 0 H/lLmRsƅlՅl>/`HĆ> \0}v0tHtHsϦHrHWq=q JnQHmHHiHid0]g0СССС h,h>fˆHf>xfHmfHbfePeO(ˆ4 ]  0@P`pа 0@P`pб 0@P`pв 0@P`pг 0@P`pд 0@P`pе 0@P`pж 0@P`h (,048<@DHLPTX\`dhlptx|  $(,048<@DHLPTX\`dhlptx|  $(,048<@DHLPTX\`dhlptx|   $(`dh|(,048<@DHLPTX\`dhlptx|  $(,048<@DHLPTX\`dhlpt $ 0HLX\hlx|     $(,048DHPT\`hlp  6^/Iy ;Rr! ] e!!/%v'$((2~)g+**,.F._4;=XE&EBuNQZ[Peebfmf xf:fgf]giHi+mQnqWqr' sN tw t }v |4!l!@!y!"8"hJ"lY"pf"to"x"|""""""#$#A#R#4 \ { 55E!FZ ;7`5A$;oF,Kp.IHK\LpLq55<QIQaRyQRkW#V_SRoT-xVz7YO_v{5yU(cTPP)HdVaW`|||S{{|{ C]{)BbKe|    !  2  J  ]  t         +  D  R  d         %  @  _  u            @  j         <  O  k  }         ! B f   A   A 8 Q m ~     - < ^ l     (7Ol|.<Ch~(9[fv   - A S d t    !9Oe  ( 8 H X h x     Ȱ ذ     ( 8 H X h x     ȱ ر     ( 8 H X h x     Ȳ ز     ( 8 H X h x     ȳ س     ( 8 H X h x     ȴ ش     ( 8 H X h x     ȵ ص     ( 8 H X h x     ȶ ض     ( 8 H X $'&%! "#@@@@@@@@     @()*+,-@./0123456MNOPQRSTUVWXYZ[\]^_`abcdefghijklmnopqrstuvwxyz{|}~M3Mv@@MNOPQRSTUVWXYZ[\]^_`abcdefghijklmnopqrstuvwxyz{|}~      !"#$%&'()*+,-./0123456.objc_category_name_NSImage_GrowlImageAdditions.objc_class_name_GrowlApplicationBridge.objc_class_name_GrowlDelegate.objc_class_name_GrowlPathUtilities_Growl_CopyRegistrationDictionaryFromBundle_Growl_CopyRegistrationDictionaryFromDelegate_Growl_CreateBestRegistrationDictionary_Growl_CreateNotificationDictionaryByFillingInDictionary_Growl_CreateRegistrationDictionaryByFillingInDictionary_Growl_CreateRegistrationDictionaryByFillingInDictionaryRestrictedToKeys_Growl_GetDelegate_Growl_IsInstalled_Growl_IsRunning_Growl_LaunchIfInstalled_Growl_NotifyWithTitleDescriptionNameIconPriorityStickyClickContext_Growl_PostNotification_Growl_PostNotificationWithDictionary_Growl_RegisterWithDictionary_Growl_Reregister_Growl_SetDelegate_Growl_SetWillRegisterWhenGrowlIsReady_Growl_WillRegisterWhenGrowlIsReady_copyCString_copyCurrentProcessName_copyCurrentProcessPath_copyCurrentProcessURL_copyIconDataForPath_copyIconDataForURL_copyTemporaryFolderPath_copyTemporaryFolderURL_copyURLForApplication_createAliasDataWithURL_createDockDescriptionWithURL_createFileSystemRepresentationOfString_createFileURLWithAliasData_createFileURLWithDockDescription_createHostNameForAddressData_createPropertyListFromURL_createStringWithAddressData_createStringWithContentsOfFile_createStringWithDate_createStringWithStringAndCharacterAndString_createURLByCopyingFileFromURLToDirectoryURL_createURLByMakingDirectoryAtURLWithName_getBooleanForKey_getIntegerForKey_getObjectForKey_readFile_setBooleanForKey_setIntegerForKey_setObjectForKey.objc_class_name_NSAutoreleasePool.objc_class_name_NSBundle.objc_class_name_NSConnection.objc_class_name_NSDictionary.objc_class_name_NSDistributedNotificationCenter.objc_class_name_NSException.objc_class_name_NSFileManager.objc_class_name_NSGraphicsContext.objc_class_name_NSImage.objc_class_name_NSMutableArray.objc_class_name_NSMutableDictionary.objc_class_name_NSMutableSet.objc_class_name_NSNotificationCenter.objc_class_name_NSNumber.objc_class_name_NSObject.objc_class_name_NSProcessInfo.objc_class_name_NSPropertyListSerialization.objc_class_name_NSString.objc_class_name_NSURL_AEDisposeDesc_AESendMessage_AEStreamClose_AEStreamCreateEvent_AEStreamWriteKeyDesc_CFArrayAppendArray_CFArrayAppendValue_CFArrayCreate_CFArrayCreateMutable_CFArrayGetCount_CFArrayGetValueAtIndex_CFBooleanGetValue_CFBundleCopyBundleURL_CFBundleCopyResourceURL_CFBundleCreate_CFBundleCreateBundlesFromDirectory_CFBundleGetBundleWithIdentifier_CFBundleGetIdentifier_CFBundleGetInfoDictionary_CFBundleGetMainBundle_CFCopyTypeIDDescription_CFDataCreate_CFDataCreateCopy_CFDataCreateWithBytesNoCopy_CFDataGetBytePtr_CFDataGetLength_CFDateFormatterCreate_CFDateFormatterCreateStringWithDate_CFDictionaryContainsKey_CFDictionaryCreate_CFDictionaryCreateCopy_CFDictionaryCreateMutable_CFDictionaryCreateMutableCopy_CFDictionaryGetCount_CFDictionaryGetTypeID_CFDictionaryGetValue_CFDictionaryRemoveValue_CFDictionarySetValue_CFEqual_CFGetAllocator_CFGetTypeID_CFLocaleCopyCurrent_CFMakeCollectable_CFNotificationCenterAddObserver_CFNotificationCenterGetDistributedCenter_CFNotificationCenterPostNotification_CFNotificationCenterRemoveEveryObserver_CFNotificationCenterRemoveObserver_CFNumberCreate_CFNumberGetValue_CFPropertyListCreateFromStream_CFPropertyListWriteToStream_CFReadStreamClose_CFReadStreamCreateWithFile_CFReadStreamOpen_CFRelease_CFRetain_CFSetContainsValue_CFStringCompare_CFStringCreateByCombiningStrings_CFStringCreateCopy_CFStringCreateWithBytes_CFStringCreateWithCString_CFStringCreateWithCStringNoCopy_CFStringCreateWithCharactersNoCopy_CFStringCreateWithFormat_CFStringGetCString_CFStringGetCharacters_CFStringGetFileSystemRepresentation_CFStringGetLength_CFStringGetMaximumSizeForEncoding_CFStringGetMaximumSizeOfFileSystemRepresentation_CFURLCopyFileSystemPath_CFURLCopyLastPathComponent_CFURLCopyScheme_CFURLCreateCopyAppendingPathComponent_CFURLCreateCopyDeletingLastPathComponent_CFURLCreateFromFSRef_CFURLCreateFromFileSystemRepresentation_CFURLCreateWithFileSystemPath_CFURLGetFSRef_CFURLGetFileSystemRepresentation_CFUUIDCreate_CFUUIDCreateString_CFWriteStreamClose_CFWriteStreamCreateWithFile_CFWriteStreamOpen_CopyProcessName_DisposeHandle_FNNotify_FSCopyAliasInfo_FSFindFolder_FSNewAlias_FSRefMakePath_GetHandleSize_GetIconRefFromFileInfo_GetMacOSStatusCommentString_GetNextProcess_GetProcessBundleLocation_GetProcessInformation_GetProcessPID_HLock_HUnlock_IconRefToIconFamily_LSFindApplicationForInfo_LSOpenFromURLSpec_NSConnectionDidDieNotification_NSEqualSizes_NSLog_NSSearchPathForDirectoriesInDomains_NSTemporaryDirectory_PBCloseForkSync_PBCreateDirectoryUnicodeSync_PBCreateFileUnicodeSync_PBGetCatalogInfoSync_PBIterateForksSync_PBMakeFSRefUnicodeSync_PBOpenForkSync_PBReadForkSync_PBWriteForkSync_ProcessInformationCopyDictionary_PtrToHand_ReleaseIconRef___CFConstantStringClassReference__setjmp_calloc_ceilf_close_fclose_floorf_fopen_fread_free_fseek_fstat_ftell_getcwd_getnameinfo_getpid_inet_ntop_kCFAllocatorDefault_kCFAllocatorMalloc_kCFAllocatorNull_kCFBooleanFalse_kCFBooleanTrue_kCFBundleIdentifierKey_kCFTypeArrayCallBacks_kCFTypeDictionaryKeyCallBacks_kCFTypeDictionaryValueCallBacks_malloc_memcpy_memset_objc_assign_global_objc_assign_ivar_objc_exception_extract_objc_exception_match_objc_exception_throw_objc_exception_try_enter_objc_exception_try_exit_objc_msgSend_objc_msgSendSuper_open_snprintf_strlensingle module__mh_dylib_headerdyld_stub_binding_helper+[GrowlApplicationBridge setGrowlDelegate:]+[GrowlApplicationBridge growlDelegate]+[GrowlApplicationBridge notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:]+[GrowlApplicationBridge notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:identifier:]+[GrowlApplicationBridge notifyWithDictionary:]+[GrowlApplicationBridge isGrowlInstalled]+[GrowlApplicationBridge isGrowlRunning]+[GrowlApplicationBridge displayInstallationPromptIfNeeded]+[GrowlApplicationBridge registerWithDictionary:]+[GrowlApplicationBridge reregisterGrowlNotifications]+[GrowlApplicationBridge setWillRegisterWhenGrowlIsReady:]+[GrowlApplicationBridge willRegisterWhenGrowlIsReady]+[GrowlApplicationBridge registrationDictionaryFromDelegate]+[GrowlApplicationBridge registrationDictionaryFromBundle:]+[GrowlApplicationBridge bestRegistrationDictionary]+[GrowlApplicationBridge registrationDictionaryByFillingInDictionary:]+[GrowlApplicationBridge registrationDictionaryByFillingInDictionary:restrictToKeys:]+[GrowlApplicationBridge notificationDictionaryByFillingInDictionary:]+[GrowlApplicationBridge frameworkInfoDictionary]+[GrowlApplicationBridge _applicationNameForGrowlSearchingRegistrationDictionary:]+[GrowlApplicationBridge growlNotificationWasClicked:]+[GrowlApplicationBridge growlNotificationTimedOut:]+[GrowlApplicationBridge connectionDidDie:]+[GrowlApplicationBridge growlProxy]+[GrowlApplicationBridge _growlIsReady:]+[GrowlApplicationBridge launchGrowlIfInstalled]+[GrowlApplicationBridge _launchGrowlIfInstalledWithRegistrationDictionary:]+[GrowlApplicationBridge _applicationIconDataForGrowlSearchingRegistrationDictionary:]__copyAllPreferencePaneBundles__launchGrowlIfInstalledWithRegistrationDictionary__growlNotificationWasClicked__growlNotificationTimedOut__growlIsReady_copyFork-[GrowlDelegate initWithAllNotifications:defaultNotifications:]-[GrowlDelegate dealloc]-[GrowlDelegate registrationDictionaryForGrowl]-[GrowlDelegate applicationNameForGrowl]-[GrowlDelegate setApplicationNameForGrowl:]-[GrowlDelegate applicationIconDataForGrowl]-[GrowlDelegate setApplicationIconDataForGrowl:]+[GrowlPathUtilities bundleForProcessWithBundleIdentifier:]+[GrowlPathUtilities runningHelperAppBundle]+[GrowlPathUtilities growlPrefPaneBundle]+[GrowlPathUtilities helperAppBundle]+[GrowlPathUtilities searchPathForDirectory:inDomains:mustBeWritable:]+[GrowlPathUtilities searchPathForDirectory:inDomains:]+[GrowlPathUtilities growlSupportDirectory]+[GrowlPathUtilities screenshotsDirectory]+[GrowlPathUtilities ticketsDirectory]+[GrowlPathUtilities nextScreenshotName]+[GrowlPathUtilities nextScreenshotNameInDirectory:]+[GrowlPathUtilities defaultSavePathForTicketWithApplicationName:]-[NSImage(GrowlImageAdditions) drawScaledInRect:operation:fraction:]-[NSImage(GrowlImageAdditions) adjustSizeToDrawAtSize:]-[NSImage(GrowlImageAdditions) bestRepresentationForSize:]-[NSImage(GrowlImageAdditions) representationOfSize:]-[NSImage(GrowlImageAdditions) replacementObjectForPortCoder:]___PRETTY_FUNCTION__.111908dyld__mach_header_growlLaunched_appIconData_appName_cachedRegistrationDictionary_delegate_registerWhenGrowlIsReady_growlProxy_targetsToNotifyArray_delegate_registerWhenGrowlIsReady_growlLaunched_cachedRegistrationDictionary_registeredForClickCallbacks_helperAppBundle_prefPaneBundle XH__TEXT__text__TEXTf__picsymbolstub1__TEXT~~ __cstring__TEXT.__const__TEXTD__DATA__dyld__DATA__la_symbol_ptr__DATA`__nl_symbol_ptr__DATAh,h0__const__DATA”0”__cfstring__DATA`__data__DATA$$__bss__DATA(8__OBJC__cat_inst_meth__OBJC`__message_refs__OBJC``__cls_refs__OBJC4T4__class__OBJC҈҈__meta_class__OBJC__cls_meth__OBJCӨӨ__protocol__OBJC՘(՘__module_info__OBJC@__symbols__OBJC@__cat_cls_meth__OBJC@@__inst_meth__OBJCP\P__instance_vars__OBJC֬(֬__category__OBJC__image_info__OBJC8__LINKEDITTT X@executable_path/../Frameworks/Growl.framework/Versions/A/Growl}-|W&}]A# PXX3 h3  4|;vx 4/usr/lib/libobjc.A.dylib libobjc p"/System/Library/Frameworks/ApplicationServices.framework/Versions/A/ApplicationServices X/System/Library/Frameworks/Carbon.framework/Versions/A/Carbon X.-/System/Library/Frameworks/AppKit.framework/Versions/C/AppKit `,/System/Library/Frameworks/Foundation.framework/Versions/C/Foundation 4/usr/lib/libgcc_s.1.dylib 4o/usr/lib/libSystem.B.dylib d /System/Library/Frameworks/CoreServices.framework/Versions/A/CoreServices h/System/Library/Frameworks/CoreFoundation.framework/Versions/A/CoreFoundation|B}|}cx= }| x=DN |<|~x|+x;0!K|yxv0A,>?\K`xKxHwH >?>\?_w,;,?;(K<xdK`KxHwhz(K<,lxK`KxHwm(/@(8!<<8c8̺|Hr?h>}$;$>_>>?>?K<,pxK`KxHv<xƸt<x89#xK<<|chK<K||xrdK<_ڲ(;=9xxK|}xv0K/A$۸#xxxx9KH <#xxx8K\x?KrdK=ڲ(xx9 K|}xv0K/A$x#xx۸x9KH <#xxx8K\xK<,xK8!<_b |N ;xxK/@X?_ ; /@0<ex#xPK<DKxHlm <xxKA,?_?x8K/A>H?;xxK/@`?_;/@8<ex#xTK<DKxHk̀/A<xxKA,?_?x8 K/A>H?;} xexK/@H-E|xy &AHQu|zyAp<<>hc,K<<Ex88ơ0K@|}xCxK<xfxxK@xKH<exx>K8 @ 8`H xH^I@KA,?_?x8@K/Ah>H?;@xxK/@8<x8PK,A<|exxxKA,?_?x8`K/AP>H?;`xxK/@(?HZHZEx|exxxK8!p<x؁aL|}p K8!p8`؁a|}p N |<!䀄}cx?|zx|+x!K<_;0|~xxK/@d?<;;>xsLhK/A<_;!?BxHX|}xx?xHX|zxx?HU9<|~x~xpK|{xH_5<|gxfxHxxx8$K<_t;bexK||xCxHTՀxxK+@8x?cx|K xxKtexK||xH[I<xKx|~xK+@8x?cx|K xxKtexK|~x<<~xcH888K/A4<x8K/@L<x8c4HZ]H88<x8cDHZE<~x8cTHZ5<a8tK<<cDK<xK/A sLx;hK|~xH ;;<`ae<_<8BĀ焨8@b8\89ia@D\`HB|~yA}txH?xHF/;AH|~y@<<8c8DHLeHd<_BbcxHI-|dx|}xcxHI=||xxHE<_=?<_9)d8BT8\8A`<_cx8B$x!hAl\dH?i|}xxHE]<x8tcxHE||xxHE=88xcxHH)a8xHE8cxHH|~xHH88#xx8<|}xa8HD<8@8` 8aHAXTAPHLHJ ~xHDE/A xHD5CxHD-H;8!x؁a|}p N |ABU|~xxHCi/ALxH>/A<88`HC/AxHC1HxHCE|~xH;I8!Px|N 8!P|N |B|;x!<_a<_x;}xH:/@<_/A$ /AY|bH9|}y@PY|xCxH;|dxxH9|}y@(H |{yA4H|}xcxH=/AxxxH;yxH=CxH=<x8|H:9/A\<_x;~,xH:/@@HGY|8 a888bH /^d!pA|AhalAtaxA/@ahH/AAlp/@<_8B}@ApyDA| !"|I /A(T:88<_})8Bz8I ,^/A$T:888})I,<_8Bz`I~$/A$T:88<_})8Bz8i,IXyl<=yt~x8dypbH7=|}xKYxH:mCxH:ecxH:]8!Ѐ|N |}8@9`Q8(!a@8a88a\<DHLAP!TaXKU8!|N /|B!A8KHK?|~x}~/AH9xH988}~xK|}xxH9y8!Px|N 8`Kt|BA|}x!?[}AT/A (/A|Cx| x| N!/A$$/Ax| x| N!|}x}{}/A0/@@c/A<8wH6-|~y@ <<8cvx8zXH?8`H<<_?Bv$;vHB=|gxx9v8xxH9|zxHBi=|gxxxx9v8H9i}||x/Ad?~/@H6<Fx8D89|#x|}xH6e<x8x8|#x9H6E8~HL?~/A|}yA88H>MxH>88|~xxH>1xH? ||yAD8xxH=@,<_xxBqFx8bH5)|~xH;xH=5cxH=8!`xA|N |A|#x|zx!H5dxH58;xH<xfx|}xCxxH5I8!`xA|N |B;!<_9"nBn 888a<8A<@H7|dyA<8ctH98a88!`|N |B!P<_9"mBm ;@8a8xA8 xA$H+|xxxH-|{x.@Hl.A|#xH+i|xxH<_Bj8;@xH7xH95x8|exxH0|{x@|}xH<8;8cotH3}H/AxH- |zxH0cxH/dx|zxxH/i|`xcx.|xH,-@<dx;8coH3H4:cx~xH//@<dx;8coH2HCxH.88@``BACxH-|bx;*|Ex8xCx8;>@T]>8^ x:~óxH5y<_9b@8888~>~H5E~óxH2=|}yAP;~x8dxH/A,A<|fx88ScxH6A<dxx8cm4H0Hd8~888HH4/88^X8^\T@;a@`x8~8|H1=.|}xAP;~x8dxH.,A<|fx88ScxH5<dxx8cmDH0)H`^T8;`:8~8[xd^`tH0|}yA/A<_:T;Cx8xH. ,A<|fx88TxH5 <_=?Bgx)hbIcxFxH*.||x@$<cxFx8U(8H)||x.<~xx8cmTxxH/5A xH(.@\H$8~8H/|}y@ Cx88H,/@H(/A<_:UK~cx~x8PH2;~,88\cxH2٠8@cx^GplHH/.|}x<8cmdxH.AP;~x8xH,,A<|fx88V,xH3<xx8cmtH.5Hl<`PH2 ||yA<PL;^~óxH/E/|}x@/@\;H/AH~xDx8H, ,A<|fx88SCxH3 <Dxx8cmH`cxPH.|}yAx;^~x8DxH+,A<|fx88V,CxH2<Dxx8cmH-9xH0cxH-||yAL;~~x8dxH+M,A<|fx88V,cxH2M<dxx8cmH,.@ .x~óxH-!||yAL;~8~8dxH*,A<|fx88ScxH1<dxx8cmH,q@x!xáa|}p N |B|#x|wx!@88;H(x|}xxH(/@<~x8chdH+8`H/@<x8chtH+8`H;!(88\#x;A?H/88AD;#xH,y|}x|dx8{hH+/A /wA`<x8chH+iH0Cx88x8xxK|}yA/wA$<x~x8chH+%8`H;<_xBbbH'E8!|N !|}y|B|#x|+x|3x!@<;8cgXH*H<_xBa4xH#||y@<x;8cghH*}HH#/@<x;8cgxH*YH|x8fxx8889<|T|:W#!0>Lb\;<;aD<:;@@xH$|}y@88<cxH*)xdx!DH$|~y@t@@x8H'Y|~yAH88x8H$xk$K<~xkK/A8k$8_dxK|eyA <<clkKAt|vx<xjKK(<x@H#x|gx<x8cc4;xH%H /A(xH#<x|fx<8T08ccDH$8!~óxA|N <<jP8\K|?}cx|}x9>cc!p/@<><K<iKjDKjD||xKjDKjH|}xxKjLK<_j;baexK/A,<ujxj8K~DxH(c/@`jHxKjLKjexK/A,<ujxj8K~DxH'c/@<<?_j ?cjK88`|vx8`H#UjP|{xK||xjTxK/A?<j8aKj<8_K<j$|}x~óxxK/A<ujxj8K|}yA<jXK/A|<~x8j\K/@`x~DxH&cHjPcx>?==>K<_|wxA8HЀj8aK<j`|yx~óx%xK|zxHjHKj8^xK/Atjex#xjj8K|exxxK|}yA4A8jXK/A <~x8j\K/A<CxjdKjTCxK|{y@djT~xK/@$88!|x|N |?}cx;__!/@t<f|KxH%I_/@T<<fcgK<<f<8Z 8ZK<|ex<fcg|KxH$8!P~_|N ||+x}cx|3x|;x8`!A|+x|3x8H u/|{xA<<??f<>??f?f@K|exxxK<|zx<ecfK<f$|~xcxK||xH,fDxxK/AfHxCxKf(xK|}y@[xH<`ALA$<Ax<;`8c]HiHX<`A<<`@H4>cf??>K8x8|~x8`8H<f?????_K_T|{x<ca@K<``||xcxKx|exxK<`t|~xcxK||xH ``K|exxxK`xxK/@;`;;?>>???__,cxK_Tva4K_X8X,xxK_|{xxexK/A3/@/@_,xK8!p<cxԀ_8|K|<a쀄_}cx|+x?!K<<^||x8Vcx^K8!`|exxxa|K|~y|B!@<;8cV(HH88H1|}xxHE88|exxH|}yA,x;H!xx|dx<8cV8HIHa8888<89(<_G!2H{*@=(<_G!2H*\\áa А<xӁӡ\XA\!PATY8a@8A}N |B}h=k|@p}N |B}h=k|>}N |B}h=k|>}N |B}h=k|>,}N |B}h=k|>\}N |B}h=k|>@}N |B}h=k|?}N |B}h=k|?}N |B}h=k|>}N |B}h=k|>4}N |B}h=k|>}N |B}h=k|?}N |B}h=k|>t}N |B}h=k|>}N |B}h=k|>}N |B}h=k|>}N |B}h=k|>}N |B}h=k|<}N |B}h=k|=}N |B}h=k|0}N |B}h=k|> }N |B}h=k|=}N |B}h=k|=}N |B}h=k|=d}N |B}h=k|=4}N |B}h=k|;}N |B}h=k|<4}N |B}h=k|<}N |B}h=k|;`}N |B}h=k|;}N |B}h=k|;}N |B}h=k|<}N |B}h=k|;}N |B}h=k|;}N |B}h=k|;}N |B}h=k|<<}N |B}h=k|;}N |B}h=k|:}N |B}h=k|9}N |B}h=k|:p}N |B}h=k|:L}N |B}h=k|; }N |B}h=k|9}N |B}h=k|9}N |B}h=k|:}N |B}h=k|9}N |B}h=k|9}N |B}h=k|:l}N |B}h=k|9}N |B}h=k|8l}N |B}h=k|8}N |B}h=k|9}N |B}h=k|8}N |B}h=k|9}N |B}h=k|7}N |B}h=k|9}N |B}h=k|7X}N |B}h=k|98}N |B}h=k|8}N |B}h=k|8}N |B}h=k|8}N |B}h=k|9}N |B}h=k|8P}N |B}h=k|6}N |B}h=k|6t}N |B}h=k|78}N |B}h=k|6}N |B}h=k|8}N |B}h=k|6}N |B}h=k|6}N |B}h=k|5}N |B}h=k|5|}N |B}h=k|6}N |B}h=k|6}N |B}h=k|5}N |B}h=k|5}N |B}h=k|5l}N |B}h=k|4}N |B}h=k|4}N |B}h=k|4}N |B}h=k|4}N |B}h=k|5}N |B}h=k|4}N |B}h=k|5h}N |B}h=k|4p}N |B}h=k|4}N |B}h=k|4}N |B}h=k|4T}N |B}h=k|4T}N |B}h=k|4(}N |B}h=k|4(}N |B}h=k|3}N |B}h=k|3}N |B}h=k|3}N |B}h=k|3}N |B}h=k|4}N |B}h=k|2}N |B}h=k|2X}N |B}h=k|3}N |B}h=k|2d}N |B}h=k|2}N |B}h=k|2p}N |B}h=k|1}N |B}h=k|2D}N |B}h=k|1}N |B}h=k|1}N |B}h=k|1T}N |B}h=k|1H}N |B}h=k|1}N |B}h=k|1 }N |B}h=k|0}N |B}h=k|0p}N |B}h=k|1|}N |B}h=k|0(}N |B}h=k|2}N |B}h=k|1}N |B}h=k|0}N |B}h=k|1$}N |B}h=k|1}N |B}h=k|0}N |B}h=k|0}N |B}h=k|0}N |B}h=k|0}N |B}h=k|/}N |B}h=k|/}N |B}h=k|/h}N |B}h=k|/}N |B}h=k|.}N c8@0:4c12@0:4@8v12@0:4@8@8@0:4@12@0:4@8@16@0:4@8@12v12@0:4c8v8@0:4v40@0:4@8@12@16@20i24c28@32@36v36@0:4@8@12@16@20i24c28@32O@8@0:4Vv12@0:4O@8launchGrowlIfInstalled_launchGrowlIfInstalledWithRegistrationDictionary:_growlIsReady:growlProxyconnectionDidDie:growlNotificationTimedOut:growlNotificationWasClicked:_applicationIconDataForGrowlSearchingRegistrationDictionary:_applicationNameForGrowlSearchingRegistrationDictionary:frameworkInfoDictionarynotificationDictionaryByFillingInDictionary:registrationDictionaryByFillingInDictionary:restrictToKeys:registrationDictionaryByFillingInDictionary:bestRegistrationDictionaryregistrationDictionaryFromBundle:registrationDictionaryFromDelegatewillRegisterWhenGrowlIsReadysetWillRegisterWhenGrowlIsReady:reregisterGrowlNotificationsregisterWithDictionary:displayInstallationPromptIfNeededisGrowlRunningisGrowlInstallednotifyWithDictionary:notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:identifier:notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:growlDelegatesetGrowlDelegate:bytesdataUsingEncoding:absoluteStringfileExistsAtPath:defaultManagerwriteToFile:atomically:dataFromPropertyList:format:errorDescription:stringByAppendingPathComponent:substringToIndex:lengthstringByAppendingPathExtension:stringWithFormat:isEqualToString:fileURLWithPath:runningHelperAppBundlepostNotificationName:object:userInfo:growlIsReadysetProtocolForProxy:registerApplicationWithDictionary:rootProxyconnectionWithRegisteredName:host:objectdrainuserInfoinitapplicationIconDataForGrowlapplicationIconForGrowlprocessNameapplicationNameForGrowlinitWithInt:removeObjectForKey:containsObject:bundlePathdictionaryWithContentsOfFile:pathForResource:ofType:mainBundleregistrationDictionaryForGrowlgrowlPrefPaneBundlepostNotificationName:object:userInfo:deliverImmediately:setObject:forKey:TIFFRepresentationmutableCopyisKindOfClass:objectForKey:classpostNotificationWithDictionary:initWithObjectsAndKeys:removeObserver:name:object:respondsToSelector:initWithFormat:allocprocessIdentifierprocessInfoaddObserver:selector:name:object:autoreleaseretainreleasedefaultCentergrowlVersionGrowlApplicationBridgeNSObjectGrowlNotificationProtocolNSDistributedNotificationCenterNSProcessInfoNSStringNSMutableDictionaryNSExceptionNSImageGrowlPathUtilitiesNSBundleNSDictionaryNSNumberNSAutoreleasePoolNSNotificationCenterNSConnectionNSURLNSPropertyListSerializationNSFileManager%@GrowlApplicationBridge: Cannot register because the application name was not supplied and could not be determinedLend Me Some Sugar; I Am Your Neighbor!%@-%d-%@GrowlClicked!GrowlTimedOut!NotificationNameNotificationTitleNotificationDescriptionNotificationIconNotificationClickContextNotificationPriorityNotificationStickyGrowlNotificationIdentifierGrowlApplicationBridge: exception while sending notification: %@NotificationAppIconGrowlNotificationcom.Growl.GrowlHelperAppGrowl Registration TicketgrowlRegDictGrowlApplicationBridge: The bundle at %@ contains a registration dictionary, but it is not a valid property list. Please tell this application's developer.GrowlApplicationBridge: The Growl delegate did not supply a registration dictionary, and the app bundle at %@ does not have one. Please tell this application's developer.ApplicationNameApplicationIconAppLocationfile-dataDefaultNotificationsAllNotificationsApplicationIdApplicationPIDcom.growl.growlframeworkClickedContextGrowlApplicationBridgePathwayReceived a fake GrowlApplicationBridgePathway object. Some other application is interfering with Growl, or something went horribly wrong. Please file a bug report.GrowlHelperAppappBundlePath%@-%u-%@GrowlApplicationBridge: Error writing registration dictionary at %@GrowlApplicationBridge: Error writing registration dictionary at %@: %@GrowlApplicationBridge: Registration dictionary follows %@%@: Could not create open-document event to register this application with Growl%@: Could not set direct object of open-document event to register this application with Growl because AEStreamWriteKeyDesc returned %li/%s%@: Could not finish open-document event to register this application with Growl because AEStreamClose returned %li/%s%@: Could not send open-document event to register this application with Growl because AESend returned %li/%sGrowlApplicationBridge: Delegate did not supply a registration dictionary, and the app bundle at %@ does not have oneGrowlApplicationBridge: Got error reading property list at %@: %@GrowlApplicationBridge: Delegate did not supply a registration dictionary, and it could not be loaded from %@GrowlApplicationBridge: Registration dictionary file at %@ didn't contain a dictionary (dictionary type ID is '%@' whereas the file contained '%@'); description of object follows %@prefPaneCallbackContextcom.growl.prefpanelGrowlApplicationBridge: Could not find the temporary directory path, therefore cannot register./.GrowlApplicationBridge: Error writing registration dictionary to URL %@: %@Growl.prefPaneGrowlApplicationBridge: Growl_PostNotification called with a NULL notificationGrowlApplicationBridge: Growl_PostNotification called, but no delegate is in effect to supply an application name - either set a delegate, or use Growl_PostNotificationWithDictionary insteadGrowlApplicationBridge: Growl_PostNotification called, but no application name was found in the delegateGrowlApplicationBridge: Growl_SetDelegate called, but no application name was found in the delegaterbin copyCurrentProcessName in CFGrowlAdditions: Could not get process name because CopyProcessName returned %liin copyCurrentProcessURL in CFGrowlAdditions: Could not get application location, because GetProcessBundleLocation returned %li in copyTemporaryFolderPath in CFGrowlAdditions: Could not locate temporary folder because FSFindFolder returned %lir%s:%dIPv4 un-ntopable[%s]:%dIPv6 un-ntopableneither IPv6 nor IPv4in copyIconDataForURL in CFGrowlAdditions: could not get icon for %@: GetIconRefFromFileInfo returned %li in copyIconDataForURL in CFGrowlAdditions: could not get icon for %@: IconRefToIconFamily returned %li in createURLByMakingDirectoryAtURLWithName in CFGrowlAdditions: parent directory URL is NULL (please tell the Growl developers) in createURLByMakingDirectoryAtURLWithName in CFGrowlAdditions: name of directory to create is NULL (please tell the Growl developers) in createURLByMakingDirectoryAtURLWithName in CFGrowlAdditions: could not create FSRef for parent directory at %@ (please tell the Growl developers) PBCreateDirectoryUnicodeSync or PBMakeFSRefUnicodeSync returned %li; calling CFURLCreateFromFSRefCFURLCreateFromFSRef returned %@in createURLByMakingDirectoryAtURLWithName in CFGrowlAdditions: could not create directory '%@' in parent directory at %@: FSCreateDirectoryUnicode returned %li (please tell the Growl developers)(could not get path for source file: FSRefMakePath returned %li)in copyFork in CFGrowlAdditions: PBOpenForkSync (source: %s) returned %liin copyFork in CFGrowlAdditions: PBGetCatalogInfoSync (source: %s) returned %liPBMakeFSRefUnicodeSync(could not get path for destination directory: FSRefMakePath returned %li)(could not get filename for destination file: CFStringCreateWithCharactersNoCopy returned NULL)in copyFork in CFGrowlAdditions: %s (destination: %s/%@) returned %liPBCreateFileUnicodeSyncin copyFork in CFGrowlAdditions: PBOpenForkSync (dest) returned %li(could not get path for dest file: FSRefMakePath returned %li)in copyFork in CFGrowlAdditions: PBOpenForkSync (destination: %s) returned %liin copyFork in CFGrowlAdditions: PBReadForkSync (source: %s) returned %liin copyFork in CFGrowlAdditions: PBWriteForkSync (destination: %s) returned %liin copyFork in CFGrowlAdditions: PBCloseForkSync (destination: %s) returned %liin copyFork in CFGrowlAdditions: PBCloseForkSync (source: %s) returned %liin createURLByCopyingFileFromURLToDirectoryURL in CFGrowlAdditions: CFURLGetFSRef failed with source URL %@in createURLByCopyingFileFromURLToDirectoryURL in CFGrowlAdditions: CFURLGetFSRef failed with destination URL %@PBIterateForksSync returned %liin GrowlCopyObjectSync in CFGrowlAdditions: PBIterateForksSync returned %liin createURLByCopyingFileFromURLToDirectoryURL in CFGrowlAdditions: CopyObjectSync returned %li for source URL %@in createPropertyListFromURL in CFGrowlAdditions: cannot read from a NULL URLin createPropertyListFromURL in CFGrowlAdditions: could not create stream for reading from URL %@in createPropertyListFromURL in CFGrowlAdditions: could not open stream for reading from URL %@in createPropertyListFromURL in CFGrowlAdditions: could not read property list from URL %@ (error string: %@)@"NSDictionary"@"NSString"@"NSData"registrationDictionarysetApplicationIconDataForGrowl:setApplicationNameForGrowl:deallocinitWithAllNotifications:defaultNotifications:GrowlDelegateGrowlApplicationBridgeDelegate@16@0:4i8I12@20@0:4i8I12c16defaultSavePathForTicketWithApplicationName:nextScreenshotNameInDirectory:nextScreenshotNameticketsDirectoryscreenshotsDirectorygrowlSupportDirectorysearchPathForDirectory:inDomains:searchPathForDirectory:inDomains:mustBeWritable:helperAppBundlebundleForProcessWithBundleIdentifier:stringByDeletingPathExtensioninitWithCapacity:directoryContentsAtPath:createDirectoryAtPath:attributes:objectAtIndex:fileExistsAtPath:isDirectory:addObject:isWritableFileAtPath:arrayWithCapacity:countskipDescendentsenumeratorAtPath:compare:options:bundleIdentifiernextObjectobjectEnumeratorlowercaseStringpathExtensionstringByDeletingLastPathComponentbundleWithIdentifier:bundleWithPath:NSMutableArrayNSMutableSet+[GrowlPathUtilities bundleForProcessWithBundleIdentifier:]Couldn't get information about process %lu,%lu: GetProcessInformation returned %i/%s%s: GetNextProcess returned %i/%sprefpanePreferencePanesScreenshotsTicketsPluginsERROR: GrowlPathUtil was asked for directory 0x%x, but it doesn't know what directory that is. Please tell the Growl developers.Application Support/GrowlScreenshot %llugrowlTicketWARNING: createFileURLWithAliasData called with NULL aliasDatain createFileURLWithAliasData: Could not allocate an alias handle from %u bytes of alias data (data follows) because PtrToHand returned %li %@in createFileURLWithAliasData: Could not resolve alias (alias data follows) because FSResolveAlias returned %li - will try path %@in createFileURLWithAliasData: FSCopyAliasInfo returned a NULL pathfilein createAliasDataForURL: FSNewAlias for %@ returned %li_CFURLString_CFURLAliasData_CFURLStringTypein createDockDescriptionWithURL: Cannot copy Dock description for a NULL URL@16@0:4{_NSSize=ff}8{_NSSize=ff}16@0:4{_NSSize=ff}8v32@0:4{_NSRect={_NSPoint=ff}{_NSSize=ff}}8I24f28replacementObjectForPortCoder:representationOfSize:bestRepresentationForSize:adjustSizeToDrawAtSize:drawScaledInRect:operation:fraction:isBycopybestRepresentationForDevice:representationssetSize:drawInRect:fromRect:operation:fraction:setImageInterpolation:currentContextsetScalesWhenResized:sizeGrowlImageAdditionsNSGraphicsContext?$$4DtÄTôdÔtxq' 0@Th@<Pd H  ,DX hxhx| CG :\P<vm$uAmP (<_`KNPh|cnTsPXltj gta| IOEhCN<IOO(JtkpTtKq4Ma_Hm Td! D`p |>LC8X hxLL TTH}h|{{xHXtXx@p tTH0dxpd\T0$p\<4 ph4dTD0$xhDL4( tdL$hHdH@0 d88 H8l֬P@x888 0Ө88l0@880`.x.-++$*)4X)((&#$#H"xd!!T!D!8!( ( L\p`0D T rq8 q( p84oHLn4dn$kjtg\gHeD|``` `0҈Ҹլe,xe$ddTd4d(<cx @ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@” @˜ @œ @  @¤ @¨ @¬ @° @´ @¸ @¼ @ @@@@@ @@,@<@L@\@l@|@Ì@Ü@ì@ü@@@@@ @@,@<@L@\@l@|@Č@Ĝ@Ĭ@ļ@@@@@ @@,@<@L@\@l@|@Ō@Ŝ@Ŭ@ż@@@@@ @@,@<@L@\@l@|@ƌ@Ɯ@Ƭ@Ƽ@@@@@ @@,@<@L@\@l@|@nj@ǜ@Ǭ@Ǽ@@@@@ @@,@<@L@\@l@|@Ȍ@Ȝ@Ȭ@ȼ@@@@@ @@,@<@L@\@l@|@Ɍ@ɜ@ɬ@ɼ@@@@@ @@$@@@ @@@@$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@Ѐ@Є@Ј@Ќ@А@Д@И@М@Р@Ф@Ш@Ь@а@д@и@м@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@р@ф@ш@ь@ѐ@є@ј@ќ@Ѡ@Ѥ@Ѩ@Ѭ@Ѱ@Ѵ@Ѹ@Ѽ@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@Ҁ@҄@҈@Ҍ@Ґ@Ҹ@Ҽ@@@@@@@@@@ @4@H@L@P@l@x@|@Ӏ@Ӕ@Ӱ@Ӵ@Ӹ@Ӽ@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@Ԁ@Ԅ@Ԉ@Ԍ@Ԑ@Ԕ@Ԙ@Ԝ@Ԡ@Ԥ@Ԩ@Ԭ@԰@Դ@Ը@Լ@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@Հ@Մ@Ո@Ռ@Ր@Ք@՜@դ @հ@@@@@@@@@ @@,@<@H@X@\@`@d@h@l@p@t@x@|@ր@ք@ֈ@֌@֐@֔@֘@֜@֠@֤@֨@ְ@ִ@ּ@@@@@@ @2 Z`Eu  7!(n!8!D!T!Y"x##$+&r()().*c+$+-..[4;=D"E>N`MZtWcd(dd d6e$ce,egHg\'jMkn$n4oH #p8 Jq( sq8 r x!0{!h{!|!}"~"~d"&"B"P"^"j"v"""”"œ" $" (" ," 0" 4# 8# <#, @#8 D#N H#X L#r M# P# T# X# \4҈\Ҹ{55Ex!F`Z;75`A;F,KTpHH|KL<LD5|5<QhIQaRyR@WlVHS|STtv7O@_sL{uUa,TPP)b`V_Wx|x<x8Sxww C]{)BbKe|      !  2  J  ]  t              +  D  R  d                %  @  _  u                    @  j              <  O  k  }              ! B f    A   A8 Q m ~     - < ^ l     (7Ol|.<Ch~(9[fv   - A S d t    '=SmPPPPPP$P4PDPTPdPtPÄPÔPäPôPPPPPPP$P4PDPTPdPtPĄPĔPĤPĴPPPPPPP$P4PDPTPdPtPńPŔPŤPŴPPPPPPP$P4PDPTPdPtPƄPƔPƤPƴPPPPPPP$P4PDPTPdPtPDŽPǔPǤPǴPPPPPPP$P4PDPTPdPtPȄPȔPȤPȴPPPPPPP$P4PDPTPdPtPɄPɔPɤPɴPPPPPPP      !"#$%&'()3456789:;<=>?@)'&@" #%!< >$= 5? ( 6 :78;943/*210,+-.XYZ[\]^_`abcdefghijklmnopqrstuvwxyz{|}~X3Xv@XYZ[\]^_`abcdefghijklmnopqrstuvwxyz{|}~      !"#$%&'()*+,-./0123456789:;<=>?@.objc_category_name_NSImage_GrowlImageAdditions.objc_class_name_GrowlApplicationBridge.objc_class_name_GrowlDelegate.objc_class_name_GrowlPathUtilities_Growl_CopyRegistrationDictionaryFromBundle_Growl_CopyRegistrationDictionaryFromDelegate_Growl_CreateBestRegistrationDictionary_Growl_CreateNotificationDictionaryByFillingInDictionary_Growl_CreateRegistrationDictionaryByFillingInDictionary_Growl_CreateRegistrationDictionaryByFillingInDictionaryRestrictedToKeys_Growl_GetDelegate_Growl_IsInstalled_Growl_IsRunning_Growl_LaunchIfInstalled_Growl_NotifyWithTitleDescriptionNameIconPriorityStickyClickContext_Growl_PostNotification_Growl_PostNotificationWithDictionary_Growl_RegisterWithDictionary_Growl_Reregister_Growl_SetDelegate_Growl_SetWillRegisterWhenGrowlIsReady_Growl_WillRegisterWhenGrowlIsReady_copyCString_copyCurrentProcessName_copyCurrentProcessPath_copyCurrentProcessURL_copyIconDataForPath_copyIconDataForURL_copyTemporaryFolderPath_copyTemporaryFolderURL_copyURLForApplication_createAliasDataWithURL_createDockDescriptionWithURL_createFileSystemRepresentationOfString_createFileURLWithAliasData_createFileURLWithDockDescription_createHostNameForAddressData_createPropertyListFromURL_createStringWithAddressData_createStringWithContentsOfFile_createStringWithDate_createStringWithStringAndCharacterAndString_createURLByCopyingFileFromURLToDirectoryURL_createURLByMakingDirectoryAtURLWithName_getBooleanForKey_getIntegerForKey_getObjectForKey_readFile_setBooleanForKey_setIntegerForKey_setObjectForKey.objc_class_name_NSAutoreleasePool.objc_class_name_NSBundle.objc_class_name_NSConnection.objc_class_name_NSDictionary.objc_class_name_NSDistributedNotificationCenter.objc_class_name_NSException.objc_class_name_NSFileManager.objc_class_name_NSGraphicsContext.objc_class_name_NSImage.objc_class_name_NSMutableArray.objc_class_name_NSMutableDictionary.objc_class_name_NSMutableSet.objc_class_name_NSNotificationCenter.objc_class_name_NSNumber.objc_class_name_NSObject.objc_class_name_NSProcessInfo.objc_class_name_NSPropertyListSerialization.objc_class_name_NSString.objc_class_name_NSURL_AEDisposeDesc_AESendMessage_AEStreamClose_AEStreamCreateEvent_AEStreamWriteKeyDesc_CFArrayAppendArray_CFArrayAppendValue_CFArrayCreate_CFArrayCreateMutable_CFArrayGetCount_CFArrayGetValueAtIndex_CFBooleanGetValue_CFBundleCopyBundleURL_CFBundleCopyResourceURL_CFBundleCreate_CFBundleCreateBundlesFromDirectory_CFBundleGetBundleWithIdentifier_CFBundleGetIdentifier_CFBundleGetInfoDictionary_CFBundleGetMainBundle_CFCopyTypeIDDescription_CFDataCreate_CFDataCreateCopy_CFDataCreateWithBytesNoCopy_CFDataGetBytePtr_CFDataGetLength_CFDateFormatterCreate_CFDateFormatterCreateStringWithDate_CFDictionaryContainsKey_CFDictionaryCreate_CFDictionaryCreateCopy_CFDictionaryCreateMutable_CFDictionaryCreateMutableCopy_CFDictionaryGetCount_CFDictionaryGetTypeID_CFDictionaryGetValue_CFDictionaryRemoveValue_CFDictionarySetValue_CFEqual_CFGetAllocator_CFGetTypeID_CFLocaleCopyCurrent_CFMakeCollectable_CFNotificationCenterAddObserver_CFNotificationCenterGetDistributedCenter_CFNotificationCenterPostNotification_CFNotificationCenterRemoveEveryObserver_CFNotificationCenterRemoveObserver_CFNumberCreate_CFNumberGetValue_CFPropertyListCreateFromStream_CFPropertyListWriteToStream_CFReadStreamClose_CFReadStreamCreateWithFile_CFReadStreamOpen_CFRelease_CFRetain_CFSetContainsValue_CFStringCompare_CFStringCreateByCombiningStrings_CFStringCreateCopy_CFStringCreateWithBytes_CFStringCreateWithCString_CFStringCreateWithCStringNoCopy_CFStringCreateWithCharactersNoCopy_CFStringCreateWithFormat_CFStringGetCString_CFStringGetCharacters_CFStringGetFileSystemRepresentation_CFStringGetLength_CFStringGetMaximumSizeForEncoding_CFStringGetMaximumSizeOfFileSystemRepresentation_CFURLCopyFileSystemPath_CFURLCopyLastPathComponent_CFURLCopyScheme_CFURLCreateCopyAppendingPathComponent_CFURLCreateCopyDeletingLastPathComponent_CFURLCreateFromFSRef_CFURLCreateFromFileSystemRepresentation_CFURLCreateWithFileSystemPath_CFURLGetFSRef_CFURLGetFileSystemRepresentation_CFUUIDCreate_CFUUIDCreateString_CFWriteStreamClose_CFWriteStreamCreateWithFile_CFWriteStreamOpen_CopyProcessName_DisposeHandle_FNNotify_FSCopyAliasInfo_FSFindFolder_FSNewAlias_FSRefMakePath_GetHandleSize_GetIconRefFromFileInfo_GetMacOSStatusCommentString_GetNextProcess_GetProcessBundleLocation_GetProcessInformation_GetProcessPID_HLock_HUnlock_IconRefToIconFamily_LSFindApplicationForInfo_LSOpenFromURLSpec_NSConnectionDidDieNotification_NSEqualSizes_NSLog_NSSearchPathForDirectoriesInDomains_NSTemporaryDirectory_PBCloseForkSync_PBCreateDirectoryUnicodeSync_PBCreateFileUnicodeSync_PBGetCatalogInfoSync_PBIterateForksSync_PBMakeFSRefUnicodeSync_PBOpenForkSync_PBReadForkSync_PBWriteForkSync_ProcessInformationCopyDictionary_PtrToHand_ReleaseIconRef___CFConstantStringClassReference__setjmp_calloc_ceilf_close_fclose_floorf_fopen_fread_free_fseek_fstat_ftell_getcwd_getnameinfo_getpid_inet_ntop_kCFAllocatorDefault_kCFAllocatorMalloc_kCFAllocatorNull_kCFBooleanFalse_kCFBooleanTrue_kCFBundleIdentifierKey_kCFTypeArrayCallBacks_kCFTypeDictionaryKeyCallBacks_kCFTypeDictionaryValueCallBacks_malloc_memcpy_memset_objc_assign_global_objc_exception_extract_objc_exception_match_objc_exception_throw_objc_exception_try_enter_objc_exception_try_exit_objc_msgSendSuper_objc_msgSend_stret_open_snprintf$LDBL128_strlensingle module__mh_dylib_headerdyld_stub_binding_helper+[GrowlApplicationBridge setGrowlDelegate:]+[GrowlApplicationBridge growlDelegate]+[GrowlApplicationBridge notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:]+[GrowlApplicationBridge notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:identifier:]+[GrowlApplicationBridge notifyWithDictionary:]+[GrowlApplicationBridge isGrowlInstalled]+[GrowlApplicationBridge isGrowlRunning]+[GrowlApplicationBridge displayInstallationPromptIfNeeded]+[GrowlApplicationBridge registerWithDictionary:]+[GrowlApplicationBridge reregisterGrowlNotifications]+[GrowlApplicationBridge setWillRegisterWhenGrowlIsReady:]+[GrowlApplicationBridge willRegisterWhenGrowlIsReady]+[GrowlApplicationBridge registrationDictionaryFromDelegate]+[GrowlApplicationBridge registrationDictionaryFromBundle:]+[GrowlApplicationBridge bestRegistrationDictionary]+[GrowlApplicationBridge registrationDictionaryByFillingInDictionary:]+[GrowlApplicationBridge registrationDictionaryByFillingInDictionary:restrictToKeys:]+[GrowlApplicationBridge notificationDictionaryByFillingInDictionary:]+[GrowlApplicationBridge frameworkInfoDictionary]+[GrowlApplicationBridge _applicationNameForGrowlSearchingRegistrationDictionary:]+[GrowlApplicationBridge growlNotificationWasClicked:]+[GrowlApplicationBridge growlNotificationTimedOut:]+[GrowlApplicationBridge connectionDidDie:]+[GrowlApplicationBridge growlProxy]+[GrowlApplicationBridge _growlIsReady:]+[GrowlApplicationBridge launchGrowlIfInstalled]+[GrowlApplicationBridge _launchGrowlIfInstalledWithRegistrationDictionary:]+[GrowlApplicationBridge _applicationIconDataForGrowlSearchingRegistrationDictionary:]__copyAllPreferencePaneBundles__launchGrowlIfInstalledWithRegistrationDictionary__growlNotificationWasClicked__growlNotificationTimedOut__growlIsReady_copyFork-[GrowlDelegate initWithAllNotifications:defaultNotifications:]-[GrowlDelegate dealloc]-[GrowlDelegate registrationDictionaryForGrowl]-[GrowlDelegate applicationNameForGrowl]-[GrowlDelegate setApplicationNameForGrowl:]-[GrowlDelegate applicationIconDataForGrowl]-[GrowlDelegate setApplicationIconDataForGrowl:]+[GrowlPathUtilities bundleForProcessWithBundleIdentifier:]+[GrowlPathUtilities runningHelperAppBundle]+[GrowlPathUtilities growlPrefPaneBundle]+[GrowlPathUtilities helperAppBundle]+[GrowlPathUtilities searchPathForDirectory:inDomains:mustBeWritable:]+[GrowlPathUtilities searchPathForDirectory:inDomains:]+[GrowlPathUtilities growlSupportDirectory]+[GrowlPathUtilities screenshotsDirectory]+[GrowlPathUtilities ticketsDirectory]+[GrowlPathUtilities nextScreenshotName]+[GrowlPathUtilities nextScreenshotNameInDirectory:]+[GrowlPathUtilities defaultSavePathForTicketWithApplicationName:]-[NSImage(GrowlImageAdditions) drawScaledInRect:operation:fraction:]-[NSImage(GrowlImageAdditions) adjustSizeToDrawAtSize:]-[NSImage(GrowlImageAdditions) bestRepresentationForSize:]-[NSImage(GrowlImageAdditions) representationOfSize:]-[NSImage(GrowlImageAdditions) replacementObjectForPortCoder:]saveFPrestFP___PRETTY_FUNCTION__.108339_C.178.108798_C.425.109488_C.71.74035_C.88.74183_C.65.74088_C.66.74100_C.65.108340_C.81.74148_C.58.73802dyld__mach_header_growlLaunched_appIconData_appName_cachedRegistrationDictionary_delegate_registerWhenGrowlIsReady_growlProxy_targetsToNotifyArray_delegate_registerWhenGrowlIsReady_growlLaunched_cachedRegistrationDictionary_registeredForClickCallbacks_helperAppBundle_prefPaneBundleunison-2.40.102/uimacnew09/Frameworks/Growl.framework/Resources/0000755006131600613160000000000012050210655024532 5ustar bcpiercebcpierceunison-2.40.102/uimacnew09/Frameworks/Growl.framework/Resources/Info.plist0000644006131600613160000000134211361646373026520 0ustar bcpiercebcpierce CFBundleDevelopmentRegion English CFBundleExecutable Growl CFBundleIdentifier com.growl.growlframework CFBundleInfoDictionaryVersion 6.0 CFBundlePackageType FMWK CFBundleShortVersionString 1.2.1 CFBundleSignature GRRR CFBundleVersion 1.2.1 NSPrincipalClass GrowlApplicationBridge unison-2.40.102/uimacnew09/Frameworks/Growl.framework/Versions/0000755006131600613160000000000012050210654024367 5ustar bcpiercebcpierceunison-2.40.102/uimacnew09/Frameworks/Growl.framework/Versions/Current/0000755006131600613160000000000012050210655026012 5ustar bcpiercebcpierceunison-2.40.102/uimacnew09/Frameworks/Growl.framework/Versions/Current/Headers/0000755006131600613160000000000012050210655027365 5ustar bcpiercebcpierceunison-2.40.102/uimacnew09/Frameworks/Growl.framework/Versions/Current/Headers/GrowlDefines.h0000644006131600613160000003656511361646373032163 0ustar bcpiercebcpierce// // GrowlDefines.h // #ifndef _GROWLDEFINES_H #define _GROWLDEFINES_H #ifdef __OBJC__ #define XSTR(x) (@x) #define STRING_TYPE NSString * #else #define XSTR CFSTR #define STRING_TYPE CFStringRef #endif /*! @header GrowlDefines.h * @abstract Defines all the notification keys. * @discussion Defines all the keys used for registration with Growl and for * Growl notifications. * * Most applications should use the functions or methods of Growl.framework * instead of posting notifications such as those described here. * @updated 2004-01-25 */ // UserInfo Keys for Registration #pragma mark UserInfo Keys for Registration /*! @group Registration userInfo keys */ /* @abstract Keys for the userInfo dictionary of a GROWL_APP_REGISTRATION distributed notification. * @discussion The values of these keys describe the application and the * notifications it may post. * * Your application must register with Growl before it can post Growl * notifications (and have them not be ignored). However, as of Growl 0.6, * posting GROWL_APP_REGISTRATION notifications directly is no longer the * preferred way to register your application. Your application should instead * use Growl.framework's delegate system. * See +[GrowlApplicationBridge setGrowlDelegate:] or Growl_SetDelegate for * more information. */ /*! @defined GROWL_APP_NAME * @abstract The name of your application. * @discussion The name of your application. This should remain stable between * different versions and incarnations of your application. * For example, "SurfWriter" is a good app name, whereas "SurfWriter 2.0" and * "SurfWriter Lite" are not. */ #define GROWL_APP_NAME XSTR("ApplicationName") /*! @defined GROWL_APP_ID * @abstract The bundle identifier of your application. * @discussion The bundle identifier of your application. This key should * be unique for your application while there may be several applications * with the same GROWL_APP_NAME. * This key is optional. */ #define GROWL_APP_ID XSTR("ApplicationId") /*! @defined GROWL_APP_ICON * @abstract The image data for your application's icon. * @discussion Image data representing your application's icon. This may be * superimposed on a notification icon as a badge, used as the notification * icon when a notification-specific icon is not supplied, or ignored * altogether, depending on the display. Must be in a format supported by * NSImage, such as TIFF, PNG, GIF, JPEG, BMP, PICT, or PDF. * * Optional. Not supported by all display plugins. */ #define GROWL_APP_ICON XSTR("ApplicationIcon") /*! @defined GROWL_NOTIFICATIONS_DEFAULT * @abstract The array of notifications to turn on by default. * @discussion These are the names of the notifications that should be enabled * by default when your application registers for the first time. If your * application reregisters, Growl will look here for any new notification * names found in GROWL_NOTIFICATIONS_ALL, but ignore any others. */ #define GROWL_NOTIFICATIONS_DEFAULT XSTR("DefaultNotifications") /*! @defined GROWL_NOTIFICATIONS_ALL * @abstract The array of all notifications your application can send. * @discussion These are the names of all of the notifications that your * application may post. See GROWL_NOTIFICATION_NAME for a discussion of good * notification names. */ #define GROWL_NOTIFICATIONS_ALL XSTR("AllNotifications") /*! @defined GROWL_NOTIFICATIONS_HUMAN_READABLE_DESCRIPTIONS * @abstract A dictionary of human-readable names for your notifications. * @discussion By default, the Growl UI will display notifications by the names given in GROWL_NOTIFICATIONS_ALL * which correspond to the GROWL_NOTIFICATION_NAME. This dictionary specifies the human-readable name to display. * The keys of the dictionary are GROWL_NOTIFICATION_NAME strings; the objects are the human-readable versions. * For any GROWL_NOTIFICATION_NAME not specific in this dictionary, the GROWL_NOTIFICATION_NAME will be displayed. * * This key is optional. */ #define GROWL_NOTIFICATIONS_HUMAN_READABLE_NAMES XSTR("HumanReadableNames") /*! @defined GROWL_NOTIFICATIONS_DESCRIPTIONS * @abstract A dictionary of descriptions of _when_ each notification occurs * @discussion This is an NSDictionary whose keys are GROWL_NOTIFICATION_NAME strings and whose objects are * descriptions of _when_ each notification occurs, such as "You received a new mail message" or * "A file finished downloading". * * This key is optional. */ #define GROWL_NOTIFICATIONS_DESCRIPTIONS XSTR("NotificationDescriptions") /*! @defined GROWL_TICKET_VERSION * @abstract The version of your registration ticket. * @discussion Include this key in a ticket plist file that you put in your * application bundle for auto-discovery. The current ticket version is 1. */ #define GROWL_TICKET_VERSION XSTR("TicketVersion") // UserInfo Keys for Notifications #pragma mark UserInfo Keys for Notifications /*! @group Notification userInfo keys */ /* @abstract Keys for the userInfo dictionary of a GROWL_NOTIFICATION distributed notification. * @discussion The values of these keys describe the content of a Growl * notification. * * Not all of these keys are supported by all displays. Only the name, title, * and description of a notification are universal. Most of the built-in * displays do support all of these keys, and most other visual displays * probably will also. But, as of 0.6, the Log, MailMe, and Speech displays * support only textual data. */ /*! @defined GROWL_NOTIFICATION_NAME * @abstract The name of the notification. * @discussion The name of the notification. Note that if you do not define * GROWL_NOTIFICATIONS_HUMAN_READABLE_NAMES when registering your ticket originally this name * will the one displayed within the Growl preference pane and should be human-readable. */ #define GROWL_NOTIFICATION_NAME XSTR("NotificationName") /*! @defined GROWL_NOTIFICATION_TITLE * @abstract The title to display in the notification. * @discussion The title of the notification. Should be very brief. * The title usually says what happened, e.g. "Download complete". */ #define GROWL_NOTIFICATION_TITLE XSTR("NotificationTitle") /*! @defined GROWL_NOTIFICATION_DESCRIPTION * @abstract The description to display in the notification. * @discussion The description should be longer and more verbose than the title. * The description usually tells the subject of the action, * e.g. "Growl-0.6.dmg downloaded in 5.02 minutes". */ #define GROWL_NOTIFICATION_DESCRIPTION XSTR("NotificationDescription") /*! @defined GROWL_NOTIFICATION_ICON * @discussion Image data for the notification icon. Must be in a format * supported by NSImage, such as TIFF, PNG, GIF, JPEG, BMP, PICT, or PDF. * * Optional. Not supported by all display plugins. */ #define GROWL_NOTIFICATION_ICON XSTR("NotificationIcon") /*! @defined GROWL_NOTIFICATION_APP_ICON * @discussion Image data for the application icon, in case GROWL_APP_ICON does * not apply for some reason. Must be in a format supported by NSImage, such * as TIFF, PNG, GIF, JPEG, BMP, PICT, or PDF. * * Optional. Not supported by all display plugins. */ #define GROWL_NOTIFICATION_APP_ICON XSTR("NotificationAppIcon") /*! @defined GROWL_NOTIFICATION_PRIORITY * @discussion The priority of the notification as an integer number from * -2 to +2 (+2 being highest). * * Optional. Not supported by all display plugins. */ #define GROWL_NOTIFICATION_PRIORITY XSTR("NotificationPriority") /*! @defined GROWL_NOTIFICATION_STICKY * @discussion A Boolean number controlling whether the notification is sticky. * * Optional. Not supported by all display plugins. */ #define GROWL_NOTIFICATION_STICKY XSTR("NotificationSticky") /*! @defined GROWL_NOTIFICATION_CLICK_CONTEXT * @abstract Identifies which notification was clicked. * @discussion An identifier for the notification for clicking purposes. * * This will be passed back to the application when the notification is * clicked. It must be plist-encodable (a data, dictionary, array, number, or * string object), and it should be unique for each notification you post. * A good click context would be a UUID string returned by NSProcessInfo or * CFUUID. * * Optional. Not supported by all display plugins. */ #define GROWL_NOTIFICATION_CLICK_CONTEXT XSTR("NotificationClickContext") /*! @defined GROWL_DISPLAY_PLUGIN * @discussion The name of a display plugin which should be used for this notification. * Optional. If this key is not set or the specified display plugin does not * exist, the display plugin stored in the application ticket is used. This key * allows applications to use different default display plugins for their * notifications. The user can still override those settings in the preference * pane. */ #define GROWL_DISPLAY_PLUGIN XSTR("NotificationDisplayPlugin") /*! @defined GROWL_NOTIFICATION_IDENTIFIER * @abstract An identifier for the notification for coalescing purposes. * Notifications with the same identifier fall into the same class; only * the last notification of a class is displayed on the screen. If a * notification of the same class is currently being displayed, it is * replaced by this notification. * * Optional. Not supported by all display plugins. */ #define GROWL_NOTIFICATION_IDENTIFIER XSTR("GrowlNotificationIdentifier") /*! @defined GROWL_APP_PID * @abstract The process identifier of the process which sends this * notification. If this field is set, the application will only receive * clicked and timed out notifications which originate from this process. * * Optional. */ #define GROWL_APP_PID XSTR("ApplicationPID") /*! @defined GROWL_NOTIFICATION_PROGRESS * @abstract If this key is set, it should contain a double value wrapped * in a NSNumber which describes some sort of progress (from 0.0 to 100.0). * If this is key is not set, no progress bar is shown. * * Optional. Not supported by all display plugins. */ #define GROWL_NOTIFICATION_PROGRESS XSTR("NotificationProgress") // Notifications #pragma mark Notifications /*! @group Notification names */ /* @abstract Names of distributed notifications used by Growl. * @discussion These are notifications used by applications (directly or * indirectly) to interact with Growl, and by Growl for interaction between * its components. * * Most of these should no longer be used in Growl 0.6 and later, in favor of * Growl.framework's GrowlApplicationBridge APIs. */ /*! @defined GROWL_APP_REGISTRATION * @abstract The distributed notification for registering your application. * @discussion This is the name of the distributed notification that can be * used to register applications with Growl. * * The userInfo dictionary for this notification can contain these keys: *
    *
  • GROWL_APP_NAME
  • *
  • GROWL_APP_ICON
  • *
  • GROWL_NOTIFICATIONS_ALL
  • *
  • GROWL_NOTIFICATIONS_DEFAULT
  • *
* * No longer recommended as of Growl 0.6. An alternate method of registering * is to use Growl.framework's delegate system. * See +[GrowlApplicationBridge setGrowlDelegate:] or Growl_SetDelegate for * more information. */ #define GROWL_APP_REGISTRATION XSTR("GrowlApplicationRegistrationNotification") /*! @defined GROWL_APP_REGISTRATION_CONF * @abstract The distributed notification for confirming registration. * @discussion The name of the distributed notification sent to confirm the * registration. Used by the Growl preference pane. Your application probably * does not need to use this notification. */ #define GROWL_APP_REGISTRATION_CONF XSTR("GrowlApplicationRegistrationConfirmationNotification") /*! @defined GROWL_NOTIFICATION * @abstract The distributed notification for Growl notifications. * @discussion This is what it all comes down to. This is the name of the * distributed notification that your application posts to actually send a * Growl notification. * * The userInfo dictionary for this notification can contain these keys: *
    *
  • GROWL_NOTIFICATION_NAME (required)
  • *
  • GROWL_NOTIFICATION_TITLE (required)
  • *
  • GROWL_NOTIFICATION_DESCRIPTION (required)
  • *
  • GROWL_NOTIFICATION_ICON
  • *
  • GROWL_NOTIFICATION_APP_ICON
  • *
  • GROWL_NOTIFICATION_PRIORITY
  • *
  • GROWL_NOTIFICATION_STICKY
  • *
  • GROWL_NOTIFICATION_CLICK_CONTEXT
  • *
  • GROWL_APP_NAME (required)
  • *
* * No longer recommended as of Growl 0.6. Three alternate methods of posting * notifications are +[GrowlApplicationBridge notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:], * Growl_NotifyWithTitleDescriptionNameIconPriorityStickyClickContext, and * Growl_PostNotification. */ #define GROWL_NOTIFICATION XSTR("GrowlNotification") /*! @defined GROWL_SHUTDOWN * @abstract The distributed notification name that tells Growl to shutdown. * @discussion The Growl preference pane posts this notification when the * "Stop Growl" button is clicked. */ #define GROWL_SHUTDOWN XSTR("GrowlShutdown") /*! @defined GROWL_PING * @abstract A distributed notification to check whether Growl is running. * @discussion This is used by the Growl preference pane. If it receives a * GROWL_PONG, the preference pane takes this to mean that Growl is running. */ #define GROWL_PING XSTR("Honey, Mind Taking Out The Trash") /*! @defined GROWL_PONG * @abstract The distributed notification sent in reply to GROWL_PING. * @discussion GrowlHelperApp posts this in reply to GROWL_PING. */ #define GROWL_PONG XSTR("What Do You Want From Me, Woman") /*! @defined GROWL_IS_READY * @abstract The distributed notification sent when Growl starts up. * @discussion GrowlHelperApp posts this when it has begin listening on all of * its sources for new notifications. GrowlApplicationBridge (in * Growl.framework), upon receiving this notification, reregisters using the * registration dictionary supplied by its delegate. */ #define GROWL_IS_READY XSTR("Lend Me Some Sugar; I Am Your Neighbor!") /*! @defined GROWL_NOTIFICATION_CLICKED * @abstract The distributed notification sent when a supported notification is clicked. * @discussion When a Growl notification with a click context is clicked on by * the user, Growl posts this distributed notification. * The GrowlApplicationBridge responds to this notification by calling a * callback in its delegate. */ #define GROWL_NOTIFICATION_CLICKED XSTR("GrowlClicked!") #define GROWL_NOTIFICATION_TIMED_OUT XSTR("GrowlTimedOut!") /*! @group Other symbols */ /* Symbols which don't fit into any of the other categories. */ /*! @defined GROWL_KEY_CLICKED_CONTEXT * @abstract Used internally as the key for the clickedContext passed over DNC. * @discussion This key is used in GROWL_NOTIFICATION_CLICKED, and contains the * click context that was supplied in the original notification. */ #define GROWL_KEY_CLICKED_CONTEXT XSTR("ClickedContext") /*! @defined GROWL_REG_DICT_EXTENSION * @abstract The filename extension for registration dictionaries. * @discussion The GrowlApplicationBridge in Growl.framework registers with * Growl by creating a file with the extension of .(GROWL_REG_DICT_EXTENSION) * and opening it in the GrowlHelperApp. This happens whether or not Growl is * running; if it was stopped, it quits immediately without listening for * notifications. */ #define GROWL_REG_DICT_EXTENSION XSTR("growlRegDict") #define GROWL_POSITION_PREFERENCE_KEY @"GrowlSelectedPosition" #endif //ndef _GROWLDEFINES_H ././@LongLink0000000000000000000000000000015700000000000011570 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/Growl.framework/Versions/Current/Headers/GrowlApplicationBridge-Carbon.hunison-2.40.102/uimacnew09/Frameworks/Growl.framework/Versions/Current/Headers/GrowlApplicationBridg0000644006131600613160000010317611361646373033564 0ustar bcpiercebcpierce// // GrowlApplicationBridge-Carbon.h // Growl // // Created by Mac-arena the Bored Zo on Wed Jun 18 2004. // Based on GrowlApplicationBridge.h by Evan Schoenberg. // This source code is in the public domain. You may freely link it into any // program. // #ifndef _GROWLAPPLICATIONBRIDGE_CARBON_H_ #define _GROWLAPPLICATIONBRIDGE_CARBON_H_ #include #include #ifndef GROWL_EXPORT #define GROWL_EXPORT __attribute__((visibility("default"))) DEPRECATED_ATTRIBUTE #endif /*! @header GrowlApplicationBridge-Carbon.h * @abstract Declares an API that Carbon applications can use to interact with Growl. * @discussion GrowlApplicationBridge uses a delegate to provide information //XXX * to Growl (such as your application's name and what notifications it may * post) and to provide information to your application (such as that Growl * is listening for notifications or that a notification has been clicked). * * You can set the Growldelegate with Growl_SetDelegate and find out the * current delegate with Growl_GetDelegate. See struct Growl_Delegate for more * information about the delegate. */ __BEGIN_DECLS /*! @struct Growl_Delegate * @abstract Delegate to supply GrowlApplicationBridge with information and respond to events. * @discussion The Growl delegate provides your interface to * GrowlApplicationBridge. When GrowlApplicationBridge needs information about * your application, it looks for it in the delegate; when Growl or the user * does something that you might be interested in, GrowlApplicationBridge * looks for a callback in the delegate and calls it if present * (meaning, if it is not NULL). * XXX on all of that * @field size The size of the delegate structure. * @field applicationName The name of your application. * @field registrationDictionary A dictionary describing your application and the notifications it can send out. * @field applicationIconData Your application's icon. * @field growlInstallationWindowTitle The title of the installation window. * @field growlInstallationInformation Text to display in the installation window. * @field growlUpdateWindowTitle The title of the update window. * @field growlUpdateInformation Text to display in the update window. * @field referenceCount A count of owners of the delegate. * @field retain Called when GrowlApplicationBridge receives this delegate. * @field release Called when GrowlApplicationBridge no longer needs this delegate. * @field growlIsReady Called when GrowlHelperApp is listening for notifications. * @field growlNotificationWasClicked Called when a Growl notification is clicked. * @field growlNotificationTimedOut Called when a Growl notification timed out. */ struct Growl_Delegate { /* @discussion This should be sizeof(struct Growl_Delegate). */ size_t size; /*All of these attributes are optional. *Optional attributes can be NULL; required attributes that * are NULL cause setting the Growl delegate to fail. *XXX - move optional/required status into the discussion for each field */ /* This name is used both internally and in the Growl preferences. * * This should remain stable between different versions and incarnations of * your application. * For example, "SurfWriter" is a good app name, whereas "SurfWriter 2.0" and * "SurfWriter Lite" are not. * * This can be NULL if it is provided elsewhere, namely in an * auto-discoverable plist file in your app bundle * (XXX refer to more information on that) or in registrationDictionary. */ CFStringRef applicationName; /* * Must contain at least these keys: * GROWL_NOTIFICATIONS_ALL (CFArray): * Contains the names of all notifications your application may post. * * Can also contain these keys: * GROWL_NOTIFICATIONS_DEFAULT (CFArray): * Names of notifications that should be enabled by default. * If omitted, GROWL_NOTIFICATIONS_ALL will be used. * GROWL_APP_NAME (CFString): * Same as the applicationName member of this structure. * If both are present, the applicationName member shall prevail. * If this key is present, you may omit applicationName (set it to NULL). * GROWL_APP_ICON (CFData): * Same as the iconData member of this structure. * If both are present, the iconData member shall prevail. * If this key is present, you may omit iconData (set it to NULL). * * If you change the contents of this dictionary after setting the delegate, * be sure to call Growl_Reregister. * * This can be NULL if you have an auto-discoverable plist file in your app * bundle. (XXX refer to more information on that) */ CFDictionaryRef registrationDictionary; /* The data can be in any format supported by NSImage. As of * Mac OS X 10.3, this includes the .icns, TIFF, JPEG, GIF, PNG, PDF, and * PICT formats. * * If this is not supplied, Growl will look up your application's icon by * its application name. */ CFDataRef applicationIconData; /* Installer display attributes * * These four attributes are used by the Growl installer, if this framework * supports it. * For any of these being NULL, a localised default will be * supplied. */ /* If this is NULL, Growl will use a default, * localized title. * * Only used if you're using Growl-WithInstaller.framework. Otherwise, * this member is ignored. */ CFStringRef growlInstallationWindowTitle; /* This information may be as long or short as desired (the * window will be sized to fit it). If Growl is not installed, it will * be displayed to the user as an explanation of what Growl is and what * it can do in your application. * It should probably note that no download is required to install. * * If this is NULL, Growl will use a default, localized * explanation. * * Only used if you're using Growl-WithInstaller.framework. Otherwise, * this member is ignored. */ CFStringRef growlInstallationInformation; /* If this is NULL, Growl will use a default, * localized title. * * Only used if you're using Growl-WithInstaller.framework. Otherwise, * this member is ignored. */ CFStringRef growlUpdateWindowTitle; /* This information may be as long or short as desired (the * window will be sized to fit it). If an older version of Growl is * installed, it will be displayed to the user as an explanation that an * updated version of Growl is included in your application and * no download is required. * * If this is NULL, Growl will use a default, localized * explanation. * * Only used if you're using Growl-WithInstaller.framework. Otherwise, * this member is ignored. */ CFStringRef growlUpdateInformation; /* This member is provided for use by your retain and release * callbacks (see below). * * GrowlApplicationBridge never directly uses this member. Instead, it * calls your retain callback (if non-NULL) and your release * callback (if non-NULL). */ unsigned referenceCount; //Functions. Currently all of these are optional (any of them can be NULL). /* When you call Growl_SetDelegate(newDelegate), it will call * oldDelegate->release(oldDelegate), and then it will call * newDelegate->retain(newDelegate), and the return value from retain * is what will be set as the delegate. * (This means that this member works like CFRetain and -[NSObject retain].) * This member is optional (it can be NULL). * For a delegate allocated with malloc, this member would be * NULL. * @result A delegate to which GrowlApplicationBridge holds a reference. */ void *(*retain)(void *); /* When you call Growl_SetDelegate(newDelegate), it will call * oldDelegate->release(oldDelegate), and then it will call * newDelegate->retain(newDelegate), and the return value from retain * is what will be set as the delegate. * (This means that this member works like CFRelease and * -[NSObject release].) * This member is optional (it can be NULL). * For a delegate allocated with malloc, this member might be * free(3). */ void (*release)(void *); /* Informs the delegate that Growl (specifically, the GrowlHelperApp) was * launched successfully (or was already running). The application can * take actions with the knowledge that Growl is installed and functional. */ void (*growlIsReady)(void); /* Informs the delegate that a Growl notification was clicked. It is only * sent for notifications sent with a non-NULL clickContext, * so if you want to receive a message when a notification is clicked, * clickContext must not be NULL when calling * Growl_PostNotification or * Growl_NotifyWithTitleDescriptionNameIconPriorityStickyClickContext. */ void (*growlNotificationWasClicked)(CFPropertyListRef clickContext); /* Informs the delegate that a Growl notification timed out. It is only * sent for notifications sent with a non-NULL clickContext, * so if you want to receive a message when a notification is clicked, * clickContext must not be NULL when calling * Growl_PostNotification or * Growl_NotifyWithTitleDescriptionNameIconPriorityStickyClickContext. */ void (*growlNotificationTimedOut)(CFPropertyListRef clickContext); }; /*! @struct Growl_Notification * @abstract Structure describing a Growl notification. * @discussion XXX * @field size The size of the notification structure. * @field name Identifies the notification. * @field title Short synopsis of the notification. * @field description Additional text. * @field iconData An icon for the notification. * @field priority An indicator of the notification's importance. * @field reserved Bits reserved for future usage. * @field isSticky Requests that a notification stay on-screen until dismissed explicitly. * @field clickContext An identifier to be passed to your click callback when a notification is clicked. * @field clickCallback A callback to call when the notification is clicked. */ struct Growl_Notification { /* This should be sizeof(struct Growl_Notification). */ size_t size; /* The notification name distinguishes one type of * notification from another. The name should be human-readable, as it * will be displayed in the Growl preference pane. * * The name is used in the GROWL_NOTIFICATIONS_ALL and * GROWL_NOTIFICATIONS_DEFAULT arrays in the registration dictionary, and * in this member of the Growl_Notification structure. */ CFStringRef name; /* A notification's title describes the notification briefly. * It should be easy to read quickly by the user. */ CFStringRef title; /* The description supplements the title with more * information. It is usually longer and sometimes involves a list of * subjects. For example, for a 'Download complete' notification, the * description might have one filename per line. GrowlMail in Growl 0.6 * uses a description of '%d new mail(s)' (formatted with the number of * messages). */ CFStringRef description; /* The notification icon usually indicates either what * happened (it may have the same icon as e.g. a toolbar item that * started the process that led to the notification), or what it happened * to (e.g. a document icon). * * The icon data is optional, so it can be NULL. In that * case, the application icon is used alone. Not all displays support * icons. * * The data can be in any format supported by NSImage. As of Mac OS X * 10.3, this includes the .icns, TIFF, JPEG, GIF, PNG, PDF, and PICT form * ats. */ CFDataRef iconData; /* Priority is new in Growl 0.6, and is represented as a * signed integer from -2 to +2. 0 is Normal priority, -2 is Very Low * priority, and +2 is Very High priority. * * Not all displays support priority. If you do not wish to assign a * priority to your notification, assign 0. */ signed int priority; /* These bits are not used in Growl 0.6. Set them to 0. */ unsigned reserved: 31; /* When the sticky bit is clear, in most displays, * notifications disappear after a certain amount of time. Sticky * notifications, however, remain on-screen until the user dismisses them * explicitly, usually by clicking them. * * Sticky notifications were introduced in Growl 0.6. Most notifications * should not be sticky. Not all displays support sticky notifications, * and the user may choose in Growl's preference pane to force the * notification to be sticky or non-sticky, in which case the sticky bit * in the notification will be ignored. */ unsigned isSticky: 1; /* If this is not NULL, and your click callback * is not NULL either, this will be passed to the callback * when your notification is clicked by the user. * * Click feedback was introduced in Growl 0.6, and it is optional. Not * all displays support click feedback. */ CFPropertyListRef clickContext; /* If this is not NULL, it will be called instead * of the Growl delegate's click callback when clickContext is * non-NULL and the notification is clicked on by the user. * * Click feedback was introduced in Growl 0.6, and it is optional. Not * all displays support click feedback. * * The per-notification click callback is not yet supported as of Growl * 0.7. */ void (*clickCallback)(CFPropertyListRef clickContext); CFStringRef identifier; }; #pragma mark - #pragma mark Easy initialisers /*! @defined InitGrowlDelegate * @abstract Callable macro. Initializes a Growl delegate structure to defaults. * @discussion Call with a pointer to a struct Growl_Delegate. All of the * members of the structure will be set to 0 or NULL, except for * size (which will be set to sizeof(struct Growl_Delegate)) and * referenceCount (which will be set to 1). */ #define InitGrowlDelegate(delegate) \ do { \ if (delegate) { \ (delegate)->size = sizeof(struct Growl_Delegate); \ (delegate)->applicationName = NULL; \ (delegate)->registrationDictionary = NULL; \ (delegate)->applicationIconData = NULL; \ (delegate)->growlInstallationWindowTitle = NULL; \ (delegate)->growlInstallationInformation = NULL; \ (delegate)->growlUpdateWindowTitle = NULL; \ (delegate)->growlUpdateInformation = NULL; \ (delegate)->referenceCount = 1U; \ (delegate)->retain = NULL; \ (delegate)->release = NULL; \ (delegate)->growlIsReady = NULL; \ (delegate)->growlNotificationWasClicked = NULL; \ (delegate)->growlNotificationTimedOut = NULL; \ } \ } while(0) /*! @defined InitGrowlNotification * @abstract Callable macro. Initializes a Growl notification structure to defaults. * @discussion Call with a pointer to a struct Growl_Notification. All of * the members of the structure will be set to 0 or NULL, except * for size (which will be set to * sizeof(struct Growl_Notification)). */ #define InitGrowlNotification(notification) \ do { \ if (notification) { \ (notification)->size = sizeof(struct Growl_Notification); \ (notification)->name = NULL; \ (notification)->title = NULL; \ (notification)->description = NULL; \ (notification)->iconData = NULL; \ (notification)->priority = 0; \ (notification)->reserved = 0U; \ (notification)->isSticky = false; \ (notification)->clickContext = NULL; \ (notification)->clickCallback = NULL; \ (notification)->identifier = NULL; \ } \ } while(0) #pragma mark - #pragma mark Public API // @functiongroup Managing the Growl delegate /*! @function Growl_SetDelegate * @abstract Replaces the current Growl delegate with a new one, or removes * the Growl delegate. * @param newDelegate * @result Returns false and does nothing else if a pointer that was passed in * is unsatisfactory (because it is non-NULL, but at least one * required member of it is NULL). Otherwise, sets or unsets the * delegate and returns true. * @discussion When newDelegate is non-NULL, sets * the delegate to newDelegate. When it is NULL, * the current delegate will be unset, and no delegate will be in place. * * It is legal for newDelegate to be the current delegate; * nothing will happen, and Growl_SetDelegate will return true. It is also * legal for it to be NULL, as described above; again, it will * return true. * * If there was a delegate in place before the call, Growl_SetDelegate will * call the old delegate's release member if it was non-NULL. If * newDelegate is non-NULL, Growl_SetDelegate will * call newDelegate->retain, and set the delegate to its return * value. * * If you are using Growl-WithInstaller.framework, and an older version of * Growl is installed on the user's system, the user will automatically be * prompted to update. * * GrowlApplicationBridge currently does not copy this structure, nor does it * retain any of the CF objects in the structure (it regards the structure as * a container that retains the objects when they are added and releases them * when they are removed or the structure is destroyed). Also, * GrowlApplicationBridge currently does not modify any member of the * structure, except possibly the referenceCount by calling the retain and * release members. */ GROWL_EXPORT Boolean Growl_SetDelegate(struct Growl_Delegate *newDelegate); /*! @function Growl_GetDelegate * @abstract Returns the current Growl delegate, if any. * @result The current Growl delegate. * @discussion Returns the last pointer passed into Growl_SetDelegate, or * NULL if no such call has been made. * * This function follows standard Core Foundation reference-counting rules. * Because it is a Get function, not a Copy function, it will not retain the * delegate on your behalf. You are responsible for retaining and releasing * the delegate as needed. */ GROWL_EXPORT struct Growl_Delegate *Growl_GetDelegate(void); #pragma mark - // @functiongroup Posting Growl notifications /*! @function Growl_PostNotification * @abstract Posts a Growl notification. * @param notification The notification to post. * @discussion This is the preferred means for sending a Growl notification. * The notification name and at least one of the title and description are * required (all three are preferred). All other parameters may be * NULL (or 0 or false as appropriate) to accept default values. * * If using the Growl-WithInstaller framework, if Growl is not installed the * user will be prompted to install Growl. * If the user cancels, this function will have no effect until the next * application session, at which time when it is called the user will be * prompted again. The user is also given the option to not be prompted again. * If the user does choose to install Growl, the requested notification will * be displayed once Growl is installed and running. */ GROWL_EXPORT void Growl_PostNotification(const struct Growl_Notification *notification); /*! @function Growl_PostNotificationWithDictionary * @abstract Notifies using a userInfo dictionary suitable for passing to * CFDistributedNotificationCenter. * @param userInfo The dictionary to notify with. * @discussion Before Growl 0.6, your application would have posted * notifications using CFDistributedNotificationCenter by creating a userInfo * dictionary with the notification data. This had the advantage of allowing * you to add other data to the dictionary for programs besides Growl that * might be listening. * * This function allows you to use such dictionaries without being restricted * to using CFDistributedNotificationCenter. The keys for this dictionary * can be found in GrowlDefines.h. */ GROWL_EXPORT void Growl_PostNotificationWithDictionary(CFDictionaryRef userInfo); /*! @function Growl_NotifyWithTitleDescriptionNameIconPriorityStickyClickContext * @abstract Posts a Growl notification using parameter values. * @param title The title of the notification. * @param description The description of the notification. * @param notificationName The name of the notification as listed in the * registration dictionary. * @param iconData Data representing a notification icon. Can be NULL. * @param priority The priority of the notification (-2 to +2, with -2 * being Very Low and +2 being Very High). * @param isSticky If true, requests that this notification wait for a * response from the user. * @param clickContext An object to pass to the clickCallback, if any. Can * be NULL, in which case the clickCallback is not called. * @discussion Creates a temporary Growl_Notification, fills it out with the * supplied information, and calls Growl_PostNotification on it. * See struct Growl_Notification and Growl_PostNotification for more * information. * * The icon data can be in any format supported by NSImage. As of Mac OS X * 10.3, this includes the .icns, TIFF, JPEG, GIF, PNG, PDF, and PICT formats. */ GROWL_EXPORT void Growl_NotifyWithTitleDescriptionNameIconPriorityStickyClickContext( /*inhale*/ CFStringRef title, CFStringRef description, CFStringRef notificationName, CFDataRef iconData, signed int priority, Boolean isSticky, CFPropertyListRef clickContext); #pragma mark - // @functiongroup Registering /*! @function Growl_RegisterWithDictionary * @abstract Register your application with Growl without setting a delegate. * @discussion When you call this function with a dictionary, * GrowlApplicationBridge registers your application using that dictionary. * If you pass NULL, GrowlApplicationBridge will ask the delegate * (if there is one) for a dictionary, and if that doesn't work, it will look * in your application's bundle for an auto-discoverable plist. * (XXX refer to more information on that) * * If you pass a dictionary to this function, it must include the * GROWL_APP_NAME key, unless a delegate is set. * * This function is mainly an alternative to the delegate system introduced * with Growl 0.6. Without a delegate, you cannot receive callbacks such as * growlIsReady (since they are sent to the delegate). You can, * however, set a delegate after registering without one. * * This function was introduced in Growl.framework 0.7. * @result false if registration failed (e.g. if Growl isn't installed). */ GROWL_EXPORT Boolean Growl_RegisterWithDictionary(CFDictionaryRef regDict); /*! @function Growl_Reregister * @abstract Updates your registration with Growl. * @discussion If your application changes the contents of the * GROWL_NOTIFICATIONS_ALL key in the registrationDictionary member of the * Growl delegate, or if it changes the value of that member, or if it * changes the contents of its auto-discoverable plist, call this function * to have Growl update its registration information for your application. * * Otherwise, this function does not normally need to be called. If you're * using a delegate, your application will be registered when you set the * delegate if both the delegate and its registrationDictionary member are * non-NULL. * * This function is now implemented using * Growl_RegisterWithDictionary. */ GROWL_EXPORT void Growl_Reregister(void); #pragma mark - /*! @function Growl_SetWillRegisterWhenGrowlIsReady * @abstract Tells GrowlApplicationBridge to register with Growl when Growl * launches (or not). * @discussion When Growl has started listening for notifications, it posts a * GROWL_IS_READY notification on the Distributed Notification * Center. GrowlApplicationBridge listens for this notification, using it to * perform various tasks (such as calling your delegate's * growlIsReady callback, if it has one). If this function is * called with true, one of those tasks will be to reregister * with Growl (in the manner of Growl_Reregister). * * This attribute is automatically set back to false * (the default) after every GROWL_IS_READY notification. * @param flag true if you want GrowlApplicationBridge to register with * Growl when next it is ready; false if not. */ GROWL_EXPORT void Growl_SetWillRegisterWhenGrowlIsReady(Boolean flag); /*! @function Growl_WillRegisterWhenGrowlIsReady * @abstract Reports whether GrowlApplicationBridge will register with Growl * when Growl next launches. * @result true if GrowlApplicationBridge will register with * Growl when next it posts GROWL_IS_READY; false if not. */ GROWL_EXPORT Boolean Growl_WillRegisterWhenGrowlIsReady(void); #pragma mark - // @functiongroup Obtaining registration dictionaries /*! @function Growl_CopyRegistrationDictionaryFromDelegate * @abstract Asks the delegate for a registration dictionary. * @discussion If no delegate is set, or if the delegate's * registrationDictionary member is NULL, this * function returns NULL. * * This function does not attempt to clean up the dictionary in any way - for * example, if it is missing the GROWL_APP_NAME key, the result * will be missing it too. Use * Growl_CreateRegistrationDictionaryByFillingInDictionary or * Growl_CreateRegistrationDictionaryByFillingInDictionaryRestrictedToKeys * to try to fill in missing keys. * * This function was introduced in Growl.framework 0.7. * @result A registration dictionary. */ GROWL_EXPORT CFDictionaryRef Growl_CopyRegistrationDictionaryFromDelegate(void); /*! @function Growl_CopyRegistrationDictionaryFromBundle * @abstract Looks in a bundle for a registration dictionary. * @discussion This function looks in a bundle for an auto-discoverable * registration dictionary file using CFBundleCopyResourceURL. * If it finds one, it loads the file using CFPropertyList and * returns the result. * * If you pass NULL as the bundle, the main bundle is examined. * * This function does not attempt to clean up the dictionary in any way - for * example, if it is missing the GROWL_APP_NAME key, the result * will be missing it too. Use * Growl_CreateRegistrationDictionaryByFillingInDictionary: or * Growl_CreateRegistrationDictionaryByFillingInDictionaryRestrictedToKeys * to try to fill in missing keys. * * This function was introduced in Growl.framework 0.7. * @result A registration dictionary. */ GROWL_EXPORT CFDictionaryRef Growl_CopyRegistrationDictionaryFromBundle(CFBundleRef bundle); /*! @function Growl_CreateBestRegistrationDictionary * @abstract Obtains a registration dictionary, filled out to the best of * GrowlApplicationBridge's knowledge. * @discussion This function creates a registration dictionary as best * GrowlApplicationBridge knows how. * * First, GrowlApplicationBridge examines the Growl delegate (if there is * one) and gets the registration dictionary from that. If no such dictionary * was obtained, GrowlApplicationBridge looks in your application's main * bundle for an auto-discoverable registration dictionary file. If that * doesn't exist either, this function returns NULL. * * Second, GrowlApplicationBridge calls * Growl_CreateRegistrationDictionaryByFillingInDictionary with * whatever dictionary was obtained. The result of that function is the * result of this function. * * GrowlApplicationBridge uses this function when you call * Growl_SetDelegate, or when you call * Growl_RegisterWithDictionary with NULL. * * This function was introduced in Growl.framework 0.7. * @result A registration dictionary. */ GROWL_EXPORT CFDictionaryRef Growl_CreateBestRegistrationDictionary(void); #pragma mark - // @functiongroup Filling in registration dictionaries /*! @function Growl_CreateRegistrationDictionaryByFillingInDictionary * @abstract Tries to fill in missing keys in a registration dictionary. * @param regDict The dictionary to fill in. * @result The dictionary with the keys filled in. * @discussion This function examines the passed-in dictionary for missing keys, * and tries to work out correct values for them. As of 0.7, it uses: * * Key Value * --- ----- * GROWL_APP_NAME CFBundleExecutableName * GROWL_APP_ICON The icon of the application. * GROWL_APP_LOCATION The location of the application. * GROWL_NOTIFICATIONS_DEFAULT GROWL_NOTIFICATIONS_ALL * * Keys are only filled in if missing; if a key is present in the dictionary, * its value will not be changed. * * This function was introduced in Growl.framework 0.7. */ GROWL_EXPORT CFDictionaryRef Growl_CreateRegistrationDictionaryByFillingInDictionary(CFDictionaryRef regDict); /*! @function Growl_CreateRegistrationDictionaryByFillingInDictionaryRestrictedToKeys * @abstract Tries to fill in missing keys in a registration dictionary. * @param regDict The dictionary to fill in. * @param keys The keys to fill in. If NULL, any missing keys are filled in. * @result The dictionary with the keys filled in. * @discussion This function examines the passed-in dictionary for missing keys, * and tries to work out correct values for them. As of 0.7, it uses: * * Key Value * --- ----- * GROWL_APP_NAME CFBundleExecutableName * GROWL_APP_ICON The icon of the application. * GROWL_APP_LOCATION The location of the application. * GROWL_NOTIFICATIONS_DEFAULT GROWL_NOTIFICATIONS_ALL * * Only those keys that are listed in keys will be filled in. * Other missing keys are ignored. Also, keys are only filled in if missing; * if a key is present in the dictionary, its value will not be changed. * * This function was introduced in Growl.framework 0.7. */ GROWL_EXPORT CFDictionaryRef Growl_CreateRegistrationDictionaryByFillingInDictionaryRestrictedToKeys(CFDictionaryRef regDict, CFSetRef keys); /*! @brief Tries to fill in missing keys in a notification dictionary. * @param notifDict The dictionary to fill in. * @return The dictionary with the keys filled in. This will be a separate instance from \a notifDict. * @discussion This function examines the \a notifDict for missing keys, and * tries to get them from the last known registration dictionary. As of 1.1, * the keys that it will look for are: * * \li GROWL_APP_NAME * \li GROWL_APP_ICON * * @since Growl.framework 1.1 */ GROWL_EXPORT CFDictionaryRef Growl_CreateNotificationDictionaryByFillingInDictionary(CFDictionaryRef notifDict); #pragma mark - // @functiongroup Querying Growl's status /*! @function Growl_IsInstalled * @abstract Determines whether the Growl prefpane and its helper app are * installed. * @result Returns true if Growl is installed, false otherwise. */ GROWL_EXPORT Boolean Growl_IsInstalled(void); /*! @function Growl_IsRunning * @abstract Cycles through the process list to find whether GrowlHelperApp * is running. * @result Returns true if Growl is running, false otherwise. */ GROWL_EXPORT Boolean Growl_IsRunning(void); #pragma mark - // @functiongroup Launching Growl /*! @typedef GrowlLaunchCallback * @abstract Callback to notify you that Growl is running. * @param context The context pointer passed to Growl_LaunchIfInstalled. * @discussion Growl_LaunchIfInstalled calls this callback function if Growl * was already running or if it launched Growl successfully. */ typedef void (*GrowlLaunchCallback)(void *context); /*! @function Growl_LaunchIfInstalled * @abstract Launches GrowlHelperApp if it is not already running. * @param callback A callback function which will be called if Growl was successfully * launched or was already running. Can be NULL. * @param context The context pointer to pass to the callback. Can be NULL. * @result Returns true if Growl was successfully launched or was already * running; returns false and does not call the callback otherwise. * @discussion Returns true and calls the callback (if the callback is not * NULL) if the Growl helper app began launching or was already * running. Returns false and performs no other action if Growl could not be * launched (e.g. because the Growl preference pane is not properly installed). * * If Growl_CreateBestRegistrationDictionary returns * non-NULL, this function will register with Growl atomically. * * The callback should take a single argument; this is to allow applications * to have context-relevant information passed back. It is perfectly * acceptable for context to be NULL. The callback itself can be * NULL if you don't want one. */ GROWL_EXPORT Boolean Growl_LaunchIfInstalled(GrowlLaunchCallback callback, void *context); #pragma mark - #pragma mark Constants /*! @defined GROWL_PREFPANE_BUNDLE_IDENTIFIER * @abstract The CFBundleIdentifier of the Growl preference pane bundle. * @discussion GrowlApplicationBridge uses this to determine whether Growl is * currently installed, by searching for the Growl preference pane. Your * application probably does not need to use this macro itself. */ #ifndef GROWL_PREFPANE_BUNDLE_IDENTIFIER #define GROWL_PREFPANE_BUNDLE_IDENTIFIER CFSTR("com.growl.prefpanel") #endif __END_DECLS #endif /* _GROWLAPPLICATIONBRIDGE_CARBON_H_ */ ././@LongLink0000000000000000000000000000015000000000000011561 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/Growl.framework/Versions/Current/Headers/GrowlApplicationBridge.hunison-2.40.102/uimacnew09/Frameworks/Growl.framework/Versions/Current/Headers/GrowlApplicationBridg0000644006131600613160000006543511361646373033571 0ustar bcpiercebcpierce// // GrowlApplicationBridge.h // Growl // // Created by Evan Schoenberg on Wed Jun 16 2004. // Copyright 2004-2006 The Growl Project. All rights reserved. // /*! * @header GrowlApplicationBridge.h * @abstract Defines the GrowlApplicationBridge class. * @discussion This header defines the GrowlApplicationBridge class as well as * the GROWL_PREFPANE_BUNDLE_IDENTIFIER constant. */ #ifndef __GrowlApplicationBridge_h__ #define __GrowlApplicationBridge_h__ #import #import #import "GrowlDefines.h" //Forward declarations @protocol GrowlApplicationBridgeDelegate; //Internal notification when the user chooses not to install (to avoid continuing to cache notifications awaiting installation) #define GROWL_USER_CHOSE_NOT_TO_INSTALL_NOTIFICATION @"User chose not to install" //------------------------------------------------------------------------------ #pragma mark - /*! * @class GrowlApplicationBridge * @abstract A class used to interface with Growl. * @discussion This class provides a means to interface with Growl. * * Currently it provides a way to detect if Growl is installed and launch the * GrowlHelperApp if it's not already running. */ @interface GrowlApplicationBridge : NSObject { } /*! * @method isGrowlInstalled * @abstract Detects whether Growl is installed. * @discussion Determines if the Growl prefpane and its helper app are installed. * @result Returns YES if Growl is installed, NO otherwise. */ + (BOOL) isGrowlInstalled; /*! * @method isGrowlRunning * @abstract Detects whether GrowlHelperApp is currently running. * @discussion Cycles through the process list to find whether GrowlHelperApp is running and returns its findings. * @result Returns YES if GrowlHelperApp is running, NO otherwise. */ + (BOOL) isGrowlRunning; #pragma mark - /*! * @method setGrowlDelegate: * @abstract Set the object which will be responsible for providing and receiving Growl information. * @discussion This must be called before using GrowlApplicationBridge. * * The methods in the GrowlApplicationBridgeDelegate protocol are required * and return the basic information needed to register with Growl. * * The methods in the GrowlApplicationBridgeDelegate_InformalProtocol * informal protocol are individually optional. They provide a greater * degree of interaction between the application and growl such as informing * the application when one of its Growl notifications is clicked by the user. * * The methods in the GrowlApplicationBridgeDelegate_Installation_InformalProtocol * informal protocol are individually optional and are only applicable when * using the Growl-WithInstaller.framework which allows for automated Growl * installation. * * When this method is called, data will be collected from inDelegate, Growl * will be launched if it is not already running, and the application will be * registered with Growl. * * If using the Growl-WithInstaller framework, if Growl is already installed * but this copy of the framework has an updated version of Growl, the user * will be prompted to update automatically. * * @param inDelegate The delegate for the GrowlApplicationBridge. It must conform to the GrowlApplicationBridgeDelegate protocol. */ + (void) setGrowlDelegate:(NSObject *)inDelegate; /*! * @method growlDelegate * @abstract Return the object responsible for providing and receiving Growl information. * @discussion See setGrowlDelegate: for details. * @result The Growl delegate. */ + (NSObject *) growlDelegate; #pragma mark - /*! * @method notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext: * @abstract Send a Growl notification. * @discussion This is the preferred means for sending a Growl notification. * The notification name and at least one of the title and description are * required (all three are preferred). All other parameters may be * nil (or 0 or NO as appropriate) to accept default values. * * If using the Growl-WithInstaller framework, if Growl is not installed the * user will be prompted to install Growl. If the user cancels, this method * will have no effect until the next application session, at which time when * it is called the user will be prompted again. The user is also given the * option to not be prompted again. If the user does choose to install Growl, * the requested notification will be displayed once Growl is installed and * running. * * @param title The title of the notification displayed to the user. * @param description The full description of the notification displayed to the user. * @param notifName The internal name of the notification. Should be human-readable, as it will be displayed in the Growl preference pane. * @param iconData NSData object to show with the notification as its icon. If nil, the application's icon will be used instead. * @param priority The priority of the notification. The default value is 0; positive values are higher priority and negative values are lower priority. Not all Growl displays support priority. * @param isSticky If YES, the notification will remain on screen until clicked. Not all Growl displays support sticky notifications. * @param clickContext A context passed back to the Growl delegate if it implements -(void)growlNotificationWasClicked: and the notification is clicked. Not all display plugins support clicking. The clickContext must be plist-encodable (completely of NSString, NSArray, NSNumber, NSDictionary, and NSData types). */ + (void) notifyWithTitle:(NSString *)title description:(NSString *)description notificationName:(NSString *)notifName iconData:(NSData *)iconData priority:(signed int)priority isSticky:(BOOL)isSticky clickContext:(id)clickContext; /*! * @method notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:identifier: * @abstract Send a Growl notification. * @discussion This is the preferred means for sending a Growl notification. * The notification name and at least one of the title and description are * required (all three are preferred). All other parameters may be * nil (or 0 or NO as appropriate) to accept default values. * * If using the Growl-WithInstaller framework, if Growl is not installed the * user will be prompted to install Growl. If the user cancels, this method * will have no effect until the next application session, at which time when * it is called the user will be prompted again. The user is also given the * option to not be prompted again. If the user does choose to install Growl, * the requested notification will be displayed once Growl is installed and * running. * * @param title The title of the notification displayed to the user. * @param description The full description of the notification displayed to the user. * @param notifName The internal name of the notification. Should be human-readable, as it will be displayed in the Growl preference pane. * @param iconData NSData object to show with the notification as its icon. If nil, the application's icon will be used instead. * @param priority The priority of the notification. The default value is 0; positive values are higher priority and negative values are lower priority. Not all Growl displays support priority. * @param isSticky If YES, the notification will remain on screen until clicked. Not all Growl displays support sticky notifications. * @param clickContext A context passed back to the Growl delegate if it implements -(void)growlNotificationWasClicked: and the notification is clicked. Not all display plugins support clicking. The clickContext must be plist-encodable (completely of NSString, NSArray, NSNumber, NSDictionary, and NSData types). * @param identifier An identifier for this notification. Notifications with equal identifiers are coalesced. */ + (void) notifyWithTitle:(NSString *)title description:(NSString *)description notificationName:(NSString *)notifName iconData:(NSData *)iconData priority:(signed int)priority isSticky:(BOOL)isSticky clickContext:(id)clickContext identifier:(NSString *)identifier; /*! @method notifyWithDictionary: * @abstract Notifies using a userInfo dictionary suitable for passing to * NSDistributedNotificationCenter. * @param userInfo The dictionary to notify with. * @discussion Before Growl 0.6, your application would have posted * notifications using NSDistributedNotificationCenter by * creating a userInfo dictionary with the notification data. This had the * advantage of allowing you to add other data to the dictionary for programs * besides Growl that might be listening. * * This method allows you to use such dictionaries without being restricted * to using NSDistributedNotificationCenter. The keys for this dictionary * can be found in GrowlDefines.h. */ + (void) notifyWithDictionary:(NSDictionary *)userInfo; #pragma mark - /*! @method registerWithDictionary: * @abstract Register your application with Growl without setting a delegate. * @discussion When you call this method with a dictionary, * GrowlApplicationBridge registers your application using that dictionary. * If you pass nil, GrowlApplicationBridge will ask the delegate * (if there is one) for a dictionary, and if that doesn't work, it will look * in your application's bundle for an auto-discoverable plist. * (XXX refer to more information on that) * * If you pass a dictionary to this method, it must include the * GROWL_APP_NAME key, unless a delegate is set. * * This method is mainly an alternative to the delegate system introduced * with Growl 0.6. Without a delegate, you cannot receive callbacks such as * -growlIsReady (since they are sent to the delegate). You can, * however, set a delegate after registering without one. * * This method was introduced in Growl.framework 0.7. */ + (BOOL) registerWithDictionary:(NSDictionary *)regDict; /*! @method reregisterGrowlNotifications * @abstract Reregister the notifications for this application. * @discussion This method does not normally need to be called. If your * application changes what notifications it is registering with Growl, call * this method to have the Growl delegate's * -registrationDictionaryForGrowl method called again and the * Growl registration information updated. * * This method is now implemented using -registerWithDictionary:. */ + (void) reregisterGrowlNotifications; #pragma mark - /*! @method setWillRegisterWhenGrowlIsReady: * @abstract Tells GrowlApplicationBridge to register with Growl when Growl * launches (or not). * @discussion When Growl has started listening for notifications, it posts a * GROWL_IS_READY notification on the Distributed Notification * Center. GrowlApplicationBridge listens for this notification, using it to * perform various tasks (such as calling your delegate's * -growlIsReady method, if it has one). If this method is * called with YES, one of those tasks will be to reregister * with Growl (in the manner of -reregisterGrowlNotifications). * * This attribute is automatically set back to NO (the default) * after every GROWL_IS_READY notification. * @param flag YES if you want GrowlApplicationBridge to register with * Growl when next it is ready; NO if not. */ + (void) setWillRegisterWhenGrowlIsReady:(BOOL)flag; /*! @method willRegisterWhenGrowlIsReady * @abstract Reports whether GrowlApplicationBridge will register with Growl * when Growl next launches. * @result YES if GrowlApplicationBridge will register with Growl * when next it posts GROWL_IS_READY; NO if not. */ + (BOOL) willRegisterWhenGrowlIsReady; #pragma mark - /*! @method registrationDictionaryFromDelegate * @abstract Asks the delegate for a registration dictionary. * @discussion If no delegate is set, or if the delegate's * -registrationDictionaryForGrowl method returns * nil, this method returns nil. * * This method does not attempt to clean up the dictionary in any way - for * example, if it is missing the GROWL_APP_NAME key, the result * will be missing it too. Use +[GrowlApplicationBridge * registrationDictionaryByFillingInDictionary:] or * +[GrowlApplicationBridge * registrationDictionaryByFillingInDictionary:restrictToKeys:] to try * to fill in missing keys. * * This method was introduced in Growl.framework 0.7. * @result A registration dictionary. */ + (NSDictionary *) registrationDictionaryFromDelegate; /*! @method registrationDictionaryFromBundle: * @abstract Looks in a bundle for a registration dictionary. * @discussion This method looks in a bundle for an auto-discoverable * registration dictionary file using -[NSBundle * pathForResource:ofType:]. If it finds one, it loads the file using * +[NSDictionary dictionaryWithContentsOfFile:] and returns the * result. * * If you pass nil as the bundle, the main bundle is examined. * * This method does not attempt to clean up the dictionary in any way - for * example, if it is missing the GROWL_APP_NAME key, the result * will be missing it too. Use +[GrowlApplicationBridge * registrationDictionaryByFillingInDictionary:] or * +[GrowlApplicationBridge * registrationDictionaryByFillingInDictionary:restrictToKeys:] to try * to fill in missing keys. * * This method was introduced in Growl.framework 0.7. * @result A registration dictionary. */ + (NSDictionary *) registrationDictionaryFromBundle:(NSBundle *)bundle; /*! @method bestRegistrationDictionary * @abstract Obtains a registration dictionary, filled out to the best of * GrowlApplicationBridge's knowledge. * @discussion This method creates a registration dictionary as best * GrowlApplicationBridge knows how. * * First, GrowlApplicationBridge contacts the Growl delegate (if there is * one) and gets the registration dictionary from that. If no such dictionary * was obtained, GrowlApplicationBridge looks in your application's main * bundle for an auto-discoverable registration dictionary file. If that * doesn't exist either, this method returns nil. * * Second, GrowlApplicationBridge calls * +registrationDictionaryByFillingInDictionary: with whatever * dictionary was obtained. The result of that method is the result of this * method. * * GrowlApplicationBridge uses this method when you call * +setGrowlDelegate:, or when you call * +registerWithDictionary: with nil. * * This method was introduced in Growl.framework 0.7. * @result A registration dictionary. */ + (NSDictionary *) bestRegistrationDictionary; #pragma mark - /*! @method registrationDictionaryByFillingInDictionary: * @abstract Tries to fill in missing keys in a registration dictionary. * @discussion This method examines the passed-in dictionary for missing keys, * and tries to work out correct values for them. As of 0.7, it uses: * * Key Value * --- ----- * GROWL_APP_NAME CFBundleExecutableName * GROWL_APP_ICON The icon of the application. * GROWL_APP_LOCATION The location of the application. * GROWL_NOTIFICATIONS_DEFAULT GROWL_NOTIFICATIONS_ALL * * Keys are only filled in if missing; if a key is present in the dictionary, * its value will not be changed. * * This method was introduced in Growl.framework 0.7. * @param regDict The dictionary to fill in. * @result The dictionary with the keys filled in. This is an autoreleased * copy of regDict. */ + (NSDictionary *) registrationDictionaryByFillingInDictionary:(NSDictionary *)regDict; /*! @method registrationDictionaryByFillingInDictionary:restrictToKeys: * @abstract Tries to fill in missing keys in a registration dictionary. * @discussion This method examines the passed-in dictionary for missing keys, * and tries to work out correct values for them. As of 0.7, it uses: * * Key Value * --- ----- * GROWL_APP_NAME CFBundleExecutableName * GROWL_APP_ICON The icon of the application. * GROWL_APP_LOCATION The location of the application. * GROWL_NOTIFICATIONS_DEFAULT GROWL_NOTIFICATIONS_ALL * * Only those keys that are listed in keys will be filled in. * Other missing keys are ignored. Also, keys are only filled in if missing; * if a key is present in the dictionary, its value will not be changed. * * This method was introduced in Growl.framework 0.7. * @param regDict The dictionary to fill in. * @param keys The keys to fill in. If nil, any missing keys are filled in. * @result The dictionary with the keys filled in. This is an autoreleased * copy of regDict. */ + (NSDictionary *) registrationDictionaryByFillingInDictionary:(NSDictionary *)regDict restrictToKeys:(NSSet *)keys; /*! @brief Tries to fill in missing keys in a notification dictionary. * @param notifDict The dictionary to fill in. * @return The dictionary with the keys filled in. This will be a separate instance from \a notifDict. * @discussion This function examines the \a notifDict for missing keys, and * tries to get them from the last known registration dictionary. As of 1.1, * the keys that it will look for are: * * \li GROWL_APP_NAME * \li GROWL_APP_ICON * * @since Growl.framework 1.1 */ + (NSDictionary *) notificationDictionaryByFillingInDictionary:(NSDictionary *)regDict; + (NSDictionary *) frameworkInfoDictionary; @end //------------------------------------------------------------------------------ #pragma mark - /*! * @protocol GrowlApplicationBridgeDelegate * @abstract Required protocol for the Growl delegate. * @discussion The methods in this protocol are required and are called * automatically as needed by GrowlApplicationBridge. See * +[GrowlApplicationBridge setGrowlDelegate:]. * See also GrowlApplicationBridgeDelegate_InformalProtocol. */ @protocol GrowlApplicationBridgeDelegate // -registrationDictionaryForGrowl has moved to the informal protocol as of 0.7. @end //------------------------------------------------------------------------------ #pragma mark - /*! * @category NSObject(GrowlApplicationBridgeDelegate_InformalProtocol) * @abstract Methods which may be optionally implemented by the GrowlDelegate. * @discussion The methods in this informal protocol will only be called if implemented by the delegate. */ @interface NSObject (GrowlApplicationBridgeDelegate_InformalProtocol) /*! * @method registrationDictionaryForGrowl * @abstract Return the dictionary used to register this application with Growl. * @discussion The returned dictionary gives Growl the complete list of * notifications this application will ever send, and it also specifies which * notifications should be enabled by default. Each is specified by an array * of NSString objects. * * For most applications, these two arrays can be the same (if all sent * notifications should be displayed by default). * * The NSString objects of these arrays will correspond to the * notificationName: parameter passed in * +[GrowlApplicationBridge * notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:] calls. * * The dictionary should have the required key object pairs: * key: GROWL_NOTIFICATIONS_ALL object: NSArray of NSString objects * key: GROWL_NOTIFICATIONS_DEFAULT object: NSArray of NSString objects * * The dictionary may have the following key object pairs: * key: GROWL_NOTIFICATIONS_HUMAN_READABLE_NAMES object: NSDictionary of key: notification name object: human-readable notification name * * You do not need to implement this method if you have an auto-discoverable * plist file in your app bundle. (XXX refer to more information on that) * * @result The NSDictionary to use for registration. */ - (NSDictionary *) registrationDictionaryForGrowl; /*! * @method applicationNameForGrowl * @abstract Return the name of this application which will be used for Growl bookkeeping. * @discussion This name is used both internally and in the Growl preferences. * * This should remain stable between different versions and incarnations of * your application. * For example, "SurfWriter" is a good app name, whereas "SurfWriter 2.0" and * "SurfWriter Lite" are not. * * You do not need to implement this method if you are providing the * application name elsewhere, meaning in an auto-discoverable plist file in * your app bundle (XXX refer to more information on that) or in the result * of -registrationDictionaryForGrowl. * * @result The name of the application using Growl. */ - (NSString *) applicationNameForGrowl; /*! * @method applicationIconForGrowl * @abstract Return the NSImage to treat as the application icon. * @discussion The delegate may optionally return an NSImage * object to use as the application icon. If this method is not implemented, * {{{-applicationIconDataForGrowl}}} is tried. If that method is not * implemented, the application's own icon is used. Neither method is * generally needed. * @result The NSImage to treat as the application icon. */ - (NSImage *) applicationIconForGrowl; /*! * @method applicationIconDataForGrowl * @abstract Return the NSData to treat as the application icon. * @discussion The delegate may optionally return an NSData * object to use as the application icon; if this is not implemented, the * application's own icon is used. This is not generally needed. * @result The NSData to treat as the application icon. * @deprecated In version 1.1, in favor of {{{-applicationIconForGrowl}}}. */ - (NSData *) applicationIconDataForGrowl; /*! * @method growlIsReady * @abstract Informs the delegate that Growl has launched. * @discussion Informs the delegate that Growl (specifically, the * GrowlHelperApp) was launched successfully. The application can take actions * with the knowledge that Growl is installed and functional. */ - (void) growlIsReady; /*! * @method growlNotificationWasClicked: * @abstract Informs the delegate that a Growl notification was clicked. * @discussion Informs the delegate that a Growl notification was clicked. It * is only sent for notifications sent with a non-nil * clickContext, so if you want to receive a message when a notification is * clicked, clickContext must not be nil when calling * +[GrowlApplicationBridge notifyWithTitle: description:notificationName:iconData:priority:isSticky:clickContext:]. * @param clickContext The clickContext passed when displaying the notification originally via +[GrowlApplicationBridge notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:]. */ - (void) growlNotificationWasClicked:(id)clickContext; /*! * @method growlNotificationTimedOut: * @abstract Informs the delegate that a Growl notification timed out. * @discussion Informs the delegate that a Growl notification timed out. It * is only sent for notifications sent with a non-nil * clickContext, so if you want to receive a message when a notification is * clicked, clickContext must not be nil when calling * +[GrowlApplicationBridge notifyWithTitle: description:notificationName:iconData:priority:isSticky:clickContext:]. * @param clickContext The clickContext passed when displaying the notification originally via +[GrowlApplicationBridge notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:]. */ - (void) growlNotificationTimedOut:(id)clickContext; @end #pragma mark - /*! * @category NSObject(GrowlApplicationBridgeDelegate_Installation_InformalProtocol) * @abstract Methods which may be optionally implemented by the Growl delegate when used with Growl-WithInstaller.framework. * @discussion The methods in this informal protocol will only be called if * implemented by the delegate. They allow greater control of the information * presented to the user when installing or upgrading Growl from within your * application when using Growl-WithInstaller.framework. */ @interface NSObject (GrowlApplicationBridgeDelegate_Installation_InformalProtocol) /*! * @method growlInstallationWindowTitle * @abstract Return the title of the installation window. * @discussion If not implemented, Growl will use a default, localized title. * @result An NSString object to use as the title. */ - (NSString *)growlInstallationWindowTitle; /*! * @method growlUpdateWindowTitle * @abstract Return the title of the upgrade window. * @discussion If not implemented, Growl will use a default, localized title. * @result An NSString object to use as the title. */ - (NSString *)growlUpdateWindowTitle; /*! * @method growlInstallationInformation * @abstract Return the information to display when installing. * @discussion This information may be as long or short as desired (the window * will be sized to fit it). It will be displayed to the user as an * explanation of what Growl is and what it can do in your application. It * should probably note that no download is required to install. * * If this is not implemented, Growl will use a default, localized explanation. * @result An NSAttributedString object to display. */ - (NSAttributedString *)growlInstallationInformation; /*! * @method growlUpdateInformation * @abstract Return the information to display when upgrading. * @discussion This information may be as long or short as desired (the window * will be sized to fit it). It will be displayed to the user as an * explanation that an updated version of Growl is included in your * application and no download is required. * * If this is not implemented, Growl will use a default, localized explanation. * @result An NSAttributedString object to display. */ - (NSAttributedString *)growlUpdateInformation; @end //private @interface GrowlApplicationBridge (GrowlInstallationPrompt_private) + (void) _userChoseNotToInstallGrowl; @end #endif /* __GrowlApplicationBridge_h__ */ unison-2.40.102/uimacnew09/Frameworks/Growl.framework/Versions/Current/Headers/Growl.h0000644006131600613160000000020211361646373030640 0ustar bcpiercebcpierce#include "GrowlDefines.h" #ifdef __OBJC__ # include "GrowlApplicationBridge.h" #endif #include "GrowlApplicationBridge-Carbon.h" unison-2.40.102/uimacnew09/Frameworks/Growl.framework/Versions/Current/Growl0000755006131600613160000077227011361646373027067 0ustar bcpiercebcpierceu ,t 4  x__TEXT__text__TEXT`__symbol_stub1__TEXT$zr$z__stub_helper__TEXT}x }__cstring__TEXT-__const__TEXT0 0__unwind_info__TEXTPP__eh_frame__TEXT `H__DATA00__nl_symbol_ptr__DATAp__la_symbol_ptr__DATApp__dyld__DATA__cfstring__DATA__gcc_except_tab__DATA__objc_msgrefs__DATApp__objc_protorefs__DATA__objc_selrefs__DATAP__objc_classrefs__DATAHH__objc_superrefs__DATA__objc_classlist__DATA__objc_catlist__DATA00__objc_protolist__DATA88__objc_imageinfo__DATAHH__data__DATA` `__bss__DATA@pH__LINKEDITuu X@executable_path/../Frameworks/Growl.framework/Versions/A/Growl@F,WO8"6]"0``H h/>xQ@$ PMM9L4HC,l8/usr/lib/libobjc.A.dylib p"/System/Library/Frameworks/ApplicationServices.framework/Versions/A/ApplicationServices X/System/Library/Frameworks/Carbon.framework/Versions/A/Carbon X.-/System/Library/Frameworks/AppKit.framework/Versions/C/AppKit `,/System/Library/Frameworks/Foundation.framework/Versions/C/Foundation 8/usr/lib/libgcc_s.1.dylib 8o/usr/lib/libSystem.B.dylib h /System/Library/Frameworks/CoreServices.framework/Versions/A/CoreServices h/System/Library/Frameworks/CoreFoundation.framework/Versions/A/CoreFoundationASLcAS%cUH5@HAVAUATISHH=#H=IH9t,H5H5HH5`HdcH=IH5H5LH5HH5H!cH=H5WQHH53L*H5SHJH5HbH=u[A\A]A^H5jH=1aH=H5HH5LH5HH5JHfbE1H LALH5_LVH=H582H5HAH=XH5H HL EHH51H=HH`H5t"H HH5E1ILLE1HLH5=L4HH5H=H5F@H 9HL EHmH51H=HHH5t"H H5E1ILLE1HLH5LHH5?9LHH5XR|[A\A]A^UHHUHH H=HE uHD$HD$Et$H5$UH50HH]LeLLmLuIL}HPEH}IMH=KL} EHE(HEEEE1HH1H UH5f`MHtH5YLHUMtH5bLHUMtH5kLHwUMtH5tLH`UEątUH5xHQU}tUH5HUH}tHUH5HUH}HH5HLH]LeLmH5tLuL}AUHH]LeHLmLuIL}H@=H5"IHH5LMHtSHH5LHHu+H~^HH=Է1]n^Ha^H]H=lH5mgHH5IHI=IHH5,H#MItLH5Lu1MAtLH5Lu1DAH5HEHEt.H5yLH_iH :HH5HH}Et.H5FLH,6H ǶHH5H}H5hH}^HH=dH5ILH]LeLmHLuL}E11HH5AH]LeLmLuL}UH=H5jHaHUHAUATLeSHL-)EENL[IuHHYHt%H51HOZHuH0ZH!ZL[ft1H[A\A]UHUHHATIStH5 H5.(HH=H571HH5H5H[HLL5[A\H5+AU1LH5HAU`HUSHUH=>HHt1HH5tH=LH5A1UHHATSHuH=H5tnHH ̴HH5FHE1:Ht@H=HH5HIu!H5HH=H1Y[LA\UH5HH]LeHIHHuO1H5|LsHHu5H=LH5H5pHgH=XH1HH5LH5HH5XHtXHIHtH H5>L5MtHH5RLIHҲH5CL:H)HIHLHItrH=H5E1LHH H5E1=HLH5 LH HHH5vpH5HHH5pLg1Mt LUHH5MtH$H5EL<tWH H5:L1Hu6H H5LHtH ѱHH5LMtHH5ӿLʿtFHױH5LHu*HsSHSH HH5ULLLH]LeLmH5LuL}AH]Le1LmLuL}UH5'HAUATSHHHHpIH5HHueHHuBHH5HH5&HH5HUHHtH H5tLkH H5LHueH@HuBHDH5uHlH5HH5 H)UHHtH H5LHH5LHH+H5LHu~H=H5HL%H=H5H5H|H߉H5pAHH5SLH H@H5ɿHLHL[A\A]H5vAUH=H6QH9QUHSHHH=Ht1HH5tH=H5HuJH1H5HٽHu.H=H5LiHHH5[[AH[UH5WHH]LeHLmLuH H=V0H5HL%)IL-HH5HHH5.(LH5~HALL^H$Ld$Ll$H5ILt$AUH5HH]LeHLmLuH H=H5:H1L%zIL-HH5HHH5yLH5HALLH$Ld$Ll$H5Lt$AUH5HH]HLeLmLuH IH=oL-IHH5+%IH{LLH5nHAH=H5H$Ld$H5Ll$Lt$1~QUHLeH]HH=jI)1H=HHH5HHH=)H5HHʣH5#H ILL H5&HHHH5Ht3HHH5HظH5HH5HH=]1OH51|PFHHu6HvPHH=̩1OH5V1KPXPHNPHOH1H$Ld$UH5HATSHH=H5HIH=HH5tH=H5ѷ˷H=H5-'E11HHH5H=ԿH5E1HH RHH5 =KtH5:H12[LLH5A\AU1LH5HAUH5HAWAVAUATSHXH}HUH=H5&HHHu>H=޾H5wqH HHH5 HHHH=hHH5F@H(L}EEZLM1Ht HKHH5mgHHHH560HHH5õuLLftH}DHH;mLH;HIeLLIKL%L-VMHUH5ĸH}MHALHH5 1AHLH5HLIGKH5ҴLɴH=vIHH5H=LH5H)HHH5I%LLHH5F@H5YIHMH=vIH.H57H=*LH5 H)HgHH5IH=ELEHUH5Ht*1LH5HuIH=LTK8HUH=L1=KHuH=1+KH}H5ZTH=H5LHH5t!H=H5{LmIE11AAL nspcodotvea$/HHIu)H5H}H=H1uJ1KLH5F@HH5!H5HHIH5HMHlruf----LGAt2IH5HH}۴H=HIcH1ILuLLEGAt4kIH}HH5H=dHIcH1IW1HLFAt2IH5OHH}BH=3HIcH11ILFEHX[A\A]A^A_UH=HATHSHtiHqH5zttH=H5b\3H=HDH5E?tH=dH5HIuHH5qHhHItFHIH=ZH5[UH5.HLӄtZLH5HIuBHHH5#H1HIt HxFHH5.([LA\UHHU@=HUHUH1HHtHpHtHH8EHUHH]LeHLmLuL}H@HuVEHHH5'1HEHIu`HEHH>1HSFHIu HEIHEMH= L1FLE1HFHIu LEIHM11LHE'HUIHtH=ͤL1FH}PEMuH=ΤL1rFmLDHDH9tXDHDDLIDH1DH=MHLLH1FHDLDLE1DLDLDE1LH]LeLmLuL}U1HAVAUATISH HH3H1H8CMItH5ǠLaDt~H5LCufHIHt3HxHuHxHt!H5CHHt DHHu UHHtH5ULHtCHCMtH5VLCH5?L Cu~HHt3HxHuHxHt!H5CHHt xCHHu%HIt2H?LHJCHtH5ȟLHBH+CMtH5ɟL#CH5L^BHIH9Ht]HEHHL LHuHUHUH8BHHt+H5<LHBHBH5 LALfBMtH5DL^Bt>H51LAu&H5>LAHtH5 HLAMtH53L Bt2H5 LLAu AH@H5HL_ALH [A\A]A^U1HUHAVAULmATE1SHL5<EEQLE1BHHt9I6H@HtH5HA@uE1H6AEu L%BftHA[A\A]A^U1HH]LmLmLuLeHĀHHH;?1LnappIHEAfu[H;L4AHItHH;HhH?HHt&Hr?HULHHHED?Hh@L`@1Lnapp$AfubHLH;@HItHH;HH+?HHt&H>HULHHHE>H?L?1Lnapp@fubHLH;>@HItHH;HrH>HHt&H|>HULHHHEN>Hr?Lj?LH]LeLmLuUHAWIAVAUATSHH8H0HIH>1I=LLf=HHt&H>HtH5ҞH>HtXLL9|HDž@L>H@#H@HH511=HHHuH|>H@MuHsHHxX>HrH $E1HAH=MH=uHƒHג1H8<HHLHPHuE1ɹHEHLPHEH0HXHbH8=HHtH=Hc<H=E1H8HIuH5H=1>bL5I>=I>HH=HI!=HLPL-ޑI>HPHXHyL`LHhHHp;LH<I>H`H<HI<I>11L$=LHE<HuI>0=HH+=H8HMHHE9<HUHt'HuH=1n=H8H=Қ1Y=HE1<H<H}uI>HuL:IH};HHH}1LeHEE HEHE<HH;MtL;H@;1HĨ[A\A]A^A_U1ҾnappHAWL}AVLAUATSHX"<fL-LI};HHI}HH;HI:Mt`I}L9LH:HtFH9HtH5H:HH:H:H11Lnapp\;fuWL52LI>:HIt=I>HEH:LIC:MtI>L=9LH(:Ht4H79HtH5H:HH191Lnapp:fuWL5LI>H:HIt=I>HH:LI9MtI>L8LH9Ht.H8HtH5PHk9HtvHL941HIt_H!81IALLf8HHt*H.8HtH5H 9HFLL9|1L81HHX[A\A]A^A_ULHSHHƶHt$HX`HtH5)"8HIH[AH[ULHSHHHt$HXhHtH57HIH[AH[UHKHATHSt HpHtH،H87HIu1HItL1XHLI7[LA\UHH]LeHLmIH HILHZMtL7LeH]LmUHH]LeHLmLuH06L-"HpHI}6HIHI6H5L6upH3HtdHpHt[I}(7HHu0H5eL{6I}H7HHu 5 HHtH55LHT6H6H5;L6HHt HpHtH?H85HHuNH5L5HHH85HHu% HIt2H! LH,6HtH5LH5H 6L6H5LT5tUH55LA5uB7EHHUܾ H85HHtH5LH95H5LH]LeLmLuUHSH=t2H'5H5 HHE115HH[D5H[UH5?HLeH]ILmLuL}HHtQHHuH5&H=(6nLhMu/HxHtH5<U4HIuH5H=1HHIT$( HxH7HpH H]HHEHsH]HHEHH]HHEH'H]HHEH;3IID$(H;HUϾH?E3IL$IIt$ID$IT$ L L@HH(H0H8LHHPHDžXHDž`HDžhtHuH(H0HHEH0H8HHE8HPH8HZɃHxtHHpH@H I|$0t HHpID$0H I|$@t ID$@H+HpH HL H L{HpH82HH H2L2L}2H]LeLmLuL}UHHPEEHU1EH}H}H?HEHHEHEDEHH#EHEHuHMH HEHEHEUHHATSt 1AH=IHt1L1L11HϯSL1[A\U1HUHAUATSHHH=H9t0Ht HGPHtHtHCHHtHHHQHHt&LgMu9HHtH50HIuH5tH=͊14212HL HAL11H;1I2H;L HڊAL110H=ItZ=@0HHAE1LHH0HAE1LHH/f@=]t7/H5^H1LH/H51LH/$L/L/1H[A\A]UHAVAUATS}/H5Hz/H=Hte.E1I"HHu!HwI>H5KH "HH8H=\1McHL#HtHu"E$L#fDuH 1Ҿ#MuiHKfH8HEIHEIGHEIGHEIGHEIG HEIG(HEIG0HEIG8HEIG@HEIGHL1L#HH(Lƅ HHH:H0HB"DH=bMc1L"ftQH@HH-"tH(KHcȾH1H#H=/LH1P"zP"HHL@HHDžPHF"fDuuME1ft@HL!tH$HHcȾL1"H=IcLfL!fDrL@HL!tHJHcȾL14"H=[IcL1!ftLL@HL tHIHcȾL1!H=IcL1 EDDH ftIL@H}LQ tHFHcȾL1l!H=ӃIcL1t EDDHeD[A\A]A^A_UHAWAVAULmATILSHHHH0LHH8tuHHH=v1uH=L1HPLP1LHH@{ L~LH@H=LLL1ftfwtXH=IL1m(H81MLLLt=wt'LcHHH='L1+9HHrHH8YHĨ[A\A]A^A_UHH]LmHL}LeALuHPHIHMuH=؂1+L58rHI>gHIuH=΂H1E1HDuH=ɂHE1loI>LMLED1LHEHIuHUH=H1-MtHEIH}HtH}t HEH8LLLH]LeLmLuL}UHLeLmILuL}E1H]H`HIAtIMHEt LHE1fAIHEHHEH%H1MtL}HEH1LLULfAtfD,CHMtHUH CHE1LHU HpHUHLeH]LmLuHHjpL}H8UH5}HLeLmILuH]IH0ZHItVH3H=H5-'LHH5 H$L #xMH 9x1HLLH]LeLmLuUHATISHHHHH<HHI<zH{HI<fHOLeH}H5@HE6H[A\HNUHHH5UHHUHLeLmIH]H H IH<H9t>H5HLH5LLeLmH]HH]LeLmHUHHUHLeLmIH]H H~IH<H9t>H5c]H^LH5,&LLeLmH]H~H]LeLmUHAWAVAULpATLeSHxHhEEE1AL&f1HLLLDžpHfD;uvL[HHtH}HuLEH[mH5,HH HhHH5t:HvH5HHtH=HH5DuIH5H#UċuH=}I11Jf=t!H5KH=}H1!HxL[A\A]A^A_UHsL H5HAUHH]LeHLmLuL}H@HΕHH=HgwH5H5H_HHHH5icH5LHCH5,H#HH5HH5 HH5HI݆H5ƆHH|HH5<6t6H=CHH5 H5ܔHH͔HH5uLlH5UHLHm|HH5ˆņt6H=҈LH5H5kH'H\HWH=H5ׅ݅HE+H5IHIH5LyHH{H5RHIHvHH582H5HHH} tHH=H5ƅHH{H5̈́HĄHbHuH5HH=H5GHH87H5LHEH{H5tHkH}H5 IHIH5LH]tHH5HL%τLH5LHHH5AHHt:H5HHt%H tH5HHH5SLJH5LHI2H5H}}HH]LeLmLuL}H=֑UHu~H5H5HH=uXH=H5H GqHH]qH5~xH=ɅH5HH5ZHHKUHAWAVAUATISDH(HcHκ"IHDL%݁H5H݁H5ƁHHAH=&H5oIfH5OILCI*HH5tLktHH5MLDH5LHHuMPt4 t\H=x1E1E&t*u)H9xH5H=x}IH9xHPxL=xH=8H5{LIEHL%IH5HH5zHHAH5HEL IKLH5ހHՀHMHHH5Lt}tHH5H}H5LHuLmH(L[A\A]A^A_UE1LH5HAUAH5qHATISbH5HHHtHL01[A\H5$AAH5LH5YHHMHtY1HH5~~HvHH5HH=uH51HHH5~~u1H[A\UAH5}~HH]LeILmH a~H5~HH~HIt#HL,~H]LeLm1H5~AH5}L}HHtIH|uH5~H~HH=H5~~1HHH5}}IDHLeH]LmUAH5}HH]LeILmH }}H5}HH}HIt#HLH}H]LeLm1H53}AH5}L|HHtIHtH5}H}HH=H5}}1HHH5||IDHLeH]LmU1L|H5||HAUH5}HAVAUATSHH=I}HIuH=,H5-|'|HHLH5||H=IH5{{HL%{H5|L|H5{HHAH5 }IL|I&H5q{HH|a{H5 |HLH5|L|Hu1AHH5;}5}H=>H57{1{LHHsH5z1zH5zHHLzt IIuLH5||HLzH5z[A\A]A^AUH5^zHH]LeHLmH BzL-{IHH6sH5zzLMH]LeLmHH5{AUHAUIATSHHuH= s1 QLeHE LH HHL6 ft'L H=rHHcL1 E1H}HME1E111HE4 H}؉ tE1tKH=rHcL1o 5HuHtH_1H8 IH=r1E18 H} HL[A\A]UHH]LeLmHĀI? H5prIĺH LH HH]LH) tvHU1HHEW ftH=4rHcL1 BH}f H}3 HHEH0H^H8d H}H> H} 1HLeH]LmUH5qHH]LeHLmHh H5qHIV HtHHMH5qH( HHEtHUؾ H^ Lb11HH1 HA At1H`D D H]HU1LH8 1H]LeLmUHH]LeHLmLuL}H0HuH56qH=b1 116 HIMIHAljE1DtsH^]H _]H[]H8It+H5epLHLhH5p1LBEtH5UpLLL8LH]LeLmLuL}UHUHH]LeILmH0H\IUHUܾ H8LHLHcHH]LeLmUHt H\H\H,UHUHH HtHU HGEEUH1Ht H=UH5xHATISHHEMEMEM E(MEbxEHEMEHEHEME(f(M f(HEEMu-MH5wEHM E(f(Mw1H5wHHEHEwf.EMEMw f.Mf.EvEM^YMf(p\EY?XEpEMNMf.vCM^MYf(p\EY?XEgpEMH5vHvH=#xH5vvHH5vvHUMf.v\f(Y ?XEEEf.Ev!\EEY>XEEMHUMHEHU M HE(E(MEEHEMHT$0ELHEHD$ HEMH5uE(EHD$(EHEMEHD$8HEM H$HEHD$HE HD$HE(HD$nuH[A\UH5JuHSHHHEM/uH5uHuEHEHMH5tHEHEEHEMtHEHEHEEHEMHH[UH5tHLeLmIH]LuL}HpEMEotHI H5LtLA=tH5&tHtfWIEH5tHtMfWEHEf.MUHEHE\UHEvf.wDEu4f(EfT <fT<f.wfWf.vMf.v UIE1H5lsLcsHH[Mu+LL8sH]LeLm1LuL}H5sALH]LeLmLuL}UH5&sHATSH0EM sH5rHrIGH5sHwsEHEMUHEHE]EHEMuH5rLrHHuH0H[A\UH5DrHH]LeHH IH&rHu&HtLH]H}H5qHEqHH]LeH%FV%HV%JV%LV%NV%PV%RV%TV%VV%XV%ZV%\V%^V%`V%bV%dV%fV%hV%jV%lV%nV%pV%rV%tV%vV%xV%zV%|V%~V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%W%W%W%W%W% W% W%W%W%W%W%W%W%W%W%W% W%"W%$W%&W%(W%*W%,W%.W%0W%2W%4W%6W%8W%:W%W%@W%BW%DW%FW%HW%JW%LW%NW%PW%RW%TW%VW%XW%ZW%\W%^W%`W%bW%dW%fW%hW%jWH=jRtLiRAS%YRHܛhLRhLRh*LRh@LRh\LRhyLzRshLpRahLfROhL\R=hLRR+hLHRhL>Rh3L4RhQL*RhqL RhLRhL RhLRhLQhLQwh9LQehYLQShnLQAhLQ/hLQhLQ hLQhLQh&LQhFLQhaLQhLvQhLlQhLbQ{hLXQihLNQWh LDQEh@L:Q3h]L0Q!hmL&QhLQhLQhLQhLPhLPh'LPhTLPhLPhLPmhLP[hLPIhLP7h*LP%hDLPhgLPhLPhL|PhLrPhLhPhL^PhLTPhLJPh:L@Pqh\L6P_hL,PMhL"P;hLP)hLPh LPh5LOhOLOhyLOhLOhLOhLOh LOh; LOuhl LOch LOQh LO?h LO-h LOh LxO h3 LnOhN LdOhi LZOh LPOh LFOh LMhAL4Mh\L*MhuL MhLMhL MhLMhLLc16@0:8c24@0:8@16@16@0:8@32@0:8@16@24v20@0:8c16v16@0:8v72@0:8@16@24@32@40i48c52@56@64v64@0:8@16@24@32@40i48c52@56O@16@0:8Vv24@0:8O@16launchGrowlIfInstalled_launchGrowlIfInstalledWithRegistrationDictionary:_growlIsReady:growlProxyconnectionDidDie:growlNotificationTimedOut:growlNotificationWasClicked:_applicationIconDataForGrowlSearchingRegistrationDictionary:_applicationNameForGrowlSearchingRegistrationDictionary:frameworkInfoDictionarynotificationDictionaryByFillingInDictionary:registrationDictionaryByFillingInDictionary:restrictToKeys:registrationDictionaryByFillingInDictionary:bestRegistrationDictionaryregistrationDictionaryFromBundle:registrationDictionaryFromDelegatewillRegisterWhenGrowlIsReadysetWillRegisterWhenGrowlIsReady:reregisterGrowlNotificationsregisterWithDictionary:displayInstallationPromptIfNeededisGrowlRunningisGrowlInstallednotifyWithDictionary:notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:identifier:notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:growlDelegatesetGrowlDelegate:growlIsReadyregisterApplicationWithDictionary:applicationIconForGrowlregistrationDictionaryForGrowldefaultCenterautoreleaseaddObserver:selector:name:object:processInfoprocessIdentifierallocinitWithFormat:respondsToSelector:removeObserver:name:object:initWithObjectsAndKeys:postNotificationWithDictionary:classobjectForKey:isKindOfClass:mutableCopyTIFFRepresentationsetObject:forKey:postNotificationName:object:userInfo:deliverImmediately:growlPrefPaneBundlemainBundlepathForResource:ofType:dictionaryWithContentsOfFile:bundlePathcontainsObject:removeObjectForKey:initWithInt:processNameinituserInfodrainobjectconnectionWithRegisteredName:host:rootProxysetProtocolForProxy:postNotificationName:object:userInfo:runningHelperAppBundlefileURLWithPath:stringWithFormat:stringByAppendingPathExtension:lengthsubstringToIndex:stringByAppendingPathComponent:dataFromPropertyList:format:errorDescription:writeToFile:atomically:absoluteStringdataUsingEncoding:bytesgrowlVersionGrowlApplicationBridgeGrowlNotificationProtocolGrowlApplicationBridge: Cannot register because the application name was not supplied and could not be determinedLend Me Some Sugar; I Am Your Neighbor!GrowlClicked!%@-%d-%@GrowlTimedOut!NotificationNameNotificationClickContextNotificationStickyGrowlNotificationIdentifierGrowlApplicationBridge: exception while sending notification: %@NotificationAppIconGrowlNotificationgrowlRegDictGrowl Registration TicketGrowlApplicationBridge: The bundle at %@ contains a registration dictionary, but it is not a valid property list. Please tell this application's developer.GrowlApplicationBridge: The Growl delegate did not supply a registration dictionary, and the app bundle at %@ does not have one. Please tell this application's developer.com.growl.growlframeworkGrowlApplicationBridgePathwayReceived a fake GrowlApplicationBridgePathway object. Some other application is interfering with Growl, or something went horribly wrong. Please file a bug report.GrowlHelperApp%@-%u-%@GrowlApplicationBridge: Error writing registration dictionary at %@GrowlApplicationBridge: Error writing registration dictionary at %@: %@GrowlApplicationBridge: Registration dictionary follows %@%@: Could not create open-document event to register this application with Growl%@: Could not set direct object of open-document event to register this application with Growl because AEStreamWriteKeyDesc returned %li/%s%@: Could not finish open-document event to register this application with Growl because AEStreamClose returned %li/%s%@: Could not send open-document event to register this application with Growl because AESend returned %li/%sGrowlApplicationBridge: Delegate did not supply a registration dictionary, and the app bundle at %@ does not have oneGrowlApplicationBridge: Got error reading property list at %@: %@GrowlApplicationBridge: Delegate did not supply a registration dictionary, and it could not be loaded from %@GrowlApplicationBridge: Registration dictionary file at %@ didn't contain a dictionary (dictionary type ID is '%@' whereas the file contained '%@'); description of object follows %@ApplicationNameApplicationIconAppLocationfile-dataDefaultNotificationsApplicationIdcom.Growl.GrowlHelperAppprefPanecom.growl.prefpanelCallbackContextGrowlApplicationBridge: Could not find the temporary directory path, therefore cannot register.%@/.GrowlApplicationBridge: Error writing registration dictionary to URL %@: %@ClickedContextApplicationPIDGrowlApplicationBridge: Growl_PostNotification called with a NULL notificationGrowlApplicationBridge: Growl_PostNotification called, but no delegate is in effect to supply an application name - either set a delegate, or use Growl_PostNotificationWithDictionary insteadGrowlApplicationBridge: Growl_PostNotification called, but no application name was found in the delegateNotificationTitleNotificationDescriptionNotificationPriorityNotificationIconGrowlApplicationBridge: Growl_SetDelegate called, but no application name was found in the delegaterbin copyCurrentProcessName in CFGrowlAdditions: Could not get process name because CopyProcessName returned %liin copyCurrentProcessURL in CFGrowlAdditions: Could not get application location, because GetProcessBundleLocation returned %li in copyTemporaryFolderPath in CFGrowlAdditions: Could not locate temporary folder because FSFindFolder returned %lir%s:%dIPv4 un-ntopable[%s]:%dIPv6 un-ntopableneither IPv6 nor IPv4in copyIconDataForURL in CFGrowlAdditions: could not get icon for %@: GetIconRefFromFileInfo returned %li in copyIconDataForURL in CFGrowlAdditions: could not get icon for %@: IconRefToIconFamily returned %li in createURLByMakingDirectoryAtURLWithName in CFGrowlAdditions: parent directory URL is NULL (please tell the Growl developers) in createURLByMakingDirectoryAtURLWithName in CFGrowlAdditions: name of directory to create is NULL (please tell the Growl developers) in createURLByMakingDirectoryAtURLWithName in CFGrowlAdditions: could not create FSRef for parent directory at %@ (please tell the Growl developers) PBCreateDirectoryUnicodeSync or PBMakeFSRefUnicodeSync returned %li; calling CFURLCreateFromFSRefCFURLCreateFromFSRef returned %@in createURLByMakingDirectoryAtURLWithName in CFGrowlAdditions: could not create directory '%@' in parent directory at %@: FSCreateDirectoryUnicode returned %li (please tell the Growl developers)(could not get path for source file: FSRefMakePath returned %li)in copyFork in CFGrowlAdditions: PBOpenForkSync (source: %s) returned %liin copyFork in CFGrowlAdditions: PBGetCatalogInfoSync (source: %s) returned %liPBMakeFSRefUnicodeSync(could not get path for destination directory: FSRefMakePath returned %li)(could not get filename for destination file: CFStringCreateWithCharactersNoCopy returned NULL)in copyFork in CFGrowlAdditions: %s (destination: %s/%@) returned %liPBCreateFileUnicodeSyncin copyFork in CFGrowlAdditions: PBOpenForkSync (dest) returned %li(could not get path for dest file: FSRefMakePath returned %li)in copyFork in CFGrowlAdditions: PBOpenForkSync (destination: %s) returned %liin copyFork in CFGrowlAdditions: PBReadForkSync (source: %s) returned %liin copyFork in CFGrowlAdditions: PBWriteForkSync (destination: %s) returned %liin copyFork in CFGrowlAdditions: PBCloseForkSync (destination: %s) returned %liin copyFork in CFGrowlAdditions: PBCloseForkSync (source: %s) returned %liin createURLByCopyingFileFromURLToDirectoryURL in CFGrowlAdditions: CFURLGetFSRef failed with source URL %@in createURLByCopyingFileFromURLToDirectoryURL in CFGrowlAdditions: CFURLGetFSRef failed with destination URL %@PBIterateForksSync returned %liin GrowlCopyObjectSync in CFGrowlAdditions: PBIterateForksSync returned %liin createURLByCopyingFileFromURLToDirectoryURL in CFGrowlAdditions: CopyObjectSync returned %li for source URL %@in createPropertyListFromURL in CFGrowlAdditions: cannot read from a NULL URLin createPropertyListFromURL in CFGrowlAdditions: could not create stream for reading from URL %@in createPropertyListFromURL in CFGrowlAdditions: could not open stream for reading from URL %@in createPropertyListFromURL in CFGrowlAdditions: could not read property list from URL %@ (error string: %@)@"NSDictionary"@"NSString"@"NSData"v24@0:8@16registrationDictionaryapplicationNameForGrowlapplicationIconDataForGrowlsetApplicationIconDataForGrowl:setApplicationNameForGrowl:deallocinitWithAllNotifications:defaultNotifications:releaseretainGrowlDelegateGrowlApplicationBridgeDelegateAllNotifications@24@0:8@16@28@0:8i16Q20@32@0:8i16Q20c28defaultSavePathForTicketWithApplicationName:nextScreenshotNameInDirectory:nextScreenshotNameticketsDirectoryscreenshotsDirectorygrowlSupportDirectorysearchPathForDirectory:inDomains:searchPathForDirectory:inDomains:mustBeWritable:helperAppBundlebundleForProcessWithBundleIdentifier:isEqualToString:bundleWithPath:bundleWithIdentifier:stringByDeletingLastPathComponentpathExtensionlowercaseStringdefaultManagerobjectEnumeratornextObjectfileExistsAtPath:bundleIdentifiercompare:options:enumeratorAtPath:skipDescendentscountarrayWithCapacity:isWritableFileAtPath:addObject:fileExistsAtPath:isDirectory:objectAtIndex:createDirectoryAtPath:attributes:directoryContentsAtPath:initWithCapacity:stringByDeletingPathExtensionGrowlPathUtilities+[GrowlPathUtilities bundleForProcessWithBundleIdentifier:]BundlePathCouldn't get information about process %lu,%lu: GetProcessInformation returned %i/%s%s: GetNextProcess returned %i/%sprefpanePreferencePanesGrowl.prefPaneappScreenshotsTicketsPluginsERROR: GrowlPathUtil was asked for directory 0x%x, but it doesn't know what directory that is. Please tell the Growl developers.Application Support/GrowlScreenshot %llugrowlTicketWARNING: createFileURLWithAliasData called with NULL aliasDatain createFileURLWithAliasData: Could not allocate an alias handle from %u bytes of alias data (data follows) because PtrToHand returned %li %@in createFileURLWithAliasData: Could not resolve alias (alias data follows) because FSResolveAlias returned %li - will try path %@in createFileURLWithAliasData: FSCopyAliasInfo returned a NULL pathfilein createAliasDataForURL: FSNewAlias for %@ returned %li_CFURLString_CFURLAliasData_CFURLStringTypein createDockDescriptionWithURL: Cannot copy Dock description for a NULL URL@32@0:8{CGSize=dd}16{CGSize=dd}32@0:8{CGSize=dd}16v64@0:8{CGRect={CGPoint=dd}{CGSize=dd}}16Q48d56replacementObjectForPortCoder:representationOfSize:bestRepresentationForSize:adjustSizeToDrawAtSize:drawScaledInRect:operation:fraction:sizesetScalesWhenResized:currentContextsetImageInterpolation:drawInRect:fromRect:operation:fraction:setSize:representationsbestRepresentationForDevice:isBycopyGrowlImageAdditions? LPXXxhxx+  ND  x  g!m!!_"##A' >)W) ) + J-N.f.345699<B-CCCE1FI}IIIKVLLwM^NNOpOOPHPP)QS_i``a{aabccgWhjjksmm oWrOsYss0t.ww"y$z QXQzPLRx D$hb% 4lEe  4e> D e` D$8f?+ 4l/h  Dh  4_h <$-h| 4dih 4Ih  4h  4 gE <Dg <Sh  4h Lh   <Lk 4m 4wm Dm DD@n Dn <n\'  <p 4Tp <p,  <u. zRx ,v  ,L]v  ,|:v  ,v0 <v <w ,\3z  <z <kz < { <L ,C , C 4b <$GP <dW ,K <9 ,φv 4D] ,|:  4 4 zRx <  4\b} D   4Fk ,yN ,DY 4t;  ,ÊZ 4C  4 ,Lp1 4|q  4u 40 4$ R  <\&} Dc  D+` <,C! Dl$   zRx <×  4\!z ,c ,D <%v  ,4[ <dPbt΅(:L^pʆ܆$6HZl~Ƈ؇__q' Ǒ֑Ԝ8@y Ȓhƙ ҙ ܙ̫  4X8  ChG:PHؖvPmu8Am"8AP_(K(0N@hcpnhsޞ(jga 8HIOECNI8OOئJ0kp8KqMPa_mT!C OW` >XpC8 (LE46gr}E48Ms$:3ȭX8ߏL͏9ukH:'4B+&ߌ֪ (؊ގVhP:' ؍ ȋȈ~xfZ8`,Ox&r,~ xڮ@ج}gTN>, 8׭ȭގm ]L׭شr0m B'֪ߌ````` ؐ@((ؐN.Ȉf.J- &+O+'*B)`3W)ى&>)A'(1#h#&"_"؊&" "?"9J!Vm!pJg!  xȋX0x& `@((a&{a0a֪&`&`OJi`X1_ 80֪( 0((0   o@m_&smr&l&k&jjجWh &g&c&c by{"y{w0.wH0tHǐ؍H!p`Dup\Ipp8p WCpp0p`p0RH`TCpp0TIp0pp(p`CSASASDpp0p`p0RH`$Cpp0`AppHRARARDQ@___objc_personality_v0Qq@__objc_empty_cache<@__objc_empty_vtableq<@_objc_msgSendSuper2_fixupq2@_objc_msgSend_fixupq(I- @_OBJC_CLASS_$_NSGraphicsContext@_OBJC_CLASS_$_NSImageq;@_NSConnectionDidDieNotificationq @_OBJC_CLASS_$_NSAutoreleasePool:@_OBJC_CLASS_$_NSBundle@_OBJC_CLASS_$_NSConnectionq:@_OBJC_CLASS_$_NSDistributedNotificationCenterX@_OBJC_CLASS_$_NSFileManagerq:@_OBJC_CLASS_$_NSNotificationCenterq:@_OBJC_CLASS_$_NSNumber@_OBJC_CLASS_$_NSProcessInfo8@_OBJC_CLASS_$_NSPropertyListSerializationq:@_OBJC_CLASS_$_NSStringX@_OBJC_CLASS_$_NSURLq:@dyld_stub_binderqA_CFStringGetFileSystemRepresentation8@_OBJC_CLASS_$_NSDictionary:@_OBJC_CLASS_$_NSMutableArray@_OBJC_CLASS_$_NSMutableDictionaryq;@_OBJC_CLASS_$_NSMutableSet0@_OBJC_CLASS_$_NSObject@_OBJC_EHTYPE_$_NSExceptionq(@_OBJC_METACLASS_$_NSObject@___CFConstantStringClassReferenceq u@_kCFAllocatorDefaultq(@_kCFAllocatorMalloc @_kCFAllocatorNull@_kCFBooleanFalse@_kCFBooleanTrueq`@_kCFBundleIdentifierKeyq@_kCFTypeArrayCallBacks @_kCFTypeDictionaryKeyCallBacksq8@_kCFTypeDictionaryValueCallBacksq0qp@_AEDisposeDescqx@_AESendMessageq@_AEStreamCloseq@_AEStreamCreateEventq@_AEStreamWriteKeyDescq@_CFArrayAppendArrayq@_CFArrayAppendValueq@_CFArrayCreateq@_CFArrayCreateMutableq@_CFArrayGetCountq@_CFArrayGetValueAtIndexq@_CFBooleanGetValueq@_CFBundleCopyBundleURLq@_CFBundleCopyResourceURLq@_CFBundleCreateq@_CFBundleCreateBundlesFromDirectoryq@_CFBundleGetBundleWithIdentifierq@_CFBundleGetIdentifierq@_CFBundleGetInfoDictionaryq@_CFBundleGetMainBundleq@_CFCopyTypeIDDescriptionq@_CFDataCreateq@_CFDataCreateCopyq@_CFDataCreateWithBytesNoCopyq@_CFDataGetBytePtrq@_CFDataGetLengthq@_CFDateFormatterCreateq@_CFDateFormatterCreateStringWithDateq@_CFDictionaryContainsKeyq@_CFDictionaryCreateq@_CFDictionaryCreateCopyq@_CFDictionaryCreateMutableq@_CFDictionaryCreateMutableCopyq@_CFDictionaryGetCountq@_CFDictionaryGetTypeIDq@_CFDictionaryGetValueq@_CFDictionaryRemoveValueq@_CFDictionarySetValueq@_CFEqualq@_CFGetAllocatorq@_CFGetTypeIDq@_CFLocaleCopyCurrentq@_CFMakeCollectableq@_CFNotificationCenterAddObserverq@_CFNotificationCenterGetDistributedCenterq@_CFNotificationCenterPostNotificationq@_CFNotificationCenterRemoveEveryObserverq@_CFNotificationCenterRemoveObserverq@_CFNumberCreateq@_CFNumberGetValueq@_CFPropertyListCreateFromStreamq@_CFPropertyListWriteToStreamq@_CFReadStreamCloseq@_CFReadStreamCreateWithFileq@_CFReadStreamOpenq@_CFReleaseq@_CFRetainq@_CFSetContainsValueq@_CFStringCompareq@_CFStringCreateByCombiningStringsq@_CFStringCreateCopyq@_CFStringCreateWithBytesq@_CFStringCreateWithCStringq@_CFStringCreateWithCStringNoCopyq@_CFStringCreateWithCharactersNoCopyq@_CFStringCreateWithFormatq@_CFStringGetCStringq@_CFStringGetCharactersqA_CFStringGetFileSystemRepresentationq@_CFStringGetLengthq@_CFStringGetMaximumSizeForEncodingqA_CFStringGetMaximumSizeOfFileSystemRepresentationq@_CFURLCopyFileSystemPathq@_CFURLCopyLastPathComponentq@_CFURLCopySchemeq@_CFURLCreateCopyAppendingPathComponentq@_CFURLCreateCopyDeletingLastPathComponentq@_CFURLCreateFromFSRefq@_CFURLCreateFromFileSystemRepresentationq@_CFURLCreateWithFileSystemPathq@_CFURLGetFSRefq@_CFURLGetFileSystemRepresentationq@_CFUUIDCreateq@_CFUUIDCreateStringq@_CFWriteStreamCloseq@_CFWriteStreamCreateWithFileq@_CFWriteStreamOpenq@_CopyProcessNameq@_DisposeHandleq@_FNNotifyq@_FSCopyAliasInfoq@_FSFindFolderq@_FSNewAliasq@_FSRefMakePathq@_GetHandleSizeq@_GetIconRefFromFileInfoq@_GetMacOSStatusCommentStringq@_GetNextProcessq@_GetProcessBundleLocationq@_GetProcessInformationq@_GetProcessPIDq@_HLockq@_HUnlockq@_IconRefToIconFamilyq@_LSFindApplicationForInfoq@_LSOpenFromURLSpecq@_NSEqualSizesq@_NSLogq@_NSSearchPathForDirectoriesInDomainsq@_NSTemporaryDirectoryq@_PBCloseForkSyncq@_PBCreateDirectoryUnicodeSyncq@_PBCreateFileUnicodeSyncq@_PBGetCatalogInfoSyncq@_PBIterateForksSyncq@_PBMakeFSRefUnicodeSyncq@_PBOpenForkSyncq@_PBReadForkSyncq@_PBWriteForkSyncq@_ProcessInformationCopyDictionaryq@_PtrToHandq@_ReleaseIconRefq@__Unwind_Resumeq@_callocq@_ceilq@_closeq@_fcloseq@_floorq@_fopenq@_freadq @_freeq @_fseekq @_fstatq @_ftellq @_getcwdq @_getnameinfoq @_getpidq @_inet_ntopq @_mallocq @_memsetq @_objc_assign_globalq @_objc_assign_ivarq @_objc_begin_catchq @_objc_end_catchq @_openq @_snprintfq @_strlen_7.objc_category_name_NSImage_GrowlImageAdditions Growl_dcreadFileset get OBJC_ GetDelegateSetWillRegisterWhenGrowlIsReadyCIsLaunchIfInstalledPostNotificationNotifyWithTitleDescriptionNameIconPriorityStickyClickContextReiWillRegisterWhenGrowlIsReadyDelegateiiopyRegistrationDictionaryFromreateDelegateBundleijRegistrationDictionaryByFillingInDictionaryBestRegistrationDictionaryNotificationDictionaryByFillingInDictionaryRestrictedToKeysmsRunningInstalleds߇WithDictionarygisterWithDictionaryregisterړreateopyFileStringWithHostNameForAddressDataURLBy PropertyListFromURL AliasDataWithURL DockDescriptionWithURL SystemRepresentationOfStringURLWith ֘DateContentsOfFileAddressDataStringAndCharacterAndString CTemporaryFolderURLForApplicationIconDataFor StringurrentProcessޜNameURLPathɝURLPathȠURL Path ؤMakingDirectoryAtURLWithName CopyingFileFromURLToDirectoryURL ˸̽AliasData DockDescription ObjectForKey IntegerForKey BooleanForKey ObjectForKey IntegerForKey BooleanForKey CLASS_$_Growl METACLASS_$_Growl IVAR_$_GrowlDelegate. ApplicationBridge Delegate PathUtilities ApplicationBridge Delegate PathUtilities application registrationDictionary IconDataForGrowl NameForGrowl px (08@HPX`hpx (08@HPX`hpx (08@HPX`hpx (08@HPX`hpx(Hh(Hh(Hh(Hh ( H h      ( H h      ( H h      ( H h      ( H h     (Hh(Hh(Hh(Hh(Hh(Hhx(8HXhx(8HXhx(8HXhx(8HXhx(8HXhx(8HXhx(8HXhx(8HXhx (08@ (08@` X`     ( 0 8 @ H P X ` h p x                 !!!! !(!0!8!@!H!P!X!`!h!p!x!!!!!!!!!!!!!!!!!"""" "("0"8"@"`"""""" #X#h#############$$$$ $($0$8$@$H$h$p$x$$$$$$$$%8%%%%(&0&8&@&H&P&X&`&h&p&x&&&&&&&&&&&&&&&&&'''' '('0'8'@'`'p''''''''''''((((((8((((((((8#xS ~ g!m!!L" ""_"7"l## A'P>)W)) *AO+m+J-N.f.93[:<BBK+;V5_ui```a{aAarbcc g+ Whr j j k!l(!smQ!m! o!0t".wF"w""y"y"}#H#@.#H;#PD#Xb#`l#h#p#x#####$'$45`4-CC9(6q4?9CI1FEC}IaIsI44``3(j08=^NJNbpOzOlSXRPOPpWr8VL`oo|hqQ])QwML*^WK\StssHPsYsOs!0?Ncy         2 B f        &  8  I  `           1  G  `  v           5  ^          "  -  7  K  \  ~       %  9  P A u   A    # J t       % 9 V iz!;Rahq #CZu  - O j , G bs ?JZj  ,4? T h z      .@Rb|p`Hh'hxhh"$PX`##%%8Xx8Xx8Xx8Xx 8 X x      8 X x      8 X x      8 X x      8 X x     8Xx8Xx8Xx8Xx8Xx8Xxpp"#$%xx"#$%88p99999999999 909@9P9`9p99999999999 909@9P9`9p99999999999 909@9P9`9p99999999999 909@9P9`9p9999999999 909@9P9`9p99999999999 909@9P9`9p99999999999 909@9P9`9p9999999999 909@9P9`9p99999999      !"#$%&'(234567:;<@@.)10/*+-,      !"#$%&'(234567:;<.objc_category_name_NSImage_GrowlImageAdditions_Growl_CopyRegistrationDictionaryFromBundle_Growl_CopyRegistrationDictionaryFromDelegate_Growl_CreateBestRegistrationDictionary_Growl_CreateNotificationDictionaryByFillingInDictionary_Growl_CreateRegistrationDictionaryByFillingInDictionary_Growl_CreateRegistrationDictionaryByFillingInDictionaryRestrictedToKeys_Growl_GetDelegate_Growl_IsInstalled_Growl_IsRunning_Growl_LaunchIfInstalled_Growl_NotifyWithTitleDescriptionNameIconPriorityStickyClickContext_Growl_PostNotification_Growl_PostNotificationWithDictionary_Growl_RegisterWithDictionary_Growl_Reregister_Growl_SetDelegate_Growl_SetWillRegisterWhenGrowlIsReady_Growl_WillRegisterWhenGrowlIsReady_OBJC_CLASS_$_GrowlApplicationBridge_OBJC_CLASS_$_GrowlDelegate_OBJC_CLASS_$_GrowlPathUtilities_OBJC_IVAR_$_GrowlDelegate.applicationIconDataForGrowl_OBJC_IVAR_$_GrowlDelegate.applicationNameForGrowl_OBJC_IVAR_$_GrowlDelegate.registrationDictionary_OBJC_METACLASS_$_GrowlApplicationBridge_OBJC_METACLASS_$_GrowlDelegate_OBJC_METACLASS_$_GrowlPathUtilities_copyCString_copyCurrentProcessName_copyCurrentProcessPath_copyCurrentProcessURL_copyIconDataForPath_copyIconDataForURL_copyTemporaryFolderPath_copyTemporaryFolderURL_copyURLForApplication_createAliasDataWithURL_createDockDescriptionWithURL_createFileSystemRepresentationOfString_createFileURLWithAliasData_createFileURLWithDockDescription_createHostNameForAddressData_createPropertyListFromURL_createStringWithAddressData_createStringWithContentsOfFile_createStringWithDate_createStringWithStringAndCharacterAndString_createURLByCopyingFileFromURLToDirectoryURL_createURLByMakingDirectoryAtURLWithName_getBooleanForKey_getIntegerForKey_getObjectForKey_readFile_setBooleanForKey_setIntegerForKey_setObjectForKey_AEDisposeDesc_AESendMessage_AEStreamClose_AEStreamCreateEvent_AEStreamWriteKeyDesc_CFArrayAppendArray_CFArrayAppendValue_CFArrayCreate_CFArrayCreateMutable_CFArrayGetCount_CFArrayGetValueAtIndex_CFBooleanGetValue_CFBundleCopyBundleURL_CFBundleCopyResourceURL_CFBundleCreate_CFBundleCreateBundlesFromDirectory_CFBundleGetBundleWithIdentifier_CFBundleGetIdentifier_CFBundleGetInfoDictionary_CFBundleGetMainBundle_CFCopyTypeIDDescription_CFDataCreate_CFDataCreateCopy_CFDataCreateWithBytesNoCopy_CFDataGetBytePtr_CFDataGetLength_CFDateFormatterCreate_CFDateFormatterCreateStringWithDate_CFDictionaryContainsKey_CFDictionaryCreate_CFDictionaryCreateCopy_CFDictionaryCreateMutable_CFDictionaryCreateMutableCopy_CFDictionaryGetCount_CFDictionaryGetTypeID_CFDictionaryGetValue_CFDictionaryRemoveValue_CFDictionarySetValue_CFEqual_CFGetAllocator_CFGetTypeID_CFLocaleCopyCurrent_CFMakeCollectable_CFNotificationCenterAddObserver_CFNotificationCenterGetDistributedCenter_CFNotificationCenterPostNotification_CFNotificationCenterRemoveEveryObserver_CFNotificationCenterRemoveObserver_CFNumberCreate_CFNumberGetValue_CFPropertyListCreateFromStream_CFPropertyListWriteToStream_CFReadStreamClose_CFReadStreamCreateWithFile_CFReadStreamOpen_CFRelease_CFRetain_CFSetContainsValue_CFStringCompare_CFStringCreateByCombiningStrings_CFStringCreateCopy_CFStringCreateWithBytes_CFStringCreateWithCString_CFStringCreateWithCStringNoCopy_CFStringCreateWithCharactersNoCopy_CFStringCreateWithFormat_CFStringGetCString_CFStringGetCharacters_CFStringGetFileSystemRepresentation_CFStringGetLength_CFStringGetMaximumSizeForEncoding_CFStringGetMaximumSizeOfFileSystemRepresentation_CFURLCopyFileSystemPath_CFURLCopyLastPathComponent_CFURLCopyScheme_CFURLCreateCopyAppendingPathComponent_CFURLCreateCopyDeletingLastPathComponent_CFURLCreateFromFSRef_CFURLCreateFromFileSystemRepresentation_CFURLCreateWithFileSystemPath_CFURLGetFSRef_CFURLGetFileSystemRepresentation_CFUUIDCreate_CFUUIDCreateString_CFWriteStreamClose_CFWriteStreamCreateWithFile_CFWriteStreamOpen_CopyProcessName_DisposeHandle_FNNotify_FSCopyAliasInfo_FSFindFolder_FSNewAlias_FSRefMakePath_GetHandleSize_GetIconRefFromFileInfo_GetMacOSStatusCommentString_GetNextProcess_GetProcessBundleLocation_GetProcessInformation_GetProcessPID_HLock_HUnlock_IconRefToIconFamily_LSFindApplicationForInfo_LSOpenFromURLSpec_NSConnectionDidDieNotification_NSEqualSizes_NSLog_NSSearchPathForDirectoriesInDomains_NSTemporaryDirectory_OBJC_CLASS_$_NSAutoreleasePool_OBJC_CLASS_$_NSBundle_OBJC_CLASS_$_NSConnection_OBJC_CLASS_$_NSDictionary_OBJC_CLASS_$_NSDistributedNotificationCenter_OBJC_CLASS_$_NSFileManager_OBJC_CLASS_$_NSGraphicsContext_OBJC_CLASS_$_NSImage_OBJC_CLASS_$_NSMutableArray_OBJC_CLASS_$_NSMutableDictionary_OBJC_CLASS_$_NSMutableSet_OBJC_CLASS_$_NSNotificationCenter_OBJC_CLASS_$_NSNumber_OBJC_CLASS_$_NSObject_OBJC_CLASS_$_NSProcessInfo_OBJC_CLASS_$_NSPropertyListSerialization_OBJC_CLASS_$_NSString_OBJC_CLASS_$_NSURL_OBJC_EHTYPE_$_NSException_OBJC_METACLASS_$_NSObject_PBCloseForkSync_PBCreateDirectoryUnicodeSync_PBCreateFileUnicodeSync_PBGetCatalogInfoSync_PBIterateForksSync_PBMakeFSRefUnicodeSync_PBOpenForkSync_PBReadForkSync_PBWriteForkSync_ProcessInformationCopyDictionary_PtrToHand_ReleaseIconRef__Unwind_Resume___CFConstantStringClassReference___objc_personality_v0__objc_empty_cache__objc_empty_vtable_calloc_ceil_close_fclose_floor_fopen_fread_free_fseek_fstat_ftell_getcwd_getnameinfo_getpid_inet_ntop_kCFAllocatorDefault_kCFAllocatorMalloc_kCFAllocatorNull_kCFBooleanFalse_kCFBooleanTrue_kCFBundleIdentifierKey_kCFTypeArrayCallBacks_kCFTypeDictionaryKeyCallBacks_kCFTypeDictionaryValueCallBacks_malloc_memset_objc_assign_global_objc_assign_ivar_objc_begin_catch_objc_end_catch_objc_msgSendSuper2_fixup_objc_msgSend_fixup_open_snprintf_strlendyld_stub_binder__mh_dylib_headerdyld_stub_binding_helper+[GrowlApplicationBridge setGrowlDelegate:]+[GrowlApplicationBridge growlDelegate]+[GrowlApplicationBridge notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:]+[GrowlApplicationBridge notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:identifier:]+[GrowlApplicationBridge notifyWithDictionary:]+[GrowlApplicationBridge isGrowlInstalled]+[GrowlApplicationBridge isGrowlRunning]+[GrowlApplicationBridge displayInstallationPromptIfNeeded]+[GrowlApplicationBridge registerWithDictionary:]+[GrowlApplicationBridge reregisterGrowlNotifications]+[GrowlApplicationBridge setWillRegisterWhenGrowlIsReady:]+[GrowlApplicationBridge willRegisterWhenGrowlIsReady]+[GrowlApplicationBridge registrationDictionaryFromDelegate]+[GrowlApplicationBridge registrationDictionaryFromBundle:]+[GrowlApplicationBridge bestRegistrationDictionary]+[GrowlApplicationBridge registrationDictionaryByFillingInDictionary:]+[GrowlApplicationBridge registrationDictionaryByFillingInDictionary:restrictToKeys:]+[GrowlApplicationBridge notificationDictionaryByFillingInDictionary:]+[GrowlApplicationBridge frameworkInfoDictionary]+[GrowlApplicationBridge _applicationNameForGrowlSearchingRegistrationDictionary:]+[GrowlApplicationBridge growlNotificationWasClicked:]+[GrowlApplicationBridge growlNotificationTimedOut:]+[GrowlApplicationBridge connectionDidDie:]+[GrowlApplicationBridge growlProxy]+[GrowlApplicationBridge _growlIsReady:]+[GrowlApplicationBridge launchGrowlIfInstalled]+[GrowlApplicationBridge _launchGrowlIfInstalledWithRegistrationDictionary:]+[GrowlApplicationBridge _applicationIconDataForGrowlSearchingRegistrationDictionary:]__copyAllPreferencePaneBundles__launchGrowlIfInstalledWithRegistrationDictionary__growlNotificationWasClicked__growlNotificationTimedOut__growlIsReady_copyFork-[GrowlDelegate initWithAllNotifications:defaultNotifications:]-[GrowlDelegate dealloc]-[GrowlDelegate registrationDictionaryForGrowl]-[GrowlDelegate applicationNameForGrowl]-[GrowlDelegate setApplicationNameForGrowl:]-[GrowlDelegate applicationIconDataForGrowl]-[GrowlDelegate setApplicationIconDataForGrowl:]+[GrowlPathUtilities bundleForProcessWithBundleIdentifier:]+[GrowlPathUtilities runningHelperAppBundle]+[GrowlPathUtilities growlPrefPaneBundle]+[GrowlPathUtilities helperAppBundle]+[GrowlPathUtilities searchPathForDirectory:inDomains:mustBeWritable:]+[GrowlPathUtilities searchPathForDirectory:inDomains:]+[GrowlPathUtilities growlSupportDirectory]+[GrowlPathUtilities screenshotsDirectory]+[GrowlPathUtilities ticketsDirectory]+[GrowlPathUtilities nextScreenshotName]+[GrowlPathUtilities nextScreenshotNameInDirectory:]+[GrowlPathUtilities defaultSavePathForTicketWithApplicationName:]-[NSImage(GrowlImageAdditions) drawScaledInRect:operation:fraction:]-[NSImage(GrowlImageAdditions) adjustSizeToDrawAtSize:]-[NSImage(GrowlImageAdditions) bestRepresentationForSize:]-[NSImage(GrowlImageAdditions) representationOfSize:]-[NSImage(GrowlImageAdditions) replacementObjectForPortCoder:] stub helpers___PRETTY_FUNCTION__.96477_growlLaunched_appIconData_appName_cachedRegistrationDictionary_delegate_registerWhenGrowlIsReady_growlProxy_targetsToNotifyArray_delegate_registerWhenGrowlIsReady_growlLaunched_cachedRegistrationDictionary_registeredForClickCallbacks_helperAppBundle_prefPaneBundleL H__TEXT__text__TEXTm__cstring__TEXTl!-l__const__TEXT __unwind_info__TEXTHH__DATA__dyld__DATA__cfstring__DATA`__data__DATAhh__bss__DATAl8__OBJC__cat_inst_meth__OBJCd__message_refs__OBJCdd__cls_refs__OBJC8T8__class__OBJC__meta_class__OBJC``__cls_meth__OBJC  __protocol__OBJC(__module_info__OBJC@@@__symbols__OBJC@__cat_cls_meth__OBJC__inst_meth__OBJC\__instance_vars__OBJC@(@__category__OBJChh__image_info__OBJC__IMPORT__pointers__IMPORT,__jump_table__IMPORT@/@ 8__LINKEDITtLtL X@executable_path/../Frameworks/Growl.framework/Versions/A/Growl3DY/N/7 d# PMM334h4v 4/usr/lib/libobjc.A.dylib libobjc p"/System/Library/Frameworks/ApplicationServices.framework/Versions/A/ApplicationServices X/System/Library/Frameworks/Carbon.framework/Versions/A/Carbon X.-/System/Library/Frameworks/AppKit.framework/Versions/C/AppKit `,/System/Library/Frameworks/Foundation.framework/Versions/C/Foundation 4/usr/lib/libgcc_s.1.dylib 4o/usr/lib/libSystem.B.dylib d /System/Library/Frameworks/CoreServices.framework/Versions/A/CoreServices h/System/Library/Frameworks/CoreFoundation.framework/Versions/A/CoreFoundationX/UWVS[D$<$D$Tu<*D$$66T$$$D$$6t$<$D$]u}US[ED$ D$D$E$[UWVSLuE[}E 4$D$腱Et)UЉT$\<$D$_ EЋUЉT$D$E؉$0umĕu=t$ȞD$Uԉ$ T$$ĕT$$轰EЉD$ ĕD$(D$U؉$述t)ȏẺD$\<$D$蜰 ȏŰẺD$D$U؉$muquGt$̞D$Eԉ$FT$$4T$$t ỦD$T$ (D$E؉$t&؏t$\<$D$د؏u܉t$D$E؉$謯.E$VED$$iD$T$ UT$$T$>ƋD$E$'U܉t$T$ (D$E؉$4$D$t$`D$U؉$߮E1҅t E$薬‹$D$跮t"t$\<$D$藮tit$D$U؉$ru@D$D$E؉$Ott$ D$(D$U؉$.t"t$\<$D$tOt$D$E؉$u*.$t$ D$(D$U؉$軭ĞE E؉EL[^_頭L1[^_UWVS[,EED$E$ft$Nj<$D$NuquMD$D$E$!T$$T$$լtt$ D$ <$D$٬t$<$D$转uquMD$D$E$萬T$$~T$$Dtt$ D$ <$D$H݊D$<$D$, ED$<$D$ŚD$$ƋD$$˫T$$蹫D$I4$D$裫ƋEt$D$ <$D$脫4$D$r}E ,[^_ZUS[$~E[{UVS[uNt<D$n$D$tD$N$ߪuO:D$4$D$迪u/ZD$F$裪U E[^錪[^U8][uu}D$m$UIT$$CE䋃M4$D$(T$T$$ D$<$D$Qu]}E EEةU8][uu}D$$訩T$$薩E䋃4$D${lT$<T$$_D$<$D$Iu]}E EE+UH]E[uu}E䋃(D$ $Nj4$D$D$ȥD$ ED$d<$D$踨,D$H$蠨HuE ]E}YU][u"D$RD$ D$^$4EE~uD$b$ UMT$L$$T$VT$ T$էE4$輧4$2tvu4$葧4$E蚧4$tE$oEED$~$\tED$EEE$DUZ$D$/Ƌ^4$D$D$t=2D$b4$D$4$D$ߦT$$2$D$$脦Eu E$蕦 E$~]uUWVS[<}D$j$UFT$$CƃE䋃jD$D$$tjD$$FD$f$ݥD$D$ t$n$T$跥D$$蟥D$t$ |$$T$}tr<$D$bƃNE EE<[^_@US[D$D$E$[UWVS[\D$ $T$$פuHD$ $蹤׃T$ T$$T$蓤 t$D$$mEEEEkUD$$衣1҅t $‹#$D$T$wT$$t$T$$uE$ˢftM04$Q4$ljD$H<$E謡OUT$Ƌ'D$E$rUĉt$<$ׂT$D$ D$D$A|$T$$+ƋEĉ$/4$D$ =vG<$D$4$)‹T$D$֢|$T$$#t$T$$裢Ƌ4$D$菢=vG<$D$v4$)‹T$D$Y|$T$$CƍEUD$'D$ T$D$$t6+D$ t$$D$uWt$$CEt$D$'$ED$7$͠D$E$蔡/D$$|3t$T$$ft% t$D$$A11UD$D$D$T$ D$ nspD$codo$tveaEu.sD$E$D$G$17<$D$譠;D$T$$蓠Ƌ4$D$4$Nj?D$k|$D$lrufD$----D$ E$Ft9$'U$ƋsD$#t$ |$D$W$-UEԉED$$t;$ӞƋsD$E$ϟt$ |$D$g$ٞmUD$ D$D$$t9$oƋsD$E$kt$ |$D$w$uU$0\[^_UWVS[Ttl$D$tD$t,D$tD$T$֞tD$T$躞u%P}D$D$E$蕞tJD$8$w4$D$D$at]4$D$KuE;lj$!LT$$$1҅t <$ߛ‹@$D$[^_YU勁'UYEYUU1S[tBtD$f$[UWVSLu[u踚ƍF{D$V{D$ D$4$tEua4$`D$$膛u 4$#lj4$W||$$ <$8ED$$4EuEЉ$͚EԍED$ EED$D$$],E̋Et$D$EԉD$}$茛E$nE̅uEԉD$}$eẺ$ș9tj这$lNjẺ$͙$W|$ƋẺt$ D$EԉD$&}$4$<$ߙẺ$ԙEEԉ$™EЉ$跙EẼL[^_U1WVSLU[!1T$D$$EԋE tE yt$$VyUԉt$$蚘u\t,BuBtt$$蕘t$u |tEԉt$|$$t4$˘} tU yt$$蹘yUԉủt$$uxt/B uBt!Ủ$T$t$[u!5t4$<$3tE̋Uԉt$D$$躗4$u tE yt$$yEԉuЉt$$B$@tlyE䋃5UD$ D$9D$ED$ED$1$ܖt/D$UЋEԉT$$4$DUԉt$$ϖ<$+M tE yt$$tNyUԉt$$cu,yD$Eԉ$mtUԉD$t$$eU tE yt$$貖t;yUԉt$$u $试t$D$Eԉ$ EԃL[^_UED$$UW1VS[11҉k<$]}uU$qUWVS[PtdD$$umgD$c$肅1ncUcT$|$ D$D$ED$04$[EυcT$U|$ D$4$T$D$*Njkttk螃D$D$ƋE4$D$ D$D$j+D$D$|$ D$D$4$@ƃkVktM.UD$ T$ƍD$4$+D$ |$D$4$ƃkE$<$${k<[^_UWVS[,袂T$$蚂iƃi$赁EE䍃dE؍dE?ED$i$臁ƋE؉4$D$4$NjE܉D$$EE9E|i$<ǃiit$ƃi,[^_U(][u}t,E$4Ɖ$蒃t$ljD$E$i$oD$ D$NjED$$ D$ |$D$Ɖ$u <$14$Z]u}U8][u}D$ D$ƉD$8<$r4$EE<$D$ED$VƋE$߀]u}UH]E[}1u$EGD$E$D$D$$4$D$D$4$EہE$tNEt$ D$<$D$襁9Eu.E |$D$D$ ED$b$14$YE$b]u}UWVE$U T$$D$x<$U|$$ƋE t$D$ ^_US[$ED$EEEE$tD$a$9EE$[Ux]E[uuEEt$$tD$a$1}t$$)]uUu}D$lj$~<$~}uUh][uut$ D$D$pmet$fta$T$;1 }t$$~]uUu}1~tD$$9~4$}u}U8][}u FD$E$"1D$D$<$ <$D$D$<$E~E$|$ D$ƋE4$D$~<$~v|t$D$ ED$^|$T|]u}U8ED$EED$ D$D$$}1DEUh]E[u}${@<u@F}D$ (|$D$$~u_tzF|$ D$e_H<_u\F}D$ (|$D$$}_t0F|$ D$_D$E{D$$|‹]Ћu}UH][uu}4${4${D$D$D$D$ t$D$<$}1҅uhzD$t$$v{‹]Ћu}Uuu][}}|$4${ED$EED$D$D$D$ D$D$<${tD$>^t$${E܉D$EED$${ftN^t$1T$$x{KE܉$M{E܉${D$E܋D$y$wyƋE܉${E܉$zE$k{1]u}U(]E[u}1D$D$ D$x$;zt$l4$y]u}UWVS<u[t"4$#y4$oyDžrE t E $x&xt$4$D$z4$D$ {t$$D$tyljƋE u)\1D$$y u tE $x,<$ y|$$y<$xu\|$PD$<$xu\|$T$}xDž=$^xDžD$ D$T$$xU$D$HfD$Zyuȍu܉EUE$xfu$xЅu>\$D$Dxt$$wƉD$\$x"T$ ]|$T$$1wt<$vt$ve[^_UWVS[\D$\D$$7xƅ8D$4GD$ $w$VwftiD$T$4$vt$D$ CD$D$$w=Z|$$T$vED$HD$$AwUE1uEuT$ UЉE䋅$yvftaD$T$4$ut$D$ CD$D$$vMZ|$T$U։EuEEȍP$EuƒCD$T$$ut$D$ CD$D$$*vauUD$ t$D$Mu$#tu,D$D$ IDD$$sƋ|$t$ D$]ZT$$tt4$s04$tfu'D$D$$tE u5DfЉߋU D$PD$$tD$\D$$tƅ$smZ|$$sft]D$t$$>stD$ MED$D$4$Rt|$}Zt$$Qs$PsHDžP$=sfuum1ftaD$T$$|rt$D$ CD$D$$s|$D$Z$rfLD$D$$qt$D$ MED$D$$rZ|$T$$q4$fr$qftjD$T$$gqt$D$ MED$D$$ur|$D$Z$nqD$oqftjD$PD$$pt$D$ CD$D$$q|$D$Z$pDe[^_UWVS[UE} D$$p<$ƍHD$puED$Su|$S$hp1$D$\D$pS$!p$|$oftfwt_ T|$$o5t$$t=wtE|$D$T]nt$$nČ[^_UHE][u}uR*ED$l8<$muURT$$1n$muE1D$R$nU ED$E<$ED$T$ D$t$qmuED$ED$R${nEtEUEtMtU$ND$E$_Ƌ*N4$D$p_tBN4$D$D$P_tJND$E$7_tYBD$M4$D$_ƋMD$N$^FNt$D$ T$$^D]u}US[D$XMD$E$^[UWVS[D$4$ Y4$XEut$$YYEED$t$$tYftET$D$>$YME$xYE$EYD$ED$W$WƋE$HYE$X1]u}U][uu}4$=D$W4$Ǎ=D$Wt$d>D$4$UWEtED$D$ $W<$D$D$Ɖ$vY4$tXttHED$t$Xt$XED$ |$D$V$W1]u}U8uu][}u<D$5$W14$D$ W4$EEUƅE EUD$D$ UD$U$UEt><D$E|$$U<$CV<D$ED$$D}t'ED$<D$E$UE$UE]u}UUU]E[D$uD$ rT$UƉD$E D$E$:U4$U]uUSM[U }t>T:TU ME[TUTU(E D$E$TtED$D$ $TEEUE D$E$T1҅t $SUWVS[EMEMċlEEMD$EEMȉ$zVEME}Mu$T$|$ t$kUu7MEMEEUD$pET$ D$E$V1E؉E܋lED$E$UEȉEƉMỦE.wE.EM.MvBM^MYM(\EMY2XE$UMM]JE.Ev?M^YM(\EMY2XE$TMM]tED$D$E$UxED$E$T|ED$T$$TE.Ev.\EEY2$5TM]XMME.Ev.\EEY2$SM]XMMĉ}UuEUEEMEMȋE$MED$,E MMED$(EMMEԉD$EMEẺD$EED$ ED$$ED$ED$ ED$ED$ED$E$SČ[^_U8]E[Uu}D$T$ YBD$E$lSABT$$ZSƉ׉U܋U܉E؋E؉T$ UD$]B$D$-S]}}uUEuUWVSLE[UEԋEED$T$ AD$Eԉ$RAD$Eԉ$R_AT$$RWEE܉EmA4$D$RUW.E܉EM\v.w<}u+E܍O/(TT.wW.vM.v U܉EcAD$E$Rtu"EAE EԉEL[^_QL[^_UWVS[@D$E$Q,@T$$Q0@4$D$Q$ET$UD$T$ Pu0@<$D$aQu[^_U8][}}uu<$@D$$Qu'q@U$u|$E䋃!@D$P‹]Ћu}c8@0:4c12@0:4@8@16@0:4@8@12v12@0:4c8v8@0:4v40@0:4@8@12@16@20i24c28@32@36v36@0:4@8@12@16@20i24c28@32O@8@0:4Vv12@0:4O@8launchGrowlIfInstalled_launchGrowlIfInstalledWithRegistrationDictionary:_growlIsReady:growlProxyconnectionDidDie:growlNotificationTimedOut:growlNotificationWasClicked:_applicationIconDataForGrowlSearchingRegistrationDictionary:_applicationNameForGrowlSearchingRegistrationDictionary:frameworkInfoDictionarynotificationDictionaryByFillingInDictionary:registrationDictionaryByFillingInDictionary:restrictToKeys:registrationDictionaryByFillingInDictionary:bestRegistrationDictionaryregistrationDictionaryFromBundle:registrationDictionaryFromDelegatewillRegisterWhenGrowlIsReadysetWillRegisterWhenGrowlIsReady:reregisterGrowlNotificationsregisterWithDictionary:displayInstallationPromptIfNeededisGrowlRunningisGrowlInstallednotifyWithDictionary:notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:identifier:notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:growlDelegatesetGrowlDelegate:bytesdataUsingEncoding:absoluteStringfileExistsAtPath:defaultManagerwriteToFile:atomically:dataFromPropertyList:format:errorDescription:stringByAppendingPathComponent:substringToIndex:lengthstringByAppendingPathExtension:stringWithFormat:isEqualToString:fileURLWithPath:runningHelperAppBundlepostNotificationName:object:userInfo:growlIsReadysetProtocolForProxy:registerApplicationWithDictionary:rootProxyconnectionWithRegisteredName:host:objectdrainuserInfoapplicationIconDataForGrowlapplicationIconForGrowlprocessNameapplicationNameForGrowlinitWithInt:removeObjectForKey:dictionaryWithContentsOfFile:pathForResource:ofType:mainBundleregistrationDictionaryForGrowlgrowlPrefPaneBundlepostNotificationName:object:userInfo:deliverImmediately:setObject:forKey:TIFFRepresentationmutableCopyisKindOfClass:classpostNotificationWithDictionary:initWithObjectsAndKeys:removeObserver:name:object:respondsToSelector:initWithFormat:allocprocessIdentifierprocessInfoaddObserver:selector:name:object:retaindefaultCentergrowlVersionGrowlApplicationBridgeGrowlNotificationProtocolNSDistributedNotificationCenterNSProcessInfoNSStringNSMutableDictionaryNSExceptionNSImageNSBundleNSNumberNSAutoreleasePoolNSNotificationCenterNSConnectionNSURLNSPropertyListSerializationGrowlApplicationBridge: Cannot register because the application name was not supplied and could not be determinedLend Me Some Sugar; I Am Your Neighbor!GrowlClicked!%@-%d-%@GrowlTimedOut!NotificationNameNotificationClickContextNotificationStickyGrowlNotificationIdentifierGrowlApplicationBridge: exception while sending notification: %@NotificationAppIconGrowlNotificationgrowlRegDictGrowl Registration TicketGrowlApplicationBridge: The bundle at %@ contains a registration dictionary, but it is not a valid property list. Please tell this application's developer.GrowlApplicationBridge: The Growl delegate did not supply a registration dictionary, and the app bundle at %@ does not have one. Please tell this application's developer.AllNotificationscom.growl.growlframeworkGrowlApplicationBridgePathwayReceived a fake GrowlApplicationBridgePathway object. Some other application is interfering with Growl, or something went horribly wrong. Please file a bug report.appGrowlHelperApp%@-%u-%@GrowlApplicationBridge: Error writing registration dictionary at %@GrowlApplicationBridge: Error writing registration dictionary at %@: %@GrowlApplicationBridge: Registration dictionary follows %@%@: Could not create open-document event to register this application with Growl%@: Could not set direct object of open-document event to register this application with Growl because AEStreamWriteKeyDesc returned %li/%s%@: Could not finish open-document event to register this application with Growl because AEStreamClose returned %li/%s%@: Could not send open-document event to register this application with Growl because AESend returned %li/%sGrowlApplicationBridge: Delegate did not supply a registration dictionary, and the app bundle at %@ does not have oneGrowlApplicationBridge: Got error reading property list at %@: %@GrowlApplicationBridge: Delegate did not supply a registration dictionary, and it could not be loaded from %@GrowlApplicationBridge: Registration dictionary file at %@ didn't contain a dictionary (dictionary type ID is '%@' whereas the file contained '%@'); description of object follows %@ApplicationNameApplicationIconAppLocationfile-dataDefaultNotificationsApplicationIdcom.Growl.GrowlHelperAppprefPanecom.growl.prefpanelCallbackContextGrowlApplicationBridge: Could not find the temporary directory path, therefore cannot register.%@/.GrowlApplicationBridge: Error writing registration dictionary to URL %@: %@ClickedContextApplicationPIDGrowlApplicationBridge: Growl_PostNotification called with a NULL notificationGrowlApplicationBridge: Growl_PostNotification called, but no delegate is in effect to supply an application name - either set a delegate, or use Growl_PostNotificationWithDictionary insteadGrowlApplicationBridge: Growl_PostNotification called, but no application name was found in the delegateNotificationTitleNotificationDescriptionNotificationPriorityNotificationIconGrowlApplicationBridge: Growl_SetDelegate called, but no application name was found in the delegaterbin copyCurrentProcessName in CFGrowlAdditions: Could not get process name because CopyProcessName returned %liin copyCurrentProcessURL in CFGrowlAdditions: Could not get application location, because GetProcessBundleLocation returned %li in copyTemporaryFolderPath in CFGrowlAdditions: Could not locate temporary folder because FSFindFolder returned %lir%s:%dIPv4 un-ntopable[%s]:%dIPv6 un-ntopableneither IPv6 nor IPv4in copyIconDataForURL in CFGrowlAdditions: could not get icon for %@: GetIconRefFromFileInfo returned %li in copyIconDataForURL in CFGrowlAdditions: could not get icon for %@: IconRefToIconFamily returned %li in createURLByMakingDirectoryAtURLWithName in CFGrowlAdditions: parent directory URL is NULL (please tell the Growl developers) in createURLByMakingDirectoryAtURLWithName in CFGrowlAdditions: name of directory to create is NULL (please tell the Growl developers) in createURLByMakingDirectoryAtURLWithName in CFGrowlAdditions: could not create FSRef for parent directory at %@ (please tell the Growl developers) PBCreateDirectoryUnicodeSync or PBMakeFSRefUnicodeSync returned %li; calling CFURLCreateFromFSRefCFURLCreateFromFSRef returned %@in createURLByMakingDirectoryAtURLWithName in CFGrowlAdditions: could not create directory '%@' in parent directory at %@: FSCreateDirectoryUnicode returned %li (please tell the Growl developers)(could not get path for source file: FSRefMakePath returned %li)in copyFork in CFGrowlAdditions: PBOpenForkSync (source: %s) returned %liin copyFork in CFGrowlAdditions: PBGetCatalogInfoSync (source: %s) returned %liPBMakeFSRefUnicodeSync(could not get path for destination directory: FSRefMakePath returned %li)(could not get filename for destination file: CFStringCreateWithCharactersNoCopy returned NULL)in copyFork in CFGrowlAdditions: %s (destination: %s/%@) returned %liPBCreateFileUnicodeSyncin copyFork in CFGrowlAdditions: PBOpenForkSync (dest) returned %li(could not get path for dest file: FSRefMakePath returned %li)in copyFork in CFGrowlAdditions: PBOpenForkSync (destination: %s) returned %liin copyFork in CFGrowlAdditions: PBReadForkSync (source: %s) returned %liin copyFork in CFGrowlAdditions: PBWriteForkSync (destination: %s) returned %liin copyFork in CFGrowlAdditions: PBCloseForkSync (destination: %s) returned %liin copyFork in CFGrowlAdditions: PBCloseForkSync (source: %s) returned %liin createURLByCopyingFileFromURLToDirectoryURL in CFGrowlAdditions: CFURLGetFSRef failed with source URL %@in createURLByCopyingFileFromURLToDirectoryURL in CFGrowlAdditions: CFURLGetFSRef failed with destination URL %@PBIterateForksSync returned %liin GrowlCopyObjectSync in CFGrowlAdditions: PBIterateForksSync returned %liin createURLByCopyingFileFromURLToDirectoryURL in CFGrowlAdditions: CopyObjectSync returned %li for source URL %@in createPropertyListFromURL in CFGrowlAdditions: cannot read from a NULL URLin createPropertyListFromURL in CFGrowlAdditions: could not create stream for reading from URL %@in createPropertyListFromURL in CFGrowlAdditions: could not open stream for reading from URL %@in createPropertyListFromURL in CFGrowlAdditions: could not read property list from URL %@ (error string: %@)@"NSDictionary"@"NSString"@"NSData"v12@0:4@8@8@0:4registrationDictionarysetApplicationIconDataForGrowl:setApplicationNameForGrowl:deallocinitWithAllNotifications:defaultNotifications:releaseinitGrowlDelegateGrowlApplicationBridgeDelegateNSDictionary@12@0:4@8@16@0:4i8I12@20@0:4i8I12c16defaultSavePathForTicketWithApplicationName:nextScreenshotNameInDirectory:nextScreenshotNameticketsDirectoryscreenshotsDirectorygrowlSupportDirectorysearchPathForDirectory:inDomains:searchPathForDirectory:inDomains:mustBeWritable:helperAppBundlebundleForProcessWithBundleIdentifier:autoreleasecontainsObject:stringByDeletingPathExtensioninitWithCapacity:directoryContentsAtPath:createDirectoryAtPath:attributes:objectAtIndex:fileExistsAtPath:isDirectory:addObject:isWritableFileAtPath:arrayWithCapacity:countskipDescendentsenumeratorAtPath:compare:options:bundleIdentifiernextObjectlowercaseStringpathExtensionstringByDeletingLastPathComponentbundlePathbundleWithIdentifier:bundleWithPath:objectForKey:GrowlPathUtilitiesNSFileManagerNSMutableArrayNSMutableSet+[GrowlPathUtilities bundleForProcessWithBundleIdentifier:]BundlePathCouldn't get information about process %lu,%lu: GetProcessInformation returned %i/%s%s: GetNextProcess returned %i/%sprefpanePreferencePanesGrowl.prefPaneScreenshotsTicketsPluginsERROR: GrowlPathUtil was asked for directory 0x%x, but it doesn't know what directory that is. Please tell the Growl developers.Application Support/GrowlScreenshot %llugrowlTicketWARNING: createFileURLWithAliasData called with NULL aliasDatain createFileURLWithAliasData: Could not allocate an alias handle from %u bytes of alias data (data follows) because PtrToHand returned %li %@in createFileURLWithAliasData: Could not resolve alias (alias data follows) because FSResolveAlias returned %li - will try path %@in createFileURLWithAliasData: FSCopyAliasInfo returned a NULL pathfilein createAliasDataForURL: FSNewAlias for %@ returned %li_CFURLString_CFURLAliasData_CFURLStringTypein createDockDescriptionWithURL: Cannot copy Dock description for a NULL URL@16@0:4{_NSSize=ff}8{_NSSize=ff}16@0:4{_NSSize=ff}8v32@0:4{_NSRect={_NSPoint=ff}{_NSSize=ff}}8I24f28replacementObjectForPortCoder:representationOfSize:bestRepresentationForSize:adjustSizeToDrawAtSize:drawScaledInRect:operation:fraction:isBycopybestRepresentationForDevice:objectEnumeratorrepresentationssetSize:drawInRect:fromRect:operation:fraction:setImageInterpolation:currentContextsetScalesWhenResized:sizeGrowlImageAdditionsNSGraphicsContextNSObject?444 q' ŒˌڌЗ8@y ȍd ” ̔ $@`Щ $ChG:P@̑vDmu,Apm (1<_СKpNd$hcLn@s͙ՙjhgКTܛta؜ IPOdEğCHNIO4OJԡk@pԢK qMaH_mܩT4!W` 7G T>$C8- :J\L ۂ8X03yI@d||̈́;ԊȊpgXJ48/Dt\> d'ވˆU{XC6mևćh8܆ֆ3dߨϨʮĨ}wdNC% ϦڧƧXdB3I3ۮhӋ RzlLvr`@R0 0R0l.sF.;>,JH*U>+*g>~)>(040$(H'40%d!0e!̈́H 0 H/lLmRsƅlՅl>/`HĆ> \0}v0tHtHsϦHrHWq=q JnQHmHHiHid0]g0СССС h,h>fˆHf>xfHmfHbfePeO(ˆ4 ]  0@P`pа 0@P`pб 0@P`pв 0@P`pг 0@P`pд 0@P`pе 0@P`pж 0@P`h (,048<@DHLPTX\`dhlptx|  $(,048<@DHLPTX\`dhlptx|  $(,048<@DHLPTX\`dhlptx|   $(`dh|(,048<@DHLPTX\`dhlptx|  $(,048<@DHLPTX\`dhlpt $ 0HLX\hlx|     $(,048DHPT\`hlp  6^/Iy ;Rr! ] e!!/%v'$((2~)g+**,.F._4;=XE&EBuNQZ[Peebfmf xf:fgf]giHi+mQnqWqr' sN tw t }v |4!l!@!y!"8"hJ"lY"pf"to"x"|""""""#$#A#R#4 \ { 55E!FZ ;7`5A$;oF,Kp.IHK\LpLq55<QIQaRyQRkW#V_SRoT-xVz7YO_v{5yU(cTPP)HdVaW`|||S{{|{ C]{)BbKe|    !  2  J  ]  t         +  D  R  d         %  @  _  u            @  j         <  O  k  }         ! B f   A   A 8 Q m ~     - < ^ l     (7Ol|.<Ch~(9[fv   - A S d t    !9Oe  ( 8 H X h x     Ȱ ذ     ( 8 H X h x     ȱ ر     ( 8 H X h x     Ȳ ز     ( 8 H X h x     ȳ س     ( 8 H X h x     ȴ ش     ( 8 H X h x     ȵ ص     ( 8 H X h x     ȶ ض     ( 8 H X $'&%! "#@@@@@@@@     @()*+,-@./0123456MNOPQRSTUVWXYZ[\]^_`abcdefghijklmnopqrstuvwxyz{|}~M3Mv@@MNOPQRSTUVWXYZ[\]^_`abcdefghijklmnopqrstuvwxyz{|}~      !"#$%&'()*+,-./0123456.objc_category_name_NSImage_GrowlImageAdditions.objc_class_name_GrowlApplicationBridge.objc_class_name_GrowlDelegate.objc_class_name_GrowlPathUtilities_Growl_CopyRegistrationDictionaryFromBundle_Growl_CopyRegistrationDictionaryFromDelegate_Growl_CreateBestRegistrationDictionary_Growl_CreateNotificationDictionaryByFillingInDictionary_Growl_CreateRegistrationDictionaryByFillingInDictionary_Growl_CreateRegistrationDictionaryByFillingInDictionaryRestrictedToKeys_Growl_GetDelegate_Growl_IsInstalled_Growl_IsRunning_Growl_LaunchIfInstalled_Growl_NotifyWithTitleDescriptionNameIconPriorityStickyClickContext_Growl_PostNotification_Growl_PostNotificationWithDictionary_Growl_RegisterWithDictionary_Growl_Reregister_Growl_SetDelegate_Growl_SetWillRegisterWhenGrowlIsReady_Growl_WillRegisterWhenGrowlIsReady_copyCString_copyCurrentProcessName_copyCurrentProcessPath_copyCurrentProcessURL_copyIconDataForPath_copyIconDataForURL_copyTemporaryFolderPath_copyTemporaryFolderURL_copyURLForApplication_createAliasDataWithURL_createDockDescriptionWithURL_createFileSystemRepresentationOfString_createFileURLWithAliasData_createFileURLWithDockDescription_createHostNameForAddressData_createPropertyListFromURL_createStringWithAddressData_createStringWithContentsOfFile_createStringWithDate_createStringWithStringAndCharacterAndString_createURLByCopyingFileFromURLToDirectoryURL_createURLByMakingDirectoryAtURLWithName_getBooleanForKey_getIntegerForKey_getObjectForKey_readFile_setBooleanForKey_setIntegerForKey_setObjectForKey.objc_class_name_NSAutoreleasePool.objc_class_name_NSBundle.objc_class_name_NSConnection.objc_class_name_NSDictionary.objc_class_name_NSDistributedNotificationCenter.objc_class_name_NSException.objc_class_name_NSFileManager.objc_class_name_NSGraphicsContext.objc_class_name_NSImage.objc_class_name_NSMutableArray.objc_class_name_NSMutableDictionary.objc_class_name_NSMutableSet.objc_class_name_NSNotificationCenter.objc_class_name_NSNumber.objc_class_name_NSObject.objc_class_name_NSProcessInfo.objc_class_name_NSPropertyListSerialization.objc_class_name_NSString.objc_class_name_NSURL_AEDisposeDesc_AESendMessage_AEStreamClose_AEStreamCreateEvent_AEStreamWriteKeyDesc_CFArrayAppendArray_CFArrayAppendValue_CFArrayCreate_CFArrayCreateMutable_CFArrayGetCount_CFArrayGetValueAtIndex_CFBooleanGetValue_CFBundleCopyBundleURL_CFBundleCopyResourceURL_CFBundleCreate_CFBundleCreateBundlesFromDirectory_CFBundleGetBundleWithIdentifier_CFBundleGetIdentifier_CFBundleGetInfoDictionary_CFBundleGetMainBundle_CFCopyTypeIDDescription_CFDataCreate_CFDataCreateCopy_CFDataCreateWithBytesNoCopy_CFDataGetBytePtr_CFDataGetLength_CFDateFormatterCreate_CFDateFormatterCreateStringWithDate_CFDictionaryContainsKey_CFDictionaryCreate_CFDictionaryCreateCopy_CFDictionaryCreateMutable_CFDictionaryCreateMutableCopy_CFDictionaryGetCount_CFDictionaryGetTypeID_CFDictionaryGetValue_CFDictionaryRemoveValue_CFDictionarySetValue_CFEqual_CFGetAllocator_CFGetTypeID_CFLocaleCopyCurrent_CFMakeCollectable_CFNotificationCenterAddObserver_CFNotificationCenterGetDistributedCenter_CFNotificationCenterPostNotification_CFNotificationCenterRemoveEveryObserver_CFNotificationCenterRemoveObserver_CFNumberCreate_CFNumberGetValue_CFPropertyListCreateFromStream_CFPropertyListWriteToStream_CFReadStreamClose_CFReadStreamCreateWithFile_CFReadStreamOpen_CFRelease_CFRetain_CFSetContainsValue_CFStringCompare_CFStringCreateByCombiningStrings_CFStringCreateCopy_CFStringCreateWithBytes_CFStringCreateWithCString_CFStringCreateWithCStringNoCopy_CFStringCreateWithCharactersNoCopy_CFStringCreateWithFormat_CFStringGetCString_CFStringGetCharacters_CFStringGetFileSystemRepresentation_CFStringGetLength_CFStringGetMaximumSizeForEncoding_CFStringGetMaximumSizeOfFileSystemRepresentation_CFURLCopyFileSystemPath_CFURLCopyLastPathComponent_CFURLCopyScheme_CFURLCreateCopyAppendingPathComponent_CFURLCreateCopyDeletingLastPathComponent_CFURLCreateFromFSRef_CFURLCreateFromFileSystemRepresentation_CFURLCreateWithFileSystemPath_CFURLGetFSRef_CFURLGetFileSystemRepresentation_CFUUIDCreate_CFUUIDCreateString_CFWriteStreamClose_CFWriteStreamCreateWithFile_CFWriteStreamOpen_CopyProcessName_DisposeHandle_FNNotify_FSCopyAliasInfo_FSFindFolder_FSNewAlias_FSRefMakePath_GetHandleSize_GetIconRefFromFileInfo_GetMacOSStatusCommentString_GetNextProcess_GetProcessBundleLocation_GetProcessInformation_GetProcessPID_HLock_HUnlock_IconRefToIconFamily_LSFindApplicationForInfo_LSOpenFromURLSpec_NSConnectionDidDieNotification_NSEqualSizes_NSLog_NSSearchPathForDirectoriesInDomains_NSTemporaryDirectory_PBCloseForkSync_PBCreateDirectoryUnicodeSync_PBCreateFileUnicodeSync_PBGetCatalogInfoSync_PBIterateForksSync_PBMakeFSRefUnicodeSync_PBOpenForkSync_PBReadForkSync_PBWriteForkSync_ProcessInformationCopyDictionary_PtrToHand_ReleaseIconRef___CFConstantStringClassReference__setjmp_calloc_ceilf_close_fclose_floorf_fopen_fread_free_fseek_fstat_ftell_getcwd_getnameinfo_getpid_inet_ntop_kCFAllocatorDefault_kCFAllocatorMalloc_kCFAllocatorNull_kCFBooleanFalse_kCFBooleanTrue_kCFBundleIdentifierKey_kCFTypeArrayCallBacks_kCFTypeDictionaryKeyCallBacks_kCFTypeDictionaryValueCallBacks_malloc_memcpy_memset_objc_assign_global_objc_assign_ivar_objc_exception_extract_objc_exception_match_objc_exception_throw_objc_exception_try_enter_objc_exception_try_exit_objc_msgSend_objc_msgSendSuper_open_snprintf_strlensingle module__mh_dylib_headerdyld_stub_binding_helper+[GrowlApplicationBridge setGrowlDelegate:]+[GrowlApplicationBridge growlDelegate]+[GrowlApplicationBridge notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:]+[GrowlApplicationBridge notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:identifier:]+[GrowlApplicationBridge notifyWithDictionary:]+[GrowlApplicationBridge isGrowlInstalled]+[GrowlApplicationBridge isGrowlRunning]+[GrowlApplicationBridge displayInstallationPromptIfNeeded]+[GrowlApplicationBridge registerWithDictionary:]+[GrowlApplicationBridge reregisterGrowlNotifications]+[GrowlApplicationBridge setWillRegisterWhenGrowlIsReady:]+[GrowlApplicationBridge willRegisterWhenGrowlIsReady]+[GrowlApplicationBridge registrationDictionaryFromDelegate]+[GrowlApplicationBridge registrationDictionaryFromBundle:]+[GrowlApplicationBridge bestRegistrationDictionary]+[GrowlApplicationBridge registrationDictionaryByFillingInDictionary:]+[GrowlApplicationBridge registrationDictionaryByFillingInDictionary:restrictToKeys:]+[GrowlApplicationBridge notificationDictionaryByFillingInDictionary:]+[GrowlApplicationBridge frameworkInfoDictionary]+[GrowlApplicationBridge _applicationNameForGrowlSearchingRegistrationDictionary:]+[GrowlApplicationBridge growlNotificationWasClicked:]+[GrowlApplicationBridge growlNotificationTimedOut:]+[GrowlApplicationBridge connectionDidDie:]+[GrowlApplicationBridge growlProxy]+[GrowlApplicationBridge _growlIsReady:]+[GrowlApplicationBridge launchGrowlIfInstalled]+[GrowlApplicationBridge _launchGrowlIfInstalledWithRegistrationDictionary:]+[GrowlApplicationBridge _applicationIconDataForGrowlSearchingRegistrationDictionary:]__copyAllPreferencePaneBundles__launchGrowlIfInstalledWithRegistrationDictionary__growlNotificationWasClicked__growlNotificationTimedOut__growlIsReady_copyFork-[GrowlDelegate initWithAllNotifications:defaultNotifications:]-[GrowlDelegate dealloc]-[GrowlDelegate registrationDictionaryForGrowl]-[GrowlDelegate applicationNameForGrowl]-[GrowlDelegate setApplicationNameForGrowl:]-[GrowlDelegate applicationIconDataForGrowl]-[GrowlDelegate setApplicationIconDataForGrowl:]+[GrowlPathUtilities bundleForProcessWithBundleIdentifier:]+[GrowlPathUtilities runningHelperAppBundle]+[GrowlPathUtilities growlPrefPaneBundle]+[GrowlPathUtilities helperAppBundle]+[GrowlPathUtilities searchPathForDirectory:inDomains:mustBeWritable:]+[GrowlPathUtilities searchPathForDirectory:inDomains:]+[GrowlPathUtilities growlSupportDirectory]+[GrowlPathUtilities screenshotsDirectory]+[GrowlPathUtilities ticketsDirectory]+[GrowlPathUtilities nextScreenshotName]+[GrowlPathUtilities nextScreenshotNameInDirectory:]+[GrowlPathUtilities defaultSavePathForTicketWithApplicationName:]-[NSImage(GrowlImageAdditions) drawScaledInRect:operation:fraction:]-[NSImage(GrowlImageAdditions) adjustSizeToDrawAtSize:]-[NSImage(GrowlImageAdditions) bestRepresentationForSize:]-[NSImage(GrowlImageAdditions) representationOfSize:]-[NSImage(GrowlImageAdditions) replacementObjectForPortCoder:]___PRETTY_FUNCTION__.111908dyld__mach_header_growlLaunched_appIconData_appName_cachedRegistrationDictionary_delegate_registerWhenGrowlIsReady_growlProxy_targetsToNotifyArray_delegate_registerWhenGrowlIsReady_growlLaunched_cachedRegistrationDictionary_registeredForClickCallbacks_helperAppBundle_prefPaneBundle XH__TEXT__text__TEXTf__picsymbolstub1__TEXT~~ __cstring__TEXT.__const__TEXTD__DATA__dyld__DATA__la_symbol_ptr__DATA`__nl_symbol_ptr__DATAh,h0__const__DATA”0”__cfstring__DATA`__data__DATA$$__bss__DATA(8__OBJC__cat_inst_meth__OBJC`__message_refs__OBJC``__cls_refs__OBJC4T4__class__OBJC҈҈__meta_class__OBJC__cls_meth__OBJCӨӨ__protocol__OBJC՘(՘__module_info__OBJC@__symbols__OBJC@__cat_cls_meth__OBJC@@__inst_meth__OBJCP\P__instance_vars__OBJC֬(֬__category__OBJC__image_info__OBJC8__LINKEDITTT X@executable_path/../Frameworks/Growl.framework/Versions/A/Growl}-|W&}]A# PXX3 h3  4|;vx 4/usr/lib/libobjc.A.dylib libobjc p"/System/Library/Frameworks/ApplicationServices.framework/Versions/A/ApplicationServices X/System/Library/Frameworks/Carbon.framework/Versions/A/Carbon X.-/System/Library/Frameworks/AppKit.framework/Versions/C/AppKit `,/System/Library/Frameworks/Foundation.framework/Versions/C/Foundation 4/usr/lib/libgcc_s.1.dylib 4o/usr/lib/libSystem.B.dylib d /System/Library/Frameworks/CoreServices.framework/Versions/A/CoreServices h/System/Library/Frameworks/CoreFoundation.framework/Versions/A/CoreFoundation|B}|}cx= }| x=DN |<|~x|+x;0!K|yxv0A,>?\K`xKxHwH >?>\?_w,;,?;(K<xdK`KxHwhz(K<,lxK`KxHwm(/@(8!<<8c8̺|Hr?h>}$;$>_>>?>?K<,pxK`KxHv<xƸt<x89#xK<<|chK<K||xrdK<_ڲ(;=9xxK|}xv0K/A$۸#xxxx9KH <#xxx8K\x?KrdK=ڲ(xx9 K|}xv0K/A$x#xx۸x9KH <#xxx8K\xK<,xK8!<_b |N ;xxK/@X?_ ; /@0<ex#xPK<DKxHlm <xxKA,?_?x8K/A>H?;xxK/@`?_;/@8<ex#xTK<DKxHk̀/A<xxKA,?_?x8 K/A>H?;} xexK/@H-E|xy &AHQu|zyAp<<>hc,K<<Ex88ơ0K@|}xCxK<xfxxK@xKH<exx>K8 @ 8`H xH^I@KA,?_?x8@K/Ah>H?;@xxK/@8<x8PK,A<|exxxKA,?_?x8`K/AP>H?;`xxK/@(?HZHZEx|exxxK8!p<x؁aL|}p K8!p8`؁a|}p N |<!䀄}cx?|zx|+x!K<_;0|~xxK/@d?<;;>xsLhK/A<_;!?BxHX|}xx?xHX|zxx?HU9<|~x~xpK|{xH_5<|gxfxHxxx8$K<_t;bexK||xCxHTՀxxK+@8x?cx|K xxKtexK||xH[I<xKx|~xK+@8x?cx|K xxKtexK|~x<<~xcH888K/A4<x8K/@L<x8c4HZ]H88<x8cDHZE<~x8cTHZ5<a8tK<<cDK<xK/A sLx;hK|~xH ;;<`ae<_<8BĀ焨8@b8\89ia@D\`HB|~yA}txH?xHF/;AH|~y@<<8c8DHLeHd<_BbcxHI-|dx|}xcxHI=||xxHE<_=?<_9)d8BT8\8A`<_cx8B$x!hAl\dH?i|}xxHE]<x8tcxHE||xxHE=88xcxHH)a8xHE8cxHH|~xHH88#xx8<|}xa8HD<8@8` 8aHAXTAPHLHJ ~xHDE/A xHD5CxHD-H;8!x؁a|}p N |ABU|~xxHCi/ALxH>/A<88`HC/AxHC1HxHCE|~xH;I8!Px|N 8!P|N |B|;x!<_a<_x;}xH:/@<_/A$ /AY|bH9|}y@PY|xCxH;|dxxH9|}y@(H |{yA4H|}xcxH=/AxxxH;yxH=CxH=<x8|H:9/A\<_x;~,xH:/@@HGY|8 a888bH /^d!pA|AhalAtaxA/@ahH/AAlp/@<_8B}@ApyDA| !"|I /A(T:88<_})8Bz8I ,^/A$T:888})I,<_8Bz`I~$/A$T:88<_})8Bz8i,IXyl<=yt~x8dypbH7=|}xKYxH:mCxH:ecxH:]8!Ѐ|N |}8@9`Q8(!a@8a88a\<DHLAP!TaXKU8!|N /|B!A8KHK?|~x}~/AH9xH988}~xK|}xxH9y8!Px|N 8`Kt|BA|}x!?[}AT/A (/A|Cx| x| N!/A$$/Ax| x| N!|}x}{}/A0/@@c/A<8wH6-|~y@ <<8cvx8zXH?8`H<<_?Bv$;vHB=|gxx9v8xxH9|zxHBi=|gxxxx9v8H9i}||x/Ad?~/@H6<Fx8D89|#x|}xH6e<x8x8|#x9H6E8~HL?~/A|}yA88H>MxH>88|~xxH>1xH? ||yAD8xxH=@,<_xxBqFx8bH5)|~xH;xH=5cxH=8!`xA|N |A|#x|zx!H5dxH58;xH<xfx|}xCxxH5I8!`xA|N |B;!<_9"nBn 888a<8A<@H7|dyA<8ctH98a88!`|N |B!P<_9"mBm ;@8a8xA8 xA$H+|xxxH-|{x.@Hl.A|#xH+i|xxH<_Bj8;@xH7xH95x8|exxH0|{x@|}xH<8;8cotH3}H/AxH- |zxH0cxH/dx|zxxH/i|`xcx.|xH,-@<dx;8coH3H4:cx~xH//@<dx;8coH2HCxH.88@``BACxH-|bx;*|Ex8xCx8;>@T]>8^ x:~óxH5y<_9b@8888~>~H5E~óxH2=|}yAP;~x8dxH/A,A<|fx88ScxH6A<dxx8cm4H0Hd8~888HH4/88^X8^\T@;a@`x8~8|H1=.|}xAP;~x8dxH.,A<|fx88ScxH5<dxx8cmDH0)H`^T8;`:8~8[xd^`tH0|}yA/A<_:T;Cx8xH. ,A<|fx88TxH5 <_=?Bgx)hbIcxFxH*.||x@$<cxFx8U(8H)||x.<~xx8cmTxxH/5A xH(.@\H$8~8H/|}y@ Cx88H,/@H(/A<_:UK~cx~x8PH2;~,88\cxH2٠8@cx^GplHH/.|}x<8cmdxH.AP;~x8xH,,A<|fx88V,xH3<xx8cmtH.5Hl<`PH2 ||yA<PL;^~óxH/E/|}x@/@\;H/AH~xDx8H, ,A<|fx88SCxH3 <Dxx8cmH`cxPH.|}yAx;^~x8DxH+,A<|fx88V,CxH2<Dxx8cmH-9xH0cxH-||yAL;~~x8dxH+M,A<|fx88V,cxH2M<dxx8cmH,.@ .x~óxH-!||yAL;~8~8dxH*,A<|fx88ScxH1<dxx8cmH,q@x!xáa|}p N |B|#x|wx!@88;H(x|}xxH(/@<~x8chdH+8`H/@<x8chtH+8`H;!(88\#x;A?H/88AD;#xH,y|}x|dx8{hH+/A /wA`<x8chH+iH0Cx88x8xxK|}yA/wA$<x~x8chH+%8`H;<_xBbbH'E8!|N !|}y|B|#x|+x|3x!@<;8cgXH*H<_xBa4xH#||y@<x;8cghH*}HH#/@<x;8cgxH*YH|x8fxx8889<|T|:W#!0>Lb\;<;aD<:;@@xH$|}y@88<cxH*)xdx!DH$|~y@t@@x8H'Y|~yAH88x8H$xk$K<~xkK/A8k$8_dxK|eyA <<clkKAt|vx<xjKK(<x@H#x|gx<x8cc4;xH%H /A(xH#<x|fx<8T08ccDH$8!~óxA|N <<jP8\K|?}cx|}x9>cc!p/@<><K<iKjDKjD||xKjDKjH|}xxKjLK<_j;baexK/A,<ujxj8K~DxH(c/@`jHxKjLKjexK/A,<ujxj8K~DxH'c/@<<?_j ?cjK88`|vx8`H#UjP|{xK||xjTxK/A?<j8aKj<8_K<j$|}x~óxxK/A<ujxj8K|}yA<jXK/A|<~x8j\K/@`x~DxH&cHjPcx>?==>K<_|wxA8HЀj8aK<j`|yx~óx%xK|zxHjHKj8^xK/Atjex#xjj8K|exxxK|}yA4A8jXK/A <~x8j\K/A<CxjdKjTCxK|{y@djT~xK/@$88!|x|N |?}cx;__!/@t<f|KxH%I_/@T<<fcgK<<f<8Z 8ZK<|ex<fcg|KxH$8!P~_|N ||+x}cx|3x|;x8`!A|+x|3x8H u/|{xA<<??f<>??f?f@K|exxxK<|zx<ecfK<f$|~xcxK||xH,fDxxK/AfHxCxKf(xK|}y@[xH<`ALA$<Ax<;`8c]HiHX<`A<<`@H4>cf??>K8x8|~x8`8H<f?????_K_T|{x<ca@K<``||xcxKx|exxK<`t|~xcxK||xH ``K|exxxK`xxK/@;`;;?>>???__,cxK_Tva4K_X8X,xxK_|{xxexK/A3/@/@_,xK8!p<cxԀ_8|K|<a쀄_}cx|+x?!K<<^||x8Vcx^K8!`|exxxa|K|~y|B!@<;8cV(HH88H1|}xxHE88|exxH|}yA,x;H!xx|dx<8cV8HIHa8888<89(<_G!2H{*@=(<_G!2H*\\áa А<xӁӡ\XA\!PATY8a@8A}N |B}h=k|@p}N |B}h=k|>}N |B}h=k|>}N |B}h=k|>,}N |B}h=k|>\}N |B}h=k|>@}N |B}h=k|?}N |B}h=k|?}N |B}h=k|>}N |B}h=k|>4}N |B}h=k|>}N |B}h=k|?}N |B}h=k|>t}N |B}h=k|>}N |B}h=k|>}N |B}h=k|>}N |B}h=k|>}N |B}h=k|<}N |B}h=k|=}N |B}h=k|0}N |B}h=k|> }N |B}h=k|=}N |B}h=k|=}N |B}h=k|=d}N |B}h=k|=4}N |B}h=k|;}N |B}h=k|<4}N |B}h=k|<}N |B}h=k|;`}N |B}h=k|;}N |B}h=k|;}N |B}h=k|<}N |B}h=k|;}N |B}h=k|;}N |B}h=k|;}N |B}h=k|<<}N |B}h=k|;}N |B}h=k|:}N |B}h=k|9}N |B}h=k|:p}N |B}h=k|:L}N |B}h=k|; }N |B}h=k|9}N |B}h=k|9}N |B}h=k|:}N |B}h=k|9}N |B}h=k|9}N |B}h=k|:l}N |B}h=k|9}N |B}h=k|8l}N |B}h=k|8}N |B}h=k|9}N |B}h=k|8}N |B}h=k|9}N |B}h=k|7}N |B}h=k|9}N |B}h=k|7X}N |B}h=k|98}N |B}h=k|8}N |B}h=k|8}N |B}h=k|8}N |B}h=k|9}N |B}h=k|8P}N |B}h=k|6}N |B}h=k|6t}N |B}h=k|78}N |B}h=k|6}N |B}h=k|8}N |B}h=k|6}N |B}h=k|6}N |B}h=k|5}N |B}h=k|5|}N |B}h=k|6}N |B}h=k|6}N |B}h=k|5}N |B}h=k|5}N |B}h=k|5l}N |B}h=k|4}N |B}h=k|4}N |B}h=k|4}N |B}h=k|4}N |B}h=k|5}N |B}h=k|4}N |B}h=k|5h}N |B}h=k|4p}N |B}h=k|4}N |B}h=k|4}N |B}h=k|4T}N |B}h=k|4T}N |B}h=k|4(}N |B}h=k|4(}N |B}h=k|3}N |B}h=k|3}N |B}h=k|3}N |B}h=k|3}N |B}h=k|4}N |B}h=k|2}N |B}h=k|2X}N |B}h=k|3}N |B}h=k|2d}N |B}h=k|2}N |B}h=k|2p}N |B}h=k|1}N |B}h=k|2D}N |B}h=k|1}N |B}h=k|1}N |B}h=k|1T}N |B}h=k|1H}N |B}h=k|1}N |B}h=k|1 }N |B}h=k|0}N |B}h=k|0p}N |B}h=k|1|}N |B}h=k|0(}N |B}h=k|2}N |B}h=k|1}N |B}h=k|0}N |B}h=k|1$}N |B}h=k|1}N |B}h=k|0}N |B}h=k|0}N |B}h=k|0}N |B}h=k|0}N |B}h=k|/}N |B}h=k|/}N |B}h=k|/h}N |B}h=k|/}N |B}h=k|.}N c8@0:4c12@0:4@8v12@0:4@8@8@0:4@12@0:4@8@16@0:4@8@12v12@0:4c8v8@0:4v40@0:4@8@12@16@20i24c28@32@36v36@0:4@8@12@16@20i24c28@32O@8@0:4Vv12@0:4O@8launchGrowlIfInstalled_launchGrowlIfInstalledWithRegistrationDictionary:_growlIsReady:growlProxyconnectionDidDie:growlNotificationTimedOut:growlNotificationWasClicked:_applicationIconDataForGrowlSearchingRegistrationDictionary:_applicationNameForGrowlSearchingRegistrationDictionary:frameworkInfoDictionarynotificationDictionaryByFillingInDictionary:registrationDictionaryByFillingInDictionary:restrictToKeys:registrationDictionaryByFillingInDictionary:bestRegistrationDictionaryregistrationDictionaryFromBundle:registrationDictionaryFromDelegatewillRegisterWhenGrowlIsReadysetWillRegisterWhenGrowlIsReady:reregisterGrowlNotificationsregisterWithDictionary:displayInstallationPromptIfNeededisGrowlRunningisGrowlInstallednotifyWithDictionary:notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:identifier:notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:growlDelegatesetGrowlDelegate:bytesdataUsingEncoding:absoluteStringfileExistsAtPath:defaultManagerwriteToFile:atomically:dataFromPropertyList:format:errorDescription:stringByAppendingPathComponent:substringToIndex:lengthstringByAppendingPathExtension:stringWithFormat:isEqualToString:fileURLWithPath:runningHelperAppBundlepostNotificationName:object:userInfo:growlIsReadysetProtocolForProxy:registerApplicationWithDictionary:rootProxyconnectionWithRegisteredName:host:objectdrainuserInfoinitapplicationIconDataForGrowlapplicationIconForGrowlprocessNameapplicationNameForGrowlinitWithInt:removeObjectForKey:containsObject:bundlePathdictionaryWithContentsOfFile:pathForResource:ofType:mainBundleregistrationDictionaryForGrowlgrowlPrefPaneBundlepostNotificationName:object:userInfo:deliverImmediately:setObject:forKey:TIFFRepresentationmutableCopyisKindOfClass:objectForKey:classpostNotificationWithDictionary:initWithObjectsAndKeys:removeObserver:name:object:respondsToSelector:initWithFormat:allocprocessIdentifierprocessInfoaddObserver:selector:name:object:autoreleaseretainreleasedefaultCentergrowlVersionGrowlApplicationBridgeNSObjectGrowlNotificationProtocolNSDistributedNotificationCenterNSProcessInfoNSStringNSMutableDictionaryNSExceptionNSImageGrowlPathUtilitiesNSBundleNSDictionaryNSNumberNSAutoreleasePoolNSNotificationCenterNSConnectionNSURLNSPropertyListSerializationNSFileManager%@GrowlApplicationBridge: Cannot register because the application name was not supplied and could not be determinedLend Me Some Sugar; I Am Your Neighbor!%@-%d-%@GrowlClicked!GrowlTimedOut!NotificationNameNotificationTitleNotificationDescriptionNotificationIconNotificationClickContextNotificationPriorityNotificationStickyGrowlNotificationIdentifierGrowlApplicationBridge: exception while sending notification: %@NotificationAppIconGrowlNotificationcom.Growl.GrowlHelperAppGrowl Registration TicketgrowlRegDictGrowlApplicationBridge: The bundle at %@ contains a registration dictionary, but it is not a valid property list. Please tell this application's developer.GrowlApplicationBridge: The Growl delegate did not supply a registration dictionary, and the app bundle at %@ does not have one. Please tell this application's developer.ApplicationNameApplicationIconAppLocationfile-dataDefaultNotificationsAllNotificationsApplicationIdApplicationPIDcom.growl.growlframeworkClickedContextGrowlApplicationBridgePathwayReceived a fake GrowlApplicationBridgePathway object. Some other application is interfering with Growl, or something went horribly wrong. Please file a bug report.GrowlHelperAppappBundlePath%@-%u-%@GrowlApplicationBridge: Error writing registration dictionary at %@GrowlApplicationBridge: Error writing registration dictionary at %@: %@GrowlApplicationBridge: Registration dictionary follows %@%@: Could not create open-document event to register this application with Growl%@: Could not set direct object of open-document event to register this application with Growl because AEStreamWriteKeyDesc returned %li/%s%@: Could not finish open-document event to register this application with Growl because AEStreamClose returned %li/%s%@: Could not send open-document event to register this application with Growl because AESend returned %li/%sGrowlApplicationBridge: Delegate did not supply a registration dictionary, and the app bundle at %@ does not have oneGrowlApplicationBridge: Got error reading property list at %@: %@GrowlApplicationBridge: Delegate did not supply a registration dictionary, and it could not be loaded from %@GrowlApplicationBridge: Registration dictionary file at %@ didn't contain a dictionary (dictionary type ID is '%@' whereas the file contained '%@'); description of object follows %@prefPaneCallbackContextcom.growl.prefpanelGrowlApplicationBridge: Could not find the temporary directory path, therefore cannot register./.GrowlApplicationBridge: Error writing registration dictionary to URL %@: %@Growl.prefPaneGrowlApplicationBridge: Growl_PostNotification called with a NULL notificationGrowlApplicationBridge: Growl_PostNotification called, but no delegate is in effect to supply an application name - either set a delegate, or use Growl_PostNotificationWithDictionary insteadGrowlApplicationBridge: Growl_PostNotification called, but no application name was found in the delegateGrowlApplicationBridge: Growl_SetDelegate called, but no application name was found in the delegaterbin copyCurrentProcessName in CFGrowlAdditions: Could not get process name because CopyProcessName returned %liin copyCurrentProcessURL in CFGrowlAdditions: Could not get application location, because GetProcessBundleLocation returned %li in copyTemporaryFolderPath in CFGrowlAdditions: Could not locate temporary folder because FSFindFolder returned %lir%s:%dIPv4 un-ntopable[%s]:%dIPv6 un-ntopableneither IPv6 nor IPv4in copyIconDataForURL in CFGrowlAdditions: could not get icon for %@: GetIconRefFromFileInfo returned %li in copyIconDataForURL in CFGrowlAdditions: could not get icon for %@: IconRefToIconFamily returned %li in createURLByMakingDirectoryAtURLWithName in CFGrowlAdditions: parent directory URL is NULL (please tell the Growl developers) in createURLByMakingDirectoryAtURLWithName in CFGrowlAdditions: name of directory to create is NULL (please tell the Growl developers) in createURLByMakingDirectoryAtURLWithName in CFGrowlAdditions: could not create FSRef for parent directory at %@ (please tell the Growl developers) PBCreateDirectoryUnicodeSync or PBMakeFSRefUnicodeSync returned %li; calling CFURLCreateFromFSRefCFURLCreateFromFSRef returned %@in createURLByMakingDirectoryAtURLWithName in CFGrowlAdditions: could not create directory '%@' in parent directory at %@: FSCreateDirectoryUnicode returned %li (please tell the Growl developers)(could not get path for source file: FSRefMakePath returned %li)in copyFork in CFGrowlAdditions: PBOpenForkSync (source: %s) returned %liin copyFork in CFGrowlAdditions: PBGetCatalogInfoSync (source: %s) returned %liPBMakeFSRefUnicodeSync(could not get path for destination directory: FSRefMakePath returned %li)(could not get filename for destination file: CFStringCreateWithCharactersNoCopy returned NULL)in copyFork in CFGrowlAdditions: %s (destination: %s/%@) returned %liPBCreateFileUnicodeSyncin copyFork in CFGrowlAdditions: PBOpenForkSync (dest) returned %li(could not get path for dest file: FSRefMakePath returned %li)in copyFork in CFGrowlAdditions: PBOpenForkSync (destination: %s) returned %liin copyFork in CFGrowlAdditions: PBReadForkSync (source: %s) returned %liin copyFork in CFGrowlAdditions: PBWriteForkSync (destination: %s) returned %liin copyFork in CFGrowlAdditions: PBCloseForkSync (destination: %s) returned %liin copyFork in CFGrowlAdditions: PBCloseForkSync (source: %s) returned %liin createURLByCopyingFileFromURLToDirectoryURL in CFGrowlAdditions: CFURLGetFSRef failed with source URL %@in createURLByCopyingFileFromURLToDirectoryURL in CFGrowlAdditions: CFURLGetFSRef failed with destination URL %@PBIterateForksSync returned %liin GrowlCopyObjectSync in CFGrowlAdditions: PBIterateForksSync returned %liin createURLByCopyingFileFromURLToDirectoryURL in CFGrowlAdditions: CopyObjectSync returned %li for source URL %@in createPropertyListFromURL in CFGrowlAdditions: cannot read from a NULL URLin createPropertyListFromURL in CFGrowlAdditions: could not create stream for reading from URL %@in createPropertyListFromURL in CFGrowlAdditions: could not open stream for reading from URL %@in createPropertyListFromURL in CFGrowlAdditions: could not read property list from URL %@ (error string: %@)@"NSDictionary"@"NSString"@"NSData"registrationDictionarysetApplicationIconDataForGrowl:setApplicationNameForGrowl:deallocinitWithAllNotifications:defaultNotifications:GrowlDelegateGrowlApplicationBridgeDelegate@16@0:4i8I12@20@0:4i8I12c16defaultSavePathForTicketWithApplicationName:nextScreenshotNameInDirectory:nextScreenshotNameticketsDirectoryscreenshotsDirectorygrowlSupportDirectorysearchPathForDirectory:inDomains:searchPathForDirectory:inDomains:mustBeWritable:helperAppBundlebundleForProcessWithBundleIdentifier:stringByDeletingPathExtensioninitWithCapacity:directoryContentsAtPath:createDirectoryAtPath:attributes:objectAtIndex:fileExistsAtPath:isDirectory:addObject:isWritableFileAtPath:arrayWithCapacity:countskipDescendentsenumeratorAtPath:compare:options:bundleIdentifiernextObjectobjectEnumeratorlowercaseStringpathExtensionstringByDeletingLastPathComponentbundleWithIdentifier:bundleWithPath:NSMutableArrayNSMutableSet+[GrowlPathUtilities bundleForProcessWithBundleIdentifier:]Couldn't get information about process %lu,%lu: GetProcessInformation returned %i/%s%s: GetNextProcess returned %i/%sprefpanePreferencePanesScreenshotsTicketsPluginsERROR: GrowlPathUtil was asked for directory 0x%x, but it doesn't know what directory that is. Please tell the Growl developers.Application Support/GrowlScreenshot %llugrowlTicketWARNING: createFileURLWithAliasData called with NULL aliasDatain createFileURLWithAliasData: Could not allocate an alias handle from %u bytes of alias data (data follows) because PtrToHand returned %li %@in createFileURLWithAliasData: Could not resolve alias (alias data follows) because FSResolveAlias returned %li - will try path %@in createFileURLWithAliasData: FSCopyAliasInfo returned a NULL pathfilein createAliasDataForURL: FSNewAlias for %@ returned %li_CFURLString_CFURLAliasData_CFURLStringTypein createDockDescriptionWithURL: Cannot copy Dock description for a NULL URL@16@0:4{_NSSize=ff}8{_NSSize=ff}16@0:4{_NSSize=ff}8v32@0:4{_NSRect={_NSPoint=ff}{_NSSize=ff}}8I24f28replacementObjectForPortCoder:representationOfSize:bestRepresentationForSize:adjustSizeToDrawAtSize:drawScaledInRect:operation:fraction:isBycopybestRepresentationForDevice:representationssetSize:drawInRect:fromRect:operation:fraction:setImageInterpolation:currentContextsetScalesWhenResized:sizeGrowlImageAdditionsNSGraphicsContext?$$4DtÄTôdÔtxq' 0@Th@<Pd H  ,DX hxhx| CG :\P<vm$uAmP (<_`KNPh|cnTsPXltj gta| IOEhCN<IOO(JtkpTtKq4Ma_Hm Td! D`p |>LC8X hxLL TTH}h|{{xHXtXx@p tTH0dxpd\T0$p\<4 ph4dTD0$xhDL4( tdL$hHdH@0 d88 H8l֬P@x888 0Ө88l0@880`.x.-++$*)4X)((&#$#H"xd!!T!D!8!( ( L\p`0D T rq8 q( p84oHLn4dn$kjtg\gHeD|``` `0҈Ҹլe,xe$ddTd4d(<cx @ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@” @˜ @œ @  @¤ @¨ @¬ @° @´ @¸ @¼ @ @@@@@ @@,@<@L@\@l@|@Ì@Ü@ì@ü@@@@@ @@,@<@L@\@l@|@Č@Ĝ@Ĭ@ļ@@@@@ @@,@<@L@\@l@|@Ō@Ŝ@Ŭ@ż@@@@@ @@,@<@L@\@l@|@ƌ@Ɯ@Ƭ@Ƽ@@@@@ @@,@<@L@\@l@|@nj@ǜ@Ǭ@Ǽ@@@@@ @@,@<@L@\@l@|@Ȍ@Ȝ@Ȭ@ȼ@@@@@ @@,@<@L@\@l@|@Ɍ@ɜ@ɬ@ɼ@@@@@ @@$@@@ @@@@$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@Ѐ@Є@Ј@Ќ@А@Д@И@М@Р@Ф@Ш@Ь@а@д@и@м@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@р@ф@ш@ь@ѐ@є@ј@ќ@Ѡ@Ѥ@Ѩ@Ѭ@Ѱ@Ѵ@Ѹ@Ѽ@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@Ҁ@҄@҈@Ҍ@Ґ@Ҹ@Ҽ@@@@@@@@@@ @4@H@L@P@l@x@|@Ӏ@Ӕ@Ӱ@Ӵ@Ӹ@Ӽ@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@Ԁ@Ԅ@Ԉ@Ԍ@Ԑ@Ԕ@Ԙ@Ԝ@Ԡ@Ԥ@Ԩ@Ԭ@԰@Դ@Ը@Լ@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@Հ@Մ@Ո@Ռ@Ր@Ք@՜@դ @հ@@@@@@@@@ @@,@<@H@X@\@`@d@h@l@p@t@x@|@ր@ք@ֈ@֌@֐@֔@֘@֜@֠@֤@֨@ְ@ִ@ּ@@@@@@ @2 Z`Eu  7!(n!8!D!T!Y"x##$+&r()().*c+$+-..[4;=D"E>N`MZtWcd(dd d6e$ce,egHg\'jMkn$n4oH #p8 Jq( sq8 r x!0{!h{!|!}"~"~d"&"B"P"^"j"v"""”"œ" $" (" ," 0" 4# 8# <#, @#8 D#N H#X L#r M# P# T# X# \4҈\Ҹ{55Ex!F`Z;75`A;F,KTpHH|KL<LD5|5<QhIQaRyR@WlVHS|STtv7O@_sL{uUa,TPP)b`V_Wx|x<x8Sxww C]{)BbKe|      !  2  J  ]  t              +  D  R  d                %  @  _  u                    @  j              <  O  k  }              ! B f    A   A8 Q m ~     - < ^ l     (7Ol|.<Ch~(9[fv   - A S d t    '=SmPPPPPP$P4PDPTPdPtPÄPÔPäPôPPPPPPP$P4PDPTPdPtPĄPĔPĤPĴPPPPPPP$P4PDPTPdPtPńPŔPŤPŴPPPPPPP$P4PDPTPdPtPƄPƔPƤPƴPPPPPPP$P4PDPTPdPtPDŽPǔPǤPǴPPPPPPP$P4PDPTPdPtPȄPȔPȤPȴPPPPPPP$P4PDPTPdPtPɄPɔPɤPɴPPPPPPP      !"#$%&'()3456789:;<=>?@)'&@" #%!< >$= 5? ( 6 :78;943/*210,+-.XYZ[\]^_`abcdefghijklmnopqrstuvwxyz{|}~X3Xv@XYZ[\]^_`abcdefghijklmnopqrstuvwxyz{|}~      !"#$%&'()*+,-./0123456789:;<=>?@.objc_category_name_NSImage_GrowlImageAdditions.objc_class_name_GrowlApplicationBridge.objc_class_name_GrowlDelegate.objc_class_name_GrowlPathUtilities_Growl_CopyRegistrationDictionaryFromBundle_Growl_CopyRegistrationDictionaryFromDelegate_Growl_CreateBestRegistrationDictionary_Growl_CreateNotificationDictionaryByFillingInDictionary_Growl_CreateRegistrationDictionaryByFillingInDictionary_Growl_CreateRegistrationDictionaryByFillingInDictionaryRestrictedToKeys_Growl_GetDelegate_Growl_IsInstalled_Growl_IsRunning_Growl_LaunchIfInstalled_Growl_NotifyWithTitleDescriptionNameIconPriorityStickyClickContext_Growl_PostNotification_Growl_PostNotificationWithDictionary_Growl_RegisterWithDictionary_Growl_Reregister_Growl_SetDelegate_Growl_SetWillRegisterWhenGrowlIsReady_Growl_WillRegisterWhenGrowlIsReady_copyCString_copyCurrentProcessName_copyCurrentProcessPath_copyCurrentProcessURL_copyIconDataForPath_copyIconDataForURL_copyTemporaryFolderPath_copyTemporaryFolderURL_copyURLForApplication_createAliasDataWithURL_createDockDescriptionWithURL_createFileSystemRepresentationOfString_createFileURLWithAliasData_createFileURLWithDockDescription_createHostNameForAddressData_createPropertyListFromURL_createStringWithAddressData_createStringWithContentsOfFile_createStringWithDate_createStringWithStringAndCharacterAndString_createURLByCopyingFileFromURLToDirectoryURL_createURLByMakingDirectoryAtURLWithName_getBooleanForKey_getIntegerForKey_getObjectForKey_readFile_setBooleanForKey_setIntegerForKey_setObjectForKey.objc_class_name_NSAutoreleasePool.objc_class_name_NSBundle.objc_class_name_NSConnection.objc_class_name_NSDictionary.objc_class_name_NSDistributedNotificationCenter.objc_class_name_NSException.objc_class_name_NSFileManager.objc_class_name_NSGraphicsContext.objc_class_name_NSImage.objc_class_name_NSMutableArray.objc_class_name_NSMutableDictionary.objc_class_name_NSMutableSet.objc_class_name_NSNotificationCenter.objc_class_name_NSNumber.objc_class_name_NSObject.objc_class_name_NSProcessInfo.objc_class_name_NSPropertyListSerialization.objc_class_name_NSString.objc_class_name_NSURL_AEDisposeDesc_AESendMessage_AEStreamClose_AEStreamCreateEvent_AEStreamWriteKeyDesc_CFArrayAppendArray_CFArrayAppendValue_CFArrayCreate_CFArrayCreateMutable_CFArrayGetCount_CFArrayGetValueAtIndex_CFBooleanGetValue_CFBundleCopyBundleURL_CFBundleCopyResourceURL_CFBundleCreate_CFBundleCreateBundlesFromDirectory_CFBundleGetBundleWithIdentifier_CFBundleGetIdentifier_CFBundleGetInfoDictionary_CFBundleGetMainBundle_CFCopyTypeIDDescription_CFDataCreate_CFDataCreateCopy_CFDataCreateWithBytesNoCopy_CFDataGetBytePtr_CFDataGetLength_CFDateFormatterCreate_CFDateFormatterCreateStringWithDate_CFDictionaryContainsKey_CFDictionaryCreate_CFDictionaryCreateCopy_CFDictionaryCreateMutable_CFDictionaryCreateMutableCopy_CFDictionaryGetCount_CFDictionaryGetTypeID_CFDictionaryGetValue_CFDictionaryRemoveValue_CFDictionarySetValue_CFEqual_CFGetAllocator_CFGetTypeID_CFLocaleCopyCurrent_CFMakeCollectable_CFNotificationCenterAddObserver_CFNotificationCenterGetDistributedCenter_CFNotificationCenterPostNotification_CFNotificationCenterRemoveEveryObserver_CFNotificationCenterRemoveObserver_CFNumberCreate_CFNumberGetValue_CFPropertyListCreateFromStream_CFPropertyListWriteToStream_CFReadStreamClose_CFReadStreamCreateWithFile_CFReadStreamOpen_CFRelease_CFRetain_CFSetContainsValue_CFStringCompare_CFStringCreateByCombiningStrings_CFStringCreateCopy_CFStringCreateWithBytes_CFStringCreateWithCString_CFStringCreateWithCStringNoCopy_CFStringCreateWithCharactersNoCopy_CFStringCreateWithFormat_CFStringGetCString_CFStringGetCharacters_CFStringGetFileSystemRepresentation_CFStringGetLength_CFStringGetMaximumSizeForEncoding_CFStringGetMaximumSizeOfFileSystemRepresentation_CFURLCopyFileSystemPath_CFURLCopyLastPathComponent_CFURLCopyScheme_CFURLCreateCopyAppendingPathComponent_CFURLCreateCopyDeletingLastPathComponent_CFURLCreateFromFSRef_CFURLCreateFromFileSystemRepresentation_CFURLCreateWithFileSystemPath_CFURLGetFSRef_CFURLGetFileSystemRepresentation_CFUUIDCreate_CFUUIDCreateString_CFWriteStreamClose_CFWriteStreamCreateWithFile_CFWriteStreamOpen_CopyProcessName_DisposeHandle_FNNotify_FSCopyAliasInfo_FSFindFolder_FSNewAlias_FSRefMakePath_GetHandleSize_GetIconRefFromFileInfo_GetMacOSStatusCommentString_GetNextProcess_GetProcessBundleLocation_GetProcessInformation_GetProcessPID_HLock_HUnlock_IconRefToIconFamily_LSFindApplicationForInfo_LSOpenFromURLSpec_NSConnectionDidDieNotification_NSEqualSizes_NSLog_NSSearchPathForDirectoriesInDomains_NSTemporaryDirectory_PBCloseForkSync_PBCreateDirectoryUnicodeSync_PBCreateFileUnicodeSync_PBGetCatalogInfoSync_PBIterateForksSync_PBMakeFSRefUnicodeSync_PBOpenForkSync_PBReadForkSync_PBWriteForkSync_ProcessInformationCopyDictionary_PtrToHand_ReleaseIconRef___CFConstantStringClassReference__setjmp_calloc_ceilf_close_fclose_floorf_fopen_fread_free_fseek_fstat_ftell_getcwd_getnameinfo_getpid_inet_ntop_kCFAllocatorDefault_kCFAllocatorMalloc_kCFAllocatorNull_kCFBooleanFalse_kCFBooleanTrue_kCFBundleIdentifierKey_kCFTypeArrayCallBacks_kCFTypeDictionaryKeyCallBacks_kCFTypeDictionaryValueCallBacks_malloc_memcpy_memset_objc_assign_global_objc_exception_extract_objc_exception_match_objc_exception_throw_objc_exception_try_enter_objc_exception_try_exit_objc_msgSendSuper_objc_msgSend_stret_open_snprintf$LDBL128_strlensingle module__mh_dylib_headerdyld_stub_binding_helper+[GrowlApplicationBridge setGrowlDelegate:]+[GrowlApplicationBridge growlDelegate]+[GrowlApplicationBridge notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:]+[GrowlApplicationBridge notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:identifier:]+[GrowlApplicationBridge notifyWithDictionary:]+[GrowlApplicationBridge isGrowlInstalled]+[GrowlApplicationBridge isGrowlRunning]+[GrowlApplicationBridge displayInstallationPromptIfNeeded]+[GrowlApplicationBridge registerWithDictionary:]+[GrowlApplicationBridge reregisterGrowlNotifications]+[GrowlApplicationBridge setWillRegisterWhenGrowlIsReady:]+[GrowlApplicationBridge willRegisterWhenGrowlIsReady]+[GrowlApplicationBridge registrationDictionaryFromDelegate]+[GrowlApplicationBridge registrationDictionaryFromBundle:]+[GrowlApplicationBridge bestRegistrationDictionary]+[GrowlApplicationBridge registrationDictionaryByFillingInDictionary:]+[GrowlApplicationBridge registrationDictionaryByFillingInDictionary:restrictToKeys:]+[GrowlApplicationBridge notificationDictionaryByFillingInDictionary:]+[GrowlApplicationBridge frameworkInfoDictionary]+[GrowlApplicationBridge _applicationNameForGrowlSearchingRegistrationDictionary:]+[GrowlApplicationBridge growlNotificationWasClicked:]+[GrowlApplicationBridge growlNotificationTimedOut:]+[GrowlApplicationBridge connectionDidDie:]+[GrowlApplicationBridge growlProxy]+[GrowlApplicationBridge _growlIsReady:]+[GrowlApplicationBridge launchGrowlIfInstalled]+[GrowlApplicationBridge _launchGrowlIfInstalledWithRegistrationDictionary:]+[GrowlApplicationBridge _applicationIconDataForGrowlSearchingRegistrationDictionary:]__copyAllPreferencePaneBundles__launchGrowlIfInstalledWithRegistrationDictionary__growlNotificationWasClicked__growlNotificationTimedOut__growlIsReady_copyFork-[GrowlDelegate initWithAllNotifications:defaultNotifications:]-[GrowlDelegate dealloc]-[GrowlDelegate registrationDictionaryForGrowl]-[GrowlDelegate applicationNameForGrowl]-[GrowlDelegate setApplicationNameForGrowl:]-[GrowlDelegate applicationIconDataForGrowl]-[GrowlDelegate setApplicationIconDataForGrowl:]+[GrowlPathUtilities bundleForProcessWithBundleIdentifier:]+[GrowlPathUtilities runningHelperAppBundle]+[GrowlPathUtilities growlPrefPaneBundle]+[GrowlPathUtilities helperAppBundle]+[GrowlPathUtilities searchPathForDirectory:inDomains:mustBeWritable:]+[GrowlPathUtilities searchPathForDirectory:inDomains:]+[GrowlPathUtilities growlSupportDirectory]+[GrowlPathUtilities screenshotsDirectory]+[GrowlPathUtilities ticketsDirectory]+[GrowlPathUtilities nextScreenshotName]+[GrowlPathUtilities nextScreenshotNameInDirectory:]+[GrowlPathUtilities defaultSavePathForTicketWithApplicationName:]-[NSImage(GrowlImageAdditions) drawScaledInRect:operation:fraction:]-[NSImage(GrowlImageAdditions) adjustSizeToDrawAtSize:]-[NSImage(GrowlImageAdditions) bestRepresentationForSize:]-[NSImage(GrowlImageAdditions) representationOfSize:]-[NSImage(GrowlImageAdditions) replacementObjectForPortCoder:]saveFPrestFP___PRETTY_FUNCTION__.108339_C.178.108798_C.425.109488_C.71.74035_C.88.74183_C.65.74088_C.66.74100_C.65.108340_C.81.74148_C.58.73802dyld__mach_header_growlLaunched_appIconData_appName_cachedRegistrationDictionary_delegate_registerWhenGrowlIsReady_growlProxy_targetsToNotifyArray_delegate_registerWhenGrowlIsReady_growlLaunched_cachedRegistrationDictionary_registeredForClickCallbacks_helperAppBundle_prefPaneBundleunison-2.40.102/uimacnew09/Frameworks/Growl.framework/Versions/Current/Resources/0000755006131600613160000000000012050210655027764 5ustar bcpiercebcpierceunison-2.40.102/uimacnew09/Frameworks/Growl.framework/Versions/Current/Resources/Info.plist0000644006131600613160000000134211361646373031752 0ustar bcpiercebcpierce CFBundleDevelopmentRegion English CFBundleExecutable Growl CFBundleIdentifier com.growl.growlframework CFBundleInfoDictionaryVersion 6.0 CFBundlePackageType FMWK CFBundleShortVersionString 1.2.1 CFBundleSignature GRRR CFBundleVersion 1.2.1 NSPrincipalClass GrowlApplicationBridge unison-2.40.102/uimacnew09/Frameworks/Growl.framework/Versions/A/0000755006131600613160000000000012050210654024547 5ustar bcpiercebcpierceunison-2.40.102/uimacnew09/Frameworks/Growl.framework/Versions/A/Headers/0000755006131600613160000000000012050210654026122 5ustar bcpiercebcpierceunison-2.40.102/uimacnew09/Frameworks/Growl.framework/Versions/A/Headers/GrowlDefines.h0000644006131600613160000003656511361646373030721 0ustar bcpiercebcpierce// // GrowlDefines.h // #ifndef _GROWLDEFINES_H #define _GROWLDEFINES_H #ifdef __OBJC__ #define XSTR(x) (@x) #define STRING_TYPE NSString * #else #define XSTR CFSTR #define STRING_TYPE CFStringRef #endif /*! @header GrowlDefines.h * @abstract Defines all the notification keys. * @discussion Defines all the keys used for registration with Growl and for * Growl notifications. * * Most applications should use the functions or methods of Growl.framework * instead of posting notifications such as those described here. * @updated 2004-01-25 */ // UserInfo Keys for Registration #pragma mark UserInfo Keys for Registration /*! @group Registration userInfo keys */ /* @abstract Keys for the userInfo dictionary of a GROWL_APP_REGISTRATION distributed notification. * @discussion The values of these keys describe the application and the * notifications it may post. * * Your application must register with Growl before it can post Growl * notifications (and have them not be ignored). However, as of Growl 0.6, * posting GROWL_APP_REGISTRATION notifications directly is no longer the * preferred way to register your application. Your application should instead * use Growl.framework's delegate system. * See +[GrowlApplicationBridge setGrowlDelegate:] or Growl_SetDelegate for * more information. */ /*! @defined GROWL_APP_NAME * @abstract The name of your application. * @discussion The name of your application. This should remain stable between * different versions and incarnations of your application. * For example, "SurfWriter" is a good app name, whereas "SurfWriter 2.0" and * "SurfWriter Lite" are not. */ #define GROWL_APP_NAME XSTR("ApplicationName") /*! @defined GROWL_APP_ID * @abstract The bundle identifier of your application. * @discussion The bundle identifier of your application. This key should * be unique for your application while there may be several applications * with the same GROWL_APP_NAME. * This key is optional. */ #define GROWL_APP_ID XSTR("ApplicationId") /*! @defined GROWL_APP_ICON * @abstract The image data for your application's icon. * @discussion Image data representing your application's icon. This may be * superimposed on a notification icon as a badge, used as the notification * icon when a notification-specific icon is not supplied, or ignored * altogether, depending on the display. Must be in a format supported by * NSImage, such as TIFF, PNG, GIF, JPEG, BMP, PICT, or PDF. * * Optional. Not supported by all display plugins. */ #define GROWL_APP_ICON XSTR("ApplicationIcon") /*! @defined GROWL_NOTIFICATIONS_DEFAULT * @abstract The array of notifications to turn on by default. * @discussion These are the names of the notifications that should be enabled * by default when your application registers for the first time. If your * application reregisters, Growl will look here for any new notification * names found in GROWL_NOTIFICATIONS_ALL, but ignore any others. */ #define GROWL_NOTIFICATIONS_DEFAULT XSTR("DefaultNotifications") /*! @defined GROWL_NOTIFICATIONS_ALL * @abstract The array of all notifications your application can send. * @discussion These are the names of all of the notifications that your * application may post. See GROWL_NOTIFICATION_NAME for a discussion of good * notification names. */ #define GROWL_NOTIFICATIONS_ALL XSTR("AllNotifications") /*! @defined GROWL_NOTIFICATIONS_HUMAN_READABLE_DESCRIPTIONS * @abstract A dictionary of human-readable names for your notifications. * @discussion By default, the Growl UI will display notifications by the names given in GROWL_NOTIFICATIONS_ALL * which correspond to the GROWL_NOTIFICATION_NAME. This dictionary specifies the human-readable name to display. * The keys of the dictionary are GROWL_NOTIFICATION_NAME strings; the objects are the human-readable versions. * For any GROWL_NOTIFICATION_NAME not specific in this dictionary, the GROWL_NOTIFICATION_NAME will be displayed. * * This key is optional. */ #define GROWL_NOTIFICATIONS_HUMAN_READABLE_NAMES XSTR("HumanReadableNames") /*! @defined GROWL_NOTIFICATIONS_DESCRIPTIONS * @abstract A dictionary of descriptions of _when_ each notification occurs * @discussion This is an NSDictionary whose keys are GROWL_NOTIFICATION_NAME strings and whose objects are * descriptions of _when_ each notification occurs, such as "You received a new mail message" or * "A file finished downloading". * * This key is optional. */ #define GROWL_NOTIFICATIONS_DESCRIPTIONS XSTR("NotificationDescriptions") /*! @defined GROWL_TICKET_VERSION * @abstract The version of your registration ticket. * @discussion Include this key in a ticket plist file that you put in your * application bundle for auto-discovery. The current ticket version is 1. */ #define GROWL_TICKET_VERSION XSTR("TicketVersion") // UserInfo Keys for Notifications #pragma mark UserInfo Keys for Notifications /*! @group Notification userInfo keys */ /* @abstract Keys for the userInfo dictionary of a GROWL_NOTIFICATION distributed notification. * @discussion The values of these keys describe the content of a Growl * notification. * * Not all of these keys are supported by all displays. Only the name, title, * and description of a notification are universal. Most of the built-in * displays do support all of these keys, and most other visual displays * probably will also. But, as of 0.6, the Log, MailMe, and Speech displays * support only textual data. */ /*! @defined GROWL_NOTIFICATION_NAME * @abstract The name of the notification. * @discussion The name of the notification. Note that if you do not define * GROWL_NOTIFICATIONS_HUMAN_READABLE_NAMES when registering your ticket originally this name * will the one displayed within the Growl preference pane and should be human-readable. */ #define GROWL_NOTIFICATION_NAME XSTR("NotificationName") /*! @defined GROWL_NOTIFICATION_TITLE * @abstract The title to display in the notification. * @discussion The title of the notification. Should be very brief. * The title usually says what happened, e.g. "Download complete". */ #define GROWL_NOTIFICATION_TITLE XSTR("NotificationTitle") /*! @defined GROWL_NOTIFICATION_DESCRIPTION * @abstract The description to display in the notification. * @discussion The description should be longer and more verbose than the title. * The description usually tells the subject of the action, * e.g. "Growl-0.6.dmg downloaded in 5.02 minutes". */ #define GROWL_NOTIFICATION_DESCRIPTION XSTR("NotificationDescription") /*! @defined GROWL_NOTIFICATION_ICON * @discussion Image data for the notification icon. Must be in a format * supported by NSImage, such as TIFF, PNG, GIF, JPEG, BMP, PICT, or PDF. * * Optional. Not supported by all display plugins. */ #define GROWL_NOTIFICATION_ICON XSTR("NotificationIcon") /*! @defined GROWL_NOTIFICATION_APP_ICON * @discussion Image data for the application icon, in case GROWL_APP_ICON does * not apply for some reason. Must be in a format supported by NSImage, such * as TIFF, PNG, GIF, JPEG, BMP, PICT, or PDF. * * Optional. Not supported by all display plugins. */ #define GROWL_NOTIFICATION_APP_ICON XSTR("NotificationAppIcon") /*! @defined GROWL_NOTIFICATION_PRIORITY * @discussion The priority of the notification as an integer number from * -2 to +2 (+2 being highest). * * Optional. Not supported by all display plugins. */ #define GROWL_NOTIFICATION_PRIORITY XSTR("NotificationPriority") /*! @defined GROWL_NOTIFICATION_STICKY * @discussion A Boolean number controlling whether the notification is sticky. * * Optional. Not supported by all display plugins. */ #define GROWL_NOTIFICATION_STICKY XSTR("NotificationSticky") /*! @defined GROWL_NOTIFICATION_CLICK_CONTEXT * @abstract Identifies which notification was clicked. * @discussion An identifier for the notification for clicking purposes. * * This will be passed back to the application when the notification is * clicked. It must be plist-encodable (a data, dictionary, array, number, or * string object), and it should be unique for each notification you post. * A good click context would be a UUID string returned by NSProcessInfo or * CFUUID. * * Optional. Not supported by all display plugins. */ #define GROWL_NOTIFICATION_CLICK_CONTEXT XSTR("NotificationClickContext") /*! @defined GROWL_DISPLAY_PLUGIN * @discussion The name of a display plugin which should be used for this notification. * Optional. If this key is not set or the specified display plugin does not * exist, the display plugin stored in the application ticket is used. This key * allows applications to use different default display plugins for their * notifications. The user can still override those settings in the preference * pane. */ #define GROWL_DISPLAY_PLUGIN XSTR("NotificationDisplayPlugin") /*! @defined GROWL_NOTIFICATION_IDENTIFIER * @abstract An identifier for the notification for coalescing purposes. * Notifications with the same identifier fall into the same class; only * the last notification of a class is displayed on the screen. If a * notification of the same class is currently being displayed, it is * replaced by this notification. * * Optional. Not supported by all display plugins. */ #define GROWL_NOTIFICATION_IDENTIFIER XSTR("GrowlNotificationIdentifier") /*! @defined GROWL_APP_PID * @abstract The process identifier of the process which sends this * notification. If this field is set, the application will only receive * clicked and timed out notifications which originate from this process. * * Optional. */ #define GROWL_APP_PID XSTR("ApplicationPID") /*! @defined GROWL_NOTIFICATION_PROGRESS * @abstract If this key is set, it should contain a double value wrapped * in a NSNumber which describes some sort of progress (from 0.0 to 100.0). * If this is key is not set, no progress bar is shown. * * Optional. Not supported by all display plugins. */ #define GROWL_NOTIFICATION_PROGRESS XSTR("NotificationProgress") // Notifications #pragma mark Notifications /*! @group Notification names */ /* @abstract Names of distributed notifications used by Growl. * @discussion These are notifications used by applications (directly or * indirectly) to interact with Growl, and by Growl for interaction between * its components. * * Most of these should no longer be used in Growl 0.6 and later, in favor of * Growl.framework's GrowlApplicationBridge APIs. */ /*! @defined GROWL_APP_REGISTRATION * @abstract The distributed notification for registering your application. * @discussion This is the name of the distributed notification that can be * used to register applications with Growl. * * The userInfo dictionary for this notification can contain these keys: *
    *
  • GROWL_APP_NAME
  • *
  • GROWL_APP_ICON
  • *
  • GROWL_NOTIFICATIONS_ALL
  • *
  • GROWL_NOTIFICATIONS_DEFAULT
  • *
* * No longer recommended as of Growl 0.6. An alternate method of registering * is to use Growl.framework's delegate system. * See +[GrowlApplicationBridge setGrowlDelegate:] or Growl_SetDelegate for * more information. */ #define GROWL_APP_REGISTRATION XSTR("GrowlApplicationRegistrationNotification") /*! @defined GROWL_APP_REGISTRATION_CONF * @abstract The distributed notification for confirming registration. * @discussion The name of the distributed notification sent to confirm the * registration. Used by the Growl preference pane. Your application probably * does not need to use this notification. */ #define GROWL_APP_REGISTRATION_CONF XSTR("GrowlApplicationRegistrationConfirmationNotification") /*! @defined GROWL_NOTIFICATION * @abstract The distributed notification for Growl notifications. * @discussion This is what it all comes down to. This is the name of the * distributed notification that your application posts to actually send a * Growl notification. * * The userInfo dictionary for this notification can contain these keys: *
    *
  • GROWL_NOTIFICATION_NAME (required)
  • *
  • GROWL_NOTIFICATION_TITLE (required)
  • *
  • GROWL_NOTIFICATION_DESCRIPTION (required)
  • *
  • GROWL_NOTIFICATION_ICON
  • *
  • GROWL_NOTIFICATION_APP_ICON
  • *
  • GROWL_NOTIFICATION_PRIORITY
  • *
  • GROWL_NOTIFICATION_STICKY
  • *
  • GROWL_NOTIFICATION_CLICK_CONTEXT
  • *
  • GROWL_APP_NAME (required)
  • *
* * No longer recommended as of Growl 0.6. Three alternate methods of posting * notifications are +[GrowlApplicationBridge notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:], * Growl_NotifyWithTitleDescriptionNameIconPriorityStickyClickContext, and * Growl_PostNotification. */ #define GROWL_NOTIFICATION XSTR("GrowlNotification") /*! @defined GROWL_SHUTDOWN * @abstract The distributed notification name that tells Growl to shutdown. * @discussion The Growl preference pane posts this notification when the * "Stop Growl" button is clicked. */ #define GROWL_SHUTDOWN XSTR("GrowlShutdown") /*! @defined GROWL_PING * @abstract A distributed notification to check whether Growl is running. * @discussion This is used by the Growl preference pane. If it receives a * GROWL_PONG, the preference pane takes this to mean that Growl is running. */ #define GROWL_PING XSTR("Honey, Mind Taking Out The Trash") /*! @defined GROWL_PONG * @abstract The distributed notification sent in reply to GROWL_PING. * @discussion GrowlHelperApp posts this in reply to GROWL_PING. */ #define GROWL_PONG XSTR("What Do You Want From Me, Woman") /*! @defined GROWL_IS_READY * @abstract The distributed notification sent when Growl starts up. * @discussion GrowlHelperApp posts this when it has begin listening on all of * its sources for new notifications. GrowlApplicationBridge (in * Growl.framework), upon receiving this notification, reregisters using the * registration dictionary supplied by its delegate. */ #define GROWL_IS_READY XSTR("Lend Me Some Sugar; I Am Your Neighbor!") /*! @defined GROWL_NOTIFICATION_CLICKED * @abstract The distributed notification sent when a supported notification is clicked. * @discussion When a Growl notification with a click context is clicked on by * the user, Growl posts this distributed notification. * The GrowlApplicationBridge responds to this notification by calling a * callback in its delegate. */ #define GROWL_NOTIFICATION_CLICKED XSTR("GrowlClicked!") #define GROWL_NOTIFICATION_TIMED_OUT XSTR("GrowlTimedOut!") /*! @group Other symbols */ /* Symbols which don't fit into any of the other categories. */ /*! @defined GROWL_KEY_CLICKED_CONTEXT * @abstract Used internally as the key for the clickedContext passed over DNC. * @discussion This key is used in GROWL_NOTIFICATION_CLICKED, and contains the * click context that was supplied in the original notification. */ #define GROWL_KEY_CLICKED_CONTEXT XSTR("ClickedContext") /*! @defined GROWL_REG_DICT_EXTENSION * @abstract The filename extension for registration dictionaries. * @discussion The GrowlApplicationBridge in Growl.framework registers with * Growl by creating a file with the extension of .(GROWL_REG_DICT_EXTENSION) * and opening it in the GrowlHelperApp. This happens whether or not Growl is * running; if it was stopped, it quits immediately without listening for * notifications. */ #define GROWL_REG_DICT_EXTENSION XSTR("growlRegDict") #define GROWL_POSITION_PREFERENCE_KEY @"GrowlSelectedPosition" #endif //ndef _GROWLDEFINES_H ././@LongLink0000000000000000000000000000015100000000000011562 Lustar rootrootunison-2.40.102/uimacnew09/Frameworks/Growl.framework/Versions/A/Headers/GrowlApplicationBridge-Carbon.hunison-2.40.102/uimacnew09/Frameworks/Growl.framework/Versions/A/Headers/GrowlApplicationBridge-Carb0000644006131600613160000010317611361646373033334 0ustar bcpiercebcpierce// // GrowlApplicationBridge-Carbon.h // Growl // // Created by Mac-arena the Bored Zo on Wed Jun 18 2004. // Based on GrowlApplicationBridge.h by Evan Schoenberg. // This source code is in the public domain. You may freely link it into any // program. // #ifndef _GROWLAPPLICATIONBRIDGE_CARBON_H_ #define _GROWLAPPLICATIONBRIDGE_CARBON_H_ #include #include #ifndef GROWL_EXPORT #define GROWL_EXPORT __attribute__((visibility("default"))) DEPRECATED_ATTRIBUTE #endif /*! @header GrowlApplicationBridge-Carbon.h * @abstract Declares an API that Carbon applications can use to interact with Growl. * @discussion GrowlApplicationBridge uses a delegate to provide information //XXX * to Growl (such as your application's name and what notifications it may * post) and to provide information to your application (such as that Growl * is listening for notifications or that a notification has been clicked). * * You can set the Growldelegate with Growl_SetDelegate and find out the * current delegate with Growl_GetDelegate. See struct Growl_Delegate for more * information about the delegate. */ __BEGIN_DECLS /*! @struct Growl_Delegate * @abstract Delegate to supply GrowlApplicationBridge with information and respond to events. * @discussion The Growl delegate provides your interface to * GrowlApplicationBridge. When GrowlApplicationBridge needs information about * your application, it looks for it in the delegate; when Growl or the user * does something that you might be interested in, GrowlApplicationBridge * looks for a callback in the delegate and calls it if present * (meaning, if it is not NULL). * XXX on all of that * @field size The size of the delegate structure. * @field applicationName The name of your application. * @field registrationDictionary A dictionary describing your application and the notifications it can send out. * @field applicationIconData Your application's icon. * @field growlInstallationWindowTitle The title of the installation window. * @field growlInstallationInformation Text to display in the installation window. * @field growlUpdateWindowTitle The title of the update window. * @field growlUpdateInformation Text to display in the update window. * @field referenceCount A count of owners of the delegate. * @field retain Called when GrowlApplicationBridge receives this delegate. * @field release Called when GrowlApplicationBridge no longer needs this delegate. * @field growlIsReady Called when GrowlHelperApp is listening for notifications. * @field growlNotificationWasClicked Called when a Growl notification is clicked. * @field growlNotificationTimedOut Called when a Growl notification timed out. */ struct Growl_Delegate { /* @discussion This should be sizeof(struct Growl_Delegate). */ size_t size; /*All of these attributes are optional. *Optional attributes can be NULL; required attributes that * are NULL cause setting the Growl delegate to fail. *XXX - move optional/required status into the discussion for each field */ /* This name is used both internally and in the Growl preferences. * * This should remain stable between different versions and incarnations of * your application. * For example, "SurfWriter" is a good app name, whereas "SurfWriter 2.0" and * "SurfWriter Lite" are not. * * This can be NULL if it is provided elsewhere, namely in an * auto-discoverable plist file in your app bundle * (XXX refer to more information on that) or in registrationDictionary. */ CFStringRef applicationName; /* * Must contain at least these keys: * GROWL_NOTIFICATIONS_ALL (CFArray): * Contains the names of all notifications your application may post. * * Can also contain these keys: * GROWL_NOTIFICATIONS_DEFAULT (CFArray): * Names of notifications that should be enabled by default. * If omitted, GROWL_NOTIFICATIONS_ALL will be used. * GROWL_APP_NAME (CFString): * Same as the applicationName member of this structure. * If both are present, the applicationName member shall prevail. * If this key is present, you may omit applicationName (set it to NULL). * GROWL_APP_ICON (CFData): * Same as the iconData member of this structure. * If both are present, the iconData member shall prevail. * If this key is present, you may omit iconData (set it to NULL). * * If you change the contents of this dictionary after setting the delegate, * be sure to call Growl_Reregister. * * This can be NULL if you have an auto-discoverable plist file in your app * bundle. (XXX refer to more information on that) */ CFDictionaryRef registrationDictionary; /* The data can be in any format supported by NSImage. As of * Mac OS X 10.3, this includes the .icns, TIFF, JPEG, GIF, PNG, PDF, and * PICT formats. * * If this is not supplied, Growl will look up your application's icon by * its application name. */ CFDataRef applicationIconData; /* Installer display attributes * * These four attributes are used by the Growl installer, if this framework * supports it. * For any of these being NULL, a localised default will be * supplied. */ /* If this is NULL, Growl will use a default, * localized title. * * Only used if you're using Growl-WithInstaller.framework. Otherwise, * this member is ignored. */ CFStringRef growlInstallationWindowTitle; /* This information may be as long or short as desired (the * window will be sized to fit it). If Growl is not installed, it will * be displayed to the user as an explanation of what Growl is and what * it can do in your application. * It should probably note that no download is required to install. * * If this is NULL, Growl will use a default, localized * explanation. * * Only used if you're using Growl-WithInstaller.framework. Otherwise, * this member is ignored. */ CFStringRef growlInstallationInformation; /* If this is NULL, Growl will use a default, * localized title. * * Only used if you're using Growl-WithInstaller.framework. Otherwise, * this member is ignored. */ CFStringRef growlUpdateWindowTitle; /* This information may be as long or short as desired (the * window will be sized to fit it). If an older version of Growl is * installed, it will be displayed to the user as an explanation that an * updated version of Growl is included in your application and * no download is required. * * If this is NULL, Growl will use a default, localized * explanation. * * Only used if you're using Growl-WithInstaller.framework. Otherwise, * this member is ignored. */ CFStringRef growlUpdateInformation; /* This member is provided for use by your retain and release * callbacks (see below). * * GrowlApplicationBridge never directly uses this member. Instead, it * calls your retain callback (if non-NULL) and your release * callback (if non-NULL). */ unsigned referenceCount; //Functions. Currently all of these are optional (any of them can be NULL). /* When you call Growl_SetDelegate(newDelegate), it will call * oldDelegate->release(oldDelegate), and then it will call * newDelegate->retain(newDelegate), and the return value from retain * is what will be set as the delegate. * (This means that this member works like CFRetain and -[NSObject retain].) * This member is optional (it can be NULL). * For a delegate allocated with malloc, this member would be * NULL. * @result A delegate to which GrowlApplicationBridge holds a reference. */ void *(*retain)(void *); /* When you call Growl_SetDelegate(newDelegate), it will call * oldDelegate->release(oldDelegate), and then it will call * newDelegate->retain(newDelegate), and the return value from retain * is what will be set as the delegate. * (This means that this member works like CFRelease and * -[NSObject release].) * This member is optional (it can be NULL). * For a delegate allocated with malloc, this member might be * free(3). */ void (*release)(void *); /* Informs the delegate that Growl (specifically, the GrowlHelperApp) was * launched successfully (or was already running). The application can * take actions with the knowledge that Growl is installed and functional. */ void (*growlIsReady)(void); /* Informs the delegate that a Growl notification was clicked. It is only * sent for notifications sent with a non-NULL clickContext, * so if you want to receive a message when a notification is clicked, * clickContext must not be NULL when calling * Growl_PostNotification or * Growl_NotifyWithTitleDescriptionNameIconPriorityStickyClickContext. */ void (*growlNotificationWasClicked)(CFPropertyListRef clickContext); /* Informs the delegate that a Growl notification timed out. It is only * sent for notifications sent with a non-NULL clickContext, * so if you want to receive a message when a notification is clicked, * clickContext must not be NULL when calling * Growl_PostNotification or * Growl_NotifyWithTitleDescriptionNameIconPriorityStickyClickContext. */ void (*growlNotificationTimedOut)(CFPropertyListRef clickContext); }; /*! @struct Growl_Notification * @abstract Structure describing a Growl notification. * @discussion XXX * @field size The size of the notification structure. * @field name Identifies the notification. * @field title Short synopsis of the notification. * @field description Additional text. * @field iconData An icon for the notification. * @field priority An indicator of the notification's importance. * @field reserved Bits reserved for future usage. * @field isSticky Requests that a notification stay on-screen until dismissed explicitly. * @field clickContext An identifier to be passed to your click callback when a notification is clicked. * @field clickCallback A callback to call when the notification is clicked. */ struct Growl_Notification { /* This should be sizeof(struct Growl_Notification). */ size_t size; /* The notification name distinguishes one type of * notification from another. The name should be human-readable, as it * will be displayed in the Growl preference pane. * * The name is used in the GROWL_NOTIFICATIONS_ALL and * GROWL_NOTIFICATIONS_DEFAULT arrays in the registration dictionary, and * in this member of the Growl_Notification structure. */ CFStringRef name; /* A notification's title describes the notification briefly. * It should be easy to read quickly by the user. */ CFStringRef title; /* The description supplements the title with more * information. It is usually longer and sometimes involves a list of * subjects. For example, for a 'Download complete' notification, the * description might have one filename per line. GrowlMail in Growl 0.6 * uses a description of '%d new mail(s)' (formatted with the number of * messages). */ CFStringRef description; /* The notification icon usually indicates either what * happened (it may have the same icon as e.g. a toolbar item that * started the process that led to the notification), or what it happened * to (e.g. a document icon). * * The icon data is optional, so it can be NULL. In that * case, the application icon is used alone. Not all displays support * icons. * * The data can be in any format supported by NSImage. As of Mac OS X * 10.3, this includes the .icns, TIFF, JPEG, GIF, PNG, PDF, and PICT form * ats. */ CFDataRef iconData; /* Priority is new in Growl 0.6, and is represented as a * signed integer from -2 to +2. 0 is Normal priority, -2 is Very Low * priority, and +2 is Very High priority. * * Not all displays support priority. If you do not wish to assign a * priority to your notification, assign 0. */ signed int priority; /* These bits are not used in Growl 0.6. Set them to 0. */ unsigned reserved: 31; /* When the sticky bit is clear, in most displays, * notifications disappear after a certain amount of time. Sticky * notifications, however, remain on-screen until the user dismisses them * explicitly, usually by clicking them. * * Sticky notifications were introduced in Growl 0.6. Most notifications * should not be sticky. Not all displays support sticky notifications, * and the user may choose in Growl's preference pane to force the * notification to be sticky or non-sticky, in which case the sticky bit * in the notification will be ignored. */ unsigned isSticky: 1; /* If this is not NULL, and your click callback * is not NULL either, this will be passed to the callback * when your notification is clicked by the user. * * Click feedback was introduced in Growl 0.6, and it is optional. Not * all displays support click feedback. */ CFPropertyListRef clickContext; /* If this is not NULL, it will be called instead * of the Growl delegate's click callback when clickContext is * non-NULL and the notification is clicked on by the user. * * Click feedback was introduced in Growl 0.6, and it is optional. Not * all displays support click feedback. * * The per-notification click callback is not yet supported as of Growl * 0.7. */ void (*clickCallback)(CFPropertyListRef clickContext); CFStringRef identifier; }; #pragma mark - #pragma mark Easy initialisers /*! @defined InitGrowlDelegate * @abstract Callable macro. Initializes a Growl delegate structure to defaults. * @discussion Call with a pointer to a struct Growl_Delegate. All of the * members of the structure will be set to 0 or NULL, except for * size (which will be set to sizeof(struct Growl_Delegate)) and * referenceCount (which will be set to 1). */ #define InitGrowlDelegate(delegate) \ do { \ if (delegate) { \ (delegate)->size = sizeof(struct Growl_Delegate); \ (delegate)->applicationName = NULL; \ (delegate)->registrationDictionary = NULL; \ (delegate)->applicationIconData = NULL; \ (delegate)->growlInstallationWindowTitle = NULL; \ (delegate)->growlInstallationInformation = NULL; \ (delegate)->growlUpdateWindowTitle = NULL; \ (delegate)->growlUpdateInformation = NULL; \ (delegate)->referenceCount = 1U; \ (delegate)->retain = NULL; \ (delegate)->release = NULL; \ (delegate)->growlIsReady = NULL; \ (delegate)->growlNotificationWasClicked = NULL; \ (delegate)->growlNotificationTimedOut = NULL; \ } \ } while(0) /*! @defined InitGrowlNotification * @abstract Callable macro. Initializes a Growl notification structure to defaults. * @discussion Call with a pointer to a struct Growl_Notification. All of * the members of the structure will be set to 0 or NULL, except * for size (which will be set to * sizeof(struct Growl_Notification)). */ #define InitGrowlNotification(notification) \ do { \ if (notification) { \ (notification)->size = sizeof(struct Growl_Notification); \ (notification)->name = NULL; \ (notification)->title = NULL; \ (notification)->description = NULL; \ (notification)->iconData = NULL; \ (notification)->priority = 0; \ (notification)->reserved = 0U; \ (notification)->isSticky = false; \ (notification)->clickContext = NULL; \ (notification)->clickCallback = NULL; \ (notification)->identifier = NULL; \ } \ } while(0) #pragma mark - #pragma mark Public API // @functiongroup Managing the Growl delegate /*! @function Growl_SetDelegate * @abstract Replaces the current Growl delegate with a new one, or removes * the Growl delegate. * @param newDelegate * @result Returns false and does nothing else if a pointer that was passed in * is unsatisfactory (because it is non-NULL, but at least one * required member of it is NULL). Otherwise, sets or unsets the * delegate and returns true. * @discussion When newDelegate is non-NULL, sets * the delegate to newDelegate. When it is NULL, * the current delegate will be unset, and no delegate will be in place. * * It is legal for newDelegate to be the current delegate; * nothing will happen, and Growl_SetDelegate will return true. It is also * legal for it to be NULL, as described above; again, it will * return true. * * If there was a delegate in place before the call, Growl_SetDelegate will * call the old delegate's release member if it was non-NULL. If * newDelegate is non-NULL, Growl_SetDelegate will * call newDelegate->retain, and set the delegate to its return * value. * * If you are using Growl-WithInstaller.framework, and an older version of * Growl is installed on the user's system, the user will automatically be * prompted to update. * * GrowlApplicationBridge currently does not copy this structure, nor does it * retain any of the CF objects in the structure (it regards the structure as * a container that retains the objects when they are added and releases them * when they are removed or the structure is destroyed). Also, * GrowlApplicationBridge currently does not modify any member of the * structure, except possibly the referenceCount by calling the retain and * release members. */ GROWL_EXPORT Boolean Growl_SetDelegate(struct Growl_Delegate *newDelegate); /*! @function Growl_GetDelegate * @abstract Returns the current Growl delegate, if any. * @result The current Growl delegate. * @discussion Returns the last pointer passed into Growl_SetDelegate, or * NULL if no such call has been made. * * This function follows standard Core Foundation reference-counting rules. * Because it is a Get function, not a Copy function, it will not retain the * delegate on your behalf. You are responsible for retaining and releasing * the delegate as needed. */ GROWL_EXPORT struct Growl_Delegate *Growl_GetDelegate(void); #pragma mark - // @functiongroup Posting Growl notifications /*! @function Growl_PostNotification * @abstract Posts a Growl notification. * @param notification The notification to post. * @discussion This is the preferred means for sending a Growl notification. * The notification name and at least one of the title and description are * required (all three are preferred). All other parameters may be * NULL (or 0 or false as appropriate) to accept default values. * * If using the Growl-WithInstaller framework, if Growl is not installed the * user will be prompted to install Growl. * If the user cancels, this function will have no effect until the next * application session, at which time when it is called the user will be * prompted again. The user is also given the option to not be prompted again. * If the user does choose to install Growl, the requested notification will * be displayed once Growl is installed and running. */ GROWL_EXPORT void Growl_PostNotification(const struct Growl_Notification *notification); /*! @function Growl_PostNotificationWithDictionary * @abstract Notifies using a userInfo dictionary suitable for passing to * CFDistributedNotificationCenter. * @param userInfo The dictionary to notify with. * @discussion Before Growl 0.6, your application would have posted * notifications using CFDistributedNotificationCenter by creating a userInfo * dictionary with the notification data. This had the advantage of allowing * you to add other data to the dictionary for programs besides Growl that * might be listening. * * This function allows you to use such dictionaries without being restricted * to using CFDistributedNotificationCenter. The keys for this dictionary * can be found in GrowlDefines.h. */ GROWL_EXPORT void Growl_PostNotificationWithDictionary(CFDictionaryRef userInfo); /*! @function Growl_NotifyWithTitleDescriptionNameIconPriorityStickyClickContext * @abstract Posts a Growl notification using parameter values. * @param title The title of the notification. * @param description The description of the notification. * @param notificationName The name of the notification as listed in the * registration dictionary. * @param iconData Data representing a notification icon. Can be NULL. * @param priority The priority of the notification (-2 to +2, with -2 * being Very Low and +2 being Very High). * @param isSticky If true, requests that this notification wait for a * response from the user. * @param clickContext An object to pass to the clickCallback, if any. Can * be NULL, in which case the clickCallback is not called. * @discussion Creates a temporary Growl_Notification, fills it out with the * supplied information, and calls Growl_PostNotification on it. * See struct Growl_Notification and Growl_PostNotification for more * information. * * The icon data can be in any format supported by NSImage. As of Mac OS X * 10.3, this includes the .icns, TIFF, JPEG, GIF, PNG, PDF, and PICT formats. */ GROWL_EXPORT void Growl_NotifyWithTitleDescriptionNameIconPriorityStickyClickContext( /*inhale*/ CFStringRef title, CFStringRef description, CFStringRef notificationName, CFDataRef iconData, signed int priority, Boolean isSticky, CFPropertyListRef clickContext); #pragma mark - // @functiongroup Registering /*! @function Growl_RegisterWithDictionary * @abstract Register your application with Growl without setting a delegate. * @discussion When you call this function with a dictionary, * GrowlApplicationBridge registers your application using that dictionary. * If you pass NULL, GrowlApplicationBridge will ask the delegate * (if there is one) for a dictionary, and if that doesn't work, it will look * in your application's bundle for an auto-discoverable plist. * (XXX refer to more information on that) * * If you pass a dictionary to this function, it must include the * GROWL_APP_NAME key, unless a delegate is set. * * This function is mainly an alternative to the delegate system introduced * with Growl 0.6. Without a delegate, you cannot receive callbacks such as * growlIsReady (since they are sent to the delegate). You can, * however, set a delegate after registering without one. * * This function was introduced in Growl.framework 0.7. * @result false if registration failed (e.g. if Growl isn't installed). */ GROWL_EXPORT Boolean Growl_RegisterWithDictionary(CFDictionaryRef regDict); /*! @function Growl_Reregister * @abstract Updates your registration with Growl. * @discussion If your application changes the contents of the * GROWL_NOTIFICATIONS_ALL key in the registrationDictionary member of the * Growl delegate, or if it changes the value of that member, or if it * changes the contents of its auto-discoverable plist, call this function * to have Growl update its registration information for your application. * * Otherwise, this function does not normally need to be called. If you're * using a delegate, your application will be registered when you set the * delegate if both the delegate and its registrationDictionary member are * non-NULL. * * This function is now implemented using * Growl_RegisterWithDictionary. */ GROWL_EXPORT void Growl_Reregister(void); #pragma mark - /*! @function Growl_SetWillRegisterWhenGrowlIsReady * @abstract Tells GrowlApplicationBridge to register with Growl when Growl * launches (or not). * @discussion When Growl has started listening for notifications, it posts a * GROWL_IS_READY notification on the Distributed Notification * Center. GrowlApplicationBridge listens for this notification, using it to * perform various tasks (such as calling your delegate's * growlIsReady callback, if it has one). If this function is * called with true, one of those tasks will be to reregister * with Growl (in the manner of Growl_Reregister). * * This attribute is automatically set back to false * (the default) after every GROWL_IS_READY notification. * @param flag true if you want GrowlApplicationBridge to register with * Growl when next it is ready; false if not. */ GROWL_EXPORT void Growl_SetWillRegisterWhenGrowlIsReady(Boolean flag); /*! @function Growl_WillRegisterWhenGrowlIsReady * @abstract Reports whether GrowlApplicationBridge will register with Growl * when Growl next launches. * @result true if GrowlApplicationBridge will register with * Growl when next it posts GROWL_IS_READY; false if not. */ GROWL_EXPORT Boolean Growl_WillRegisterWhenGrowlIsReady(void); #pragma mark - // @functiongroup Obtaining registration dictionaries /*! @function Growl_CopyRegistrationDictionaryFromDelegate * @abstract Asks the delegate for a registration dictionary. * @discussion If no delegate is set, or if the delegate's * registrationDictionary member is NULL, this * function returns NULL. * * This function does not attempt to clean up the dictionary in any way - for * example, if it is missing the GROWL_APP_NAME key, the result * will be missing it too. Use * Growl_CreateRegistrationDictionaryByFillingInDictionary or * Growl_CreateRegistrationDictionaryByFillingInDictionaryRestrictedToKeys * to try to fill in missing keys. * * This function was introduced in Growl.framework 0.7. * @result A registration dictionary. */ GROWL_EXPORT CFDictionaryRef Growl_CopyRegistrationDictionaryFromDelegate(void); /*! @function Growl_CopyRegistrationDictionaryFromBundle * @abstract Looks in a bundle for a registration dictionary. * @discussion This function looks in a bundle for an auto-discoverable * registration dictionary file using CFBundleCopyResourceURL. * If it finds one, it loads the file using CFPropertyList and * returns the result. * * If you pass NULL as the bundle, the main bundle is examined. * * This function does not attempt to clean up the dictionary in any way - for * example, if it is missing the GROWL_APP_NAME key, the result * will be missing it too. Use * Growl_CreateRegistrationDictionaryByFillingInDictionary: or * Growl_CreateRegistrationDictionaryByFillingInDictionaryRestrictedToKeys * to try to fill in missing keys. * * This function was introduced in Growl.framework 0.7. * @result A registration dictionary. */ GROWL_EXPORT CFDictionaryRef Growl_CopyRegistrationDictionaryFromBundle(CFBundleRef bundle); /*! @function Growl_CreateBestRegistrationDictionary * @abstract Obtains a registration dictionary, filled out to the best of * GrowlApplicationBridge's knowledge. * @discussion This function creates a registration dictionary as best * GrowlApplicationBridge knows how. * * First, GrowlApplicationBridge examines the Growl delegate (if there is * one) and gets the registration dictionary from that. If no such dictionary * was obtained, GrowlApplicationBridge looks in your application's main * bundle for an auto-discoverable registration dictionary file. If that * doesn't exist either, this function returns NULL. * * Second, GrowlApplicationBridge calls * Growl_CreateRegistrationDictionaryByFillingInDictionary with * whatever dictionary was obtained. The result of that function is the * result of this function. * * GrowlApplicationBridge uses this function when you call * Growl_SetDelegate, or when you call * Growl_RegisterWithDictionary with NULL. * * This function was introduced in Growl.framework 0.7. * @result A registration dictionary. */ GROWL_EXPORT CFDictionaryRef Growl_CreateBestRegistrationDictionary(void); #pragma mark - // @functiongroup Filling in registration dictionaries /*! @function Growl_CreateRegistrationDictionaryByFillingInDictionary * @abstract Tries to fill in missing keys in a registration dictionary. * @param regDict The dictionary to fill in. * @result The dictionary with the keys filled in. * @discussion This function examines the passed-in dictionary for missing keys, * and tries to work out correct values for them. As of 0.7, it uses: * * Key Value * --- ----- * GROWL_APP_NAME CFBundleExecutableName * GROWL_APP_ICON The icon of the application. * GROWL_APP_LOCATION The location of the application. * GROWL_NOTIFICATIONS_DEFAULT GROWL_NOTIFICATIONS_ALL * * Keys are only filled in if missing; if a key is present in the dictionary, * its value will not be changed. * * This function was introduced in Growl.framework 0.7. */ GROWL_EXPORT CFDictionaryRef Growl_CreateRegistrationDictionaryByFillingInDictionary(CFDictionaryRef regDict); /*! @function Growl_CreateRegistrationDictionaryByFillingInDictionaryRestrictedToKeys * @abstract Tries to fill in missing keys in a registration dictionary. * @param regDict The dictionary to fill in. * @param keys The keys to fill in. If NULL, any missing keys are filled in. * @result The dictionary with the keys filled in. * @discussion This function examines the passed-in dictionary for missing keys, * and tries to work out correct values for them. As of 0.7, it uses: * * Key Value * --- ----- * GROWL_APP_NAME CFBundleExecutableName * GROWL_APP_ICON The icon of the application. * GROWL_APP_LOCATION The location of the application. * GROWL_NOTIFICATIONS_DEFAULT GROWL_NOTIFICATIONS_ALL * * Only those keys that are listed in keys will be filled in. * Other missing keys are ignored. Also, keys are only filled in if missing; * if a key is present in the dictionary, its value will not be changed. * * This function was introduced in Growl.framework 0.7. */ GROWL_EXPORT CFDictionaryRef Growl_CreateRegistrationDictionaryByFillingInDictionaryRestrictedToKeys(CFDictionaryRef regDict, CFSetRef keys); /*! @brief Tries to fill in missing keys in a notification dictionary. * @param notifDict The dictionary to fill in. * @return The dictionary with the keys filled in. This will be a separate instance from \a notifDict. * @discussion This function examines the \a notifDict for missing keys, and * tries to get them from the last known registration dictionary. As of 1.1, * the keys that it will look for are: * * \li GROWL_APP_NAME * \li GROWL_APP_ICON * * @since Growl.framework 1.1 */ GROWL_EXPORT CFDictionaryRef Growl_CreateNotificationDictionaryByFillingInDictionary(CFDictionaryRef notifDict); #pragma mark - // @functiongroup Querying Growl's status /*! @function Growl_IsInstalled * @abstract Determines whether the Growl prefpane and its helper app are * installed. * @result Returns true if Growl is installed, false otherwise. */ GROWL_EXPORT Boolean Growl_IsInstalled(void); /*! @function Growl_IsRunning * @abstract Cycles through the process list to find whether GrowlHelperApp * is running. * @result Returns true if Growl is running, false otherwise. */ GROWL_EXPORT Boolean Growl_IsRunning(void); #pragma mark - // @functiongroup Launching Growl /*! @typedef GrowlLaunchCallback * @abstract Callback to notify you that Growl is running. * @param context The context pointer passed to Growl_LaunchIfInstalled. * @discussion Growl_LaunchIfInstalled calls this callback function if Growl * was already running or if it launched Growl successfully. */ typedef void (*GrowlLaunchCallback)(void *context); /*! @function Growl_LaunchIfInstalled * @abstract Launches GrowlHelperApp if it is not already running. * @param callback A callback function which will be called if Growl was successfully * launched or was already running. Can be NULL. * @param context The context pointer to pass to the callback. Can be NULL. * @result Returns true if Growl was successfully launched or was already * running; returns false and does not call the callback otherwise. * @discussion Returns true and calls the callback (if the callback is not * NULL) if the Growl helper app began launching or was already * running. Returns false and performs no other action if Growl could not be * launched (e.g. because the Growl preference pane is not properly installed). * * If Growl_CreateBestRegistrationDictionary returns * non-NULL, this function will register with Growl atomically. * * The callback should take a single argument; this is to allow applications * to have context-relevant information passed back. It is perfectly * acceptable for context to be NULL. The callback itself can be * NULL if you don't want one. */ GROWL_EXPORT Boolean Growl_LaunchIfInstalled(GrowlLaunchCallback callback, void *context); #pragma mark - #pragma mark Constants /*! @defined GROWL_PREFPANE_BUNDLE_IDENTIFIER * @abstract The CFBundleIdentifier of the Growl preference pane bundle. * @discussion GrowlApplicationBridge uses this to determine whether Growl is * currently installed, by searching for the Growl preference pane. Your * application probably does not need to use this macro itself. */ #ifndef GROWL_PREFPANE_BUNDLE_IDENTIFIER #define GROWL_PREFPANE_BUNDLE_IDENTIFIER CFSTR("com.growl.prefpanel") #endif __END_DECLS #endif /* _GROWLAPPLICATIONBRIDGE_CARBON_H_ */ unison-2.40.102/uimacnew09/Frameworks/Growl.framework/Versions/A/Headers/GrowlApplicationBridge.h0000644006131600613160000006543511361646373032722 0ustar bcpiercebcpierce// // GrowlApplicationBridge.h // Growl // // Created by Evan Schoenberg on Wed Jun 16 2004. // Copyright 2004-2006 The Growl Project. All rights reserved. // /*! * @header GrowlApplicationBridge.h * @abstract Defines the GrowlApplicationBridge class. * @discussion This header defines the GrowlApplicationBridge class as well as * the GROWL_PREFPANE_BUNDLE_IDENTIFIER constant. */ #ifndef __GrowlApplicationBridge_h__ #define __GrowlApplicationBridge_h__ #import #import #import "GrowlDefines.h" //Forward declarations @protocol GrowlApplicationBridgeDelegate; //Internal notification when the user chooses not to install (to avoid continuing to cache notifications awaiting installation) #define GROWL_USER_CHOSE_NOT_TO_INSTALL_NOTIFICATION @"User chose not to install" //------------------------------------------------------------------------------ #pragma mark - /*! * @class GrowlApplicationBridge * @abstract A class used to interface with Growl. * @discussion This class provides a means to interface with Growl. * * Currently it provides a way to detect if Growl is installed and launch the * GrowlHelperApp if it's not already running. */ @interface GrowlApplicationBridge : NSObject { } /*! * @method isGrowlInstalled * @abstract Detects whether Growl is installed. * @discussion Determines if the Growl prefpane and its helper app are installed. * @result Returns YES if Growl is installed, NO otherwise. */ + (BOOL) isGrowlInstalled; /*! * @method isGrowlRunning * @abstract Detects whether GrowlHelperApp is currently running. * @discussion Cycles through the process list to find whether GrowlHelperApp is running and returns its findings. * @result Returns YES if GrowlHelperApp is running, NO otherwise. */ + (BOOL) isGrowlRunning; #pragma mark - /*! * @method setGrowlDelegate: * @abstract Set the object which will be responsible for providing and receiving Growl information. * @discussion This must be called before using GrowlApplicationBridge. * * The methods in the GrowlApplicationBridgeDelegate protocol are required * and return the basic information needed to register with Growl. * * The methods in the GrowlApplicationBridgeDelegate_InformalProtocol * informal protocol are individually optional. They provide a greater * degree of interaction between the application and growl such as informing * the application when one of its Growl notifications is clicked by the user. * * The methods in the GrowlApplicationBridgeDelegate_Installation_InformalProtocol * informal protocol are individually optional and are only applicable when * using the Growl-WithInstaller.framework which allows for automated Growl * installation. * * When this method is called, data will be collected from inDelegate, Growl * will be launched if it is not already running, and the application will be * registered with Growl. * * If using the Growl-WithInstaller framework, if Growl is already installed * but this copy of the framework has an updated version of Growl, the user * will be prompted to update automatically. * * @param inDelegate The delegate for the GrowlApplicationBridge. It must conform to the GrowlApplicationBridgeDelegate protocol. */ + (void) setGrowlDelegate:(NSObject *)inDelegate; /*! * @method growlDelegate * @abstract Return the object responsible for providing and receiving Growl information. * @discussion See setGrowlDelegate: for details. * @result The Growl delegate. */ + (NSObject *) growlDelegate; #pragma mark - /*! * @method notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext: * @abstract Send a Growl notification. * @discussion This is the preferred means for sending a Growl notification. * The notification name and at least one of the title and description are * required (all three are preferred). All other parameters may be * nil (or 0 or NO as appropriate) to accept default values. * * If using the Growl-WithInstaller framework, if Growl is not installed the * user will be prompted to install Growl. If the user cancels, this method * will have no effect until the next application session, at which time when * it is called the user will be prompted again. The user is also given the * option to not be prompted again. If the user does choose to install Growl, * the requested notification will be displayed once Growl is installed and * running. * * @param title The title of the notification displayed to the user. * @param description The full description of the notification displayed to the user. * @param notifName The internal name of the notification. Should be human-readable, as it will be displayed in the Growl preference pane. * @param iconData NSData object to show with the notification as its icon. If nil, the application's icon will be used instead. * @param priority The priority of the notification. The default value is 0; positive values are higher priority and negative values are lower priority. Not all Growl displays support priority. * @param isSticky If YES, the notification will remain on screen until clicked. Not all Growl displays support sticky notifications. * @param clickContext A context passed back to the Growl delegate if it implements -(void)growlNotificationWasClicked: and the notification is clicked. Not all display plugins support clicking. The clickContext must be plist-encodable (completely of NSString, NSArray, NSNumber, NSDictionary, and NSData types). */ + (void) notifyWithTitle:(NSString *)title description:(NSString *)description notificationName:(NSString *)notifName iconData:(NSData *)iconData priority:(signed int)priority isSticky:(BOOL)isSticky clickContext:(id)clickContext; /*! * @method notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:identifier: * @abstract Send a Growl notification. * @discussion This is the preferred means for sending a Growl notification. * The notification name and at least one of the title and description are * required (all three are preferred). All other parameters may be * nil (or 0 or NO as appropriate) to accept default values. * * If using the Growl-WithInstaller framework, if Growl is not installed the * user will be prompted to install Growl. If the user cancels, this method * will have no effect until the next application session, at which time when * it is called the user will be prompted again. The user is also given the * option to not be prompted again. If the user does choose to install Growl, * the requested notification will be displayed once Growl is installed and * running. * * @param title The title of the notification displayed to the user. * @param description The full description of the notification displayed to the user. * @param notifName The internal name of the notification. Should be human-readable, as it will be displayed in the Growl preference pane. * @param iconData NSData object to show with the notification as its icon. If nil, the application's icon will be used instead. * @param priority The priority of the notification. The default value is 0; positive values are higher priority and negative values are lower priority. Not all Growl displays support priority. * @param isSticky If YES, the notification will remain on screen until clicked. Not all Growl displays support sticky notifications. * @param clickContext A context passed back to the Growl delegate if it implements -(void)growlNotificationWasClicked: and the notification is clicked. Not all display plugins support clicking. The clickContext must be plist-encodable (completely of NSString, NSArray, NSNumber, NSDictionary, and NSData types). * @param identifier An identifier for this notification. Notifications with equal identifiers are coalesced. */ + (void) notifyWithTitle:(NSString *)title description:(NSString *)description notificationName:(NSString *)notifName iconData:(NSData *)iconData priority:(signed int)priority isSticky:(BOOL)isSticky clickContext:(id)clickContext identifier:(NSString *)identifier; /*! @method notifyWithDictionary: * @abstract Notifies using a userInfo dictionary suitable for passing to * NSDistributedNotificationCenter. * @param userInfo The dictionary to notify with. * @discussion Before Growl 0.6, your application would have posted * notifications using NSDistributedNotificationCenter by * creating a userInfo dictionary with the notification data. This had the * advantage of allowing you to add other data to the dictionary for programs * besides Growl that might be listening. * * This method allows you to use such dictionaries without being restricted * to using NSDistributedNotificationCenter. The keys for this dictionary * can be found in GrowlDefines.h. */ + (void) notifyWithDictionary:(NSDictionary *)userInfo; #pragma mark - /*! @method registerWithDictionary: * @abstract Register your application with Growl without setting a delegate. * @discussion When you call this method with a dictionary, * GrowlApplicationBridge registers your application using that dictionary. * If you pass nil, GrowlApplicationBridge will ask the delegate * (if there is one) for a dictionary, and if that doesn't work, it will look * in your application's bundle for an auto-discoverable plist. * (XXX refer to more information on that) * * If you pass a dictionary to this method, it must include the * GROWL_APP_NAME key, unless a delegate is set. * * This method is mainly an alternative to the delegate system introduced * with Growl 0.6. Without a delegate, you cannot receive callbacks such as * -growlIsReady (since they are sent to the delegate). You can, * however, set a delegate after registering without one. * * This method was introduced in Growl.framework 0.7. */ + (BOOL) registerWithDictionary:(NSDictionary *)regDict; /*! @method reregisterGrowlNotifications * @abstract Reregister the notifications for this application. * @discussion This method does not normally need to be called. If your * application changes what notifications it is registering with Growl, call * this method to have the Growl delegate's * -registrationDictionaryForGrowl method called again and the * Growl registration information updated. * * This method is now implemented using -registerWithDictionary:. */ + (void) reregisterGrowlNotifications; #pragma mark - /*! @method setWillRegisterWhenGrowlIsReady: * @abstract Tells GrowlApplicationBridge to register with Growl when Growl * launches (or not). * @discussion When Growl has started listening for notifications, it posts a * GROWL_IS_READY notification on the Distributed Notification * Center. GrowlApplicationBridge listens for this notification, using it to * perform various tasks (such as calling your delegate's * -growlIsReady method, if it has one). If this method is * called with YES, one of those tasks will be to reregister * with Growl (in the manner of -reregisterGrowlNotifications). * * This attribute is automatically set back to NO (the default) * after every GROWL_IS_READY notification. * @param flag YES if you want GrowlApplicationBridge to register with * Growl when next it is ready; NO if not. */ + (void) setWillRegisterWhenGrowlIsReady:(BOOL)flag; /*! @method willRegisterWhenGrowlIsReady * @abstract Reports whether GrowlApplicationBridge will register with Growl * when Growl next launches. * @result YES if GrowlApplicationBridge will register with Growl * when next it posts GROWL_IS_READY; NO if not. */ + (BOOL) willRegisterWhenGrowlIsReady; #pragma mark - /*! @method registrationDictionaryFromDelegate * @abstract Asks the delegate for a registration dictionary. * @discussion If no delegate is set, or if the delegate's * -registrationDictionaryForGrowl method returns * nil, this method returns nil. * * This method does not attempt to clean up the dictionary in any way - for * example, if it is missing the GROWL_APP_NAME key, the result * will be missing it too. Use +[GrowlApplicationBridge * registrationDictionaryByFillingInDictionary:] or * +[GrowlApplicationBridge * registrationDictionaryByFillingInDictionary:restrictToKeys:] to try * to fill in missing keys. * * This method was introduced in Growl.framework 0.7. * @result A registration dictionary. */ + (NSDictionary *) registrationDictionaryFromDelegate; /*! @method registrationDictionaryFromBundle: * @abstract Looks in a bundle for a registration dictionary. * @discussion This method looks in a bundle for an auto-discoverable * registration dictionary file using -[NSBundle * pathForResource:ofType:]. If it finds one, it loads the file using * +[NSDictionary dictionaryWithContentsOfFile:] and returns the * result. * * If you pass nil as the bundle, the main bundle is examined. * * This method does not attempt to clean up the dictionary in any way - for * example, if it is missing the GROWL_APP_NAME key, the result * will be missing it too. Use +[GrowlApplicationBridge * registrationDictionaryByFillingInDictionary:] or * +[GrowlApplicationBridge * registrationDictionaryByFillingInDictionary:restrictToKeys:] to try * to fill in missing keys. * * This method was introduced in Growl.framework 0.7. * @result A registration dictionary. */ + (NSDictionary *) registrationDictionaryFromBundle:(NSBundle *)bundle; /*! @method bestRegistrationDictionary * @abstract Obtains a registration dictionary, filled out to the best of * GrowlApplicationBridge's knowledge. * @discussion This method creates a registration dictionary as best * GrowlApplicationBridge knows how. * * First, GrowlApplicationBridge contacts the Growl delegate (if there is * one) and gets the registration dictionary from that. If no such dictionary * was obtained, GrowlApplicationBridge looks in your application's main * bundle for an auto-discoverable registration dictionary file. If that * doesn't exist either, this method returns nil. * * Second, GrowlApplicationBridge calls * +registrationDictionaryByFillingInDictionary: with whatever * dictionary was obtained. The result of that method is the result of this * method. * * GrowlApplicationBridge uses this method when you call * +setGrowlDelegate:, or when you call * +registerWithDictionary: with nil. * * This method was introduced in Growl.framework 0.7. * @result A registration dictionary. */ + (NSDictionary *) bestRegistrationDictionary; #pragma mark - /*! @method registrationDictionaryByFillingInDictionary: * @abstract Tries to fill in missing keys in a registration dictionary. * @discussion This method examines the passed-in dictionary for missing keys, * and tries to work out correct values for them. As of 0.7, it uses: * * Key Value * --- ----- * GROWL_APP_NAME CFBundleExecutableName * GROWL_APP_ICON The icon of the application. * GROWL_APP_LOCATION The location of the application. * GROWL_NOTIFICATIONS_DEFAULT GROWL_NOTIFICATIONS_ALL * * Keys are only filled in if missing; if a key is present in the dictionary, * its value will not be changed. * * This method was introduced in Growl.framework 0.7. * @param regDict The dictionary to fill in. * @result The dictionary with the keys filled in. This is an autoreleased * copy of regDict. */ + (NSDictionary *) registrationDictionaryByFillingInDictionary:(NSDictionary *)regDict; /*! @method registrationDictionaryByFillingInDictionary:restrictToKeys: * @abstract Tries to fill in missing keys in a registration dictionary. * @discussion This method examines the passed-in dictionary for missing keys, * and tries to work out correct values for them. As of 0.7, it uses: * * Key Value * --- ----- * GROWL_APP_NAME CFBundleExecutableName * GROWL_APP_ICON The icon of the application. * GROWL_APP_LOCATION The location of the application. * GROWL_NOTIFICATIONS_DEFAULT GROWL_NOTIFICATIONS_ALL * * Only those keys that are listed in keys will be filled in. * Other missing keys are ignored. Also, keys are only filled in if missing; * if a key is present in the dictionary, its value will not be changed. * * This method was introduced in Growl.framework 0.7. * @param regDict The dictionary to fill in. * @param keys The keys to fill in. If nil, any missing keys are filled in. * @result The dictionary with the keys filled in. This is an autoreleased * copy of regDict. */ + (NSDictionary *) registrationDictionaryByFillingInDictionary:(NSDictionary *)regDict restrictToKeys:(NSSet *)keys; /*! @brief Tries to fill in missing keys in a notification dictionary. * @param notifDict The dictionary to fill in. * @return The dictionary with the keys filled in. This will be a separate instance from \a notifDict. * @discussion This function examines the \a notifDict for missing keys, and * tries to get them from the last known registration dictionary. As of 1.1, * the keys that it will look for are: * * \li GROWL_APP_NAME * \li GROWL_APP_ICON * * @since Growl.framework 1.1 */ + (NSDictionary *) notificationDictionaryByFillingInDictionary:(NSDictionary *)regDict; + (NSDictionary *) frameworkInfoDictionary; @end //------------------------------------------------------------------------------ #pragma mark - /*! * @protocol GrowlApplicationBridgeDelegate * @abstract Required protocol for the Growl delegate. * @discussion The methods in this protocol are required and are called * automatically as needed by GrowlApplicationBridge. See * +[GrowlApplicationBridge setGrowlDelegate:]. * See also GrowlApplicationBridgeDelegate_InformalProtocol. */ @protocol GrowlApplicationBridgeDelegate // -registrationDictionaryForGrowl has moved to the informal protocol as of 0.7. @end //------------------------------------------------------------------------------ #pragma mark - /*! * @category NSObject(GrowlApplicationBridgeDelegate_InformalProtocol) * @abstract Methods which may be optionally implemented by the GrowlDelegate. * @discussion The methods in this informal protocol will only be called if implemented by the delegate. */ @interface NSObject (GrowlApplicationBridgeDelegate_InformalProtocol) /*! * @method registrationDictionaryForGrowl * @abstract Return the dictionary used to register this application with Growl. * @discussion The returned dictionary gives Growl the complete list of * notifications this application will ever send, and it also specifies which * notifications should be enabled by default. Each is specified by an array * of NSString objects. * * For most applications, these two arrays can be the same (if all sent * notifications should be displayed by default). * * The NSString objects of these arrays will correspond to the * notificationName: parameter passed in * +[GrowlApplicationBridge * notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:] calls. * * The dictionary should have the required key object pairs: * key: GROWL_NOTIFICATIONS_ALL object: NSArray of NSString objects * key: GROWL_NOTIFICATIONS_DEFAULT object: NSArray of NSString objects * * The dictionary may have the following key object pairs: * key: GROWL_NOTIFICATIONS_HUMAN_READABLE_NAMES object: NSDictionary of key: notification name object: human-readable notification name * * You do not need to implement this method if you have an auto-discoverable * plist file in your app bundle. (XXX refer to more information on that) * * @result The NSDictionary to use for registration. */ - (NSDictionary *) registrationDictionaryForGrowl; /*! * @method applicationNameForGrowl * @abstract Return the name of this application which will be used for Growl bookkeeping. * @discussion This name is used both internally and in the Growl preferences. * * This should remain stable between different versions and incarnations of * your application. * For example, "SurfWriter" is a good app name, whereas "SurfWriter 2.0" and * "SurfWriter Lite" are not. * * You do not need to implement this method if you are providing the * application name elsewhere, meaning in an auto-discoverable plist file in * your app bundle (XXX refer to more information on that) or in the result * of -registrationDictionaryForGrowl. * * @result The name of the application using Growl. */ - (NSString *) applicationNameForGrowl; /*! * @method applicationIconForGrowl * @abstract Return the NSImage to treat as the application icon. * @discussion The delegate may optionally return an NSImage * object to use as the application icon. If this method is not implemented, * {{{-applicationIconDataForGrowl}}} is tried. If that method is not * implemented, the application's own icon is used. Neither method is * generally needed. * @result The NSImage to treat as the application icon. */ - (NSImage *) applicationIconForGrowl; /*! * @method applicationIconDataForGrowl * @abstract Return the NSData to treat as the application icon. * @discussion The delegate may optionally return an NSData * object to use as the application icon; if this is not implemented, the * application's own icon is used. This is not generally needed. * @result The NSData to treat as the application icon. * @deprecated In version 1.1, in favor of {{{-applicationIconForGrowl}}}. */ - (NSData *) applicationIconDataForGrowl; /*! * @method growlIsReady * @abstract Informs the delegate that Growl has launched. * @discussion Informs the delegate that Growl (specifically, the * GrowlHelperApp) was launched successfully. The application can take actions * with the knowledge that Growl is installed and functional. */ - (void) growlIsReady; /*! * @method growlNotificationWasClicked: * @abstract Informs the delegate that a Growl notification was clicked. * @discussion Informs the delegate that a Growl notification was clicked. It * is only sent for notifications sent with a non-nil * clickContext, so if you want to receive a message when a notification is * clicked, clickContext must not be nil when calling * +[GrowlApplicationBridge notifyWithTitle: description:notificationName:iconData:priority:isSticky:clickContext:]. * @param clickContext The clickContext passed when displaying the notification originally via +[GrowlApplicationBridge notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:]. */ - (void) growlNotificationWasClicked:(id)clickContext; /*! * @method growlNotificationTimedOut: * @abstract Informs the delegate that a Growl notification timed out. * @discussion Informs the delegate that a Growl notification timed out. It * is only sent for notifications sent with a non-nil * clickContext, so if you want to receive a message when a notification is * clicked, clickContext must not be nil when calling * +[GrowlApplicationBridge notifyWithTitle: description:notificationName:iconData:priority:isSticky:clickContext:]. * @param clickContext The clickContext passed when displaying the notification originally via +[GrowlApplicationBridge notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:]. */ - (void) growlNotificationTimedOut:(id)clickContext; @end #pragma mark - /*! * @category NSObject(GrowlApplicationBridgeDelegate_Installation_InformalProtocol) * @abstract Methods which may be optionally implemented by the Growl delegate when used with Growl-WithInstaller.framework. * @discussion The methods in this informal protocol will only be called if * implemented by the delegate. They allow greater control of the information * presented to the user when installing or upgrading Growl from within your * application when using Growl-WithInstaller.framework. */ @interface NSObject (GrowlApplicationBridgeDelegate_Installation_InformalProtocol) /*! * @method growlInstallationWindowTitle * @abstract Return the title of the installation window. * @discussion If not implemented, Growl will use a default, localized title. * @result An NSString object to use as the title. */ - (NSString *)growlInstallationWindowTitle; /*! * @method growlUpdateWindowTitle * @abstract Return the title of the upgrade window. * @discussion If not implemented, Growl will use a default, localized title. * @result An NSString object to use as the title. */ - (NSString *)growlUpdateWindowTitle; /*! * @method growlInstallationInformation * @abstract Return the information to display when installing. * @discussion This information may be as long or short as desired (the window * will be sized to fit it). It will be displayed to the user as an * explanation of what Growl is and what it can do in your application. It * should probably note that no download is required to install. * * If this is not implemented, Growl will use a default, localized explanation. * @result An NSAttributedString object to display. */ - (NSAttributedString *)growlInstallationInformation; /*! * @method growlUpdateInformation * @abstract Return the information to display when upgrading. * @discussion This information may be as long or short as desired (the window * will be sized to fit it). It will be displayed to the user as an * explanation that an updated version of Growl is included in your * application and no download is required. * * If this is not implemented, Growl will use a default, localized explanation. * @result An NSAttributedString object to display. */ - (NSAttributedString *)growlUpdateInformation; @end //private @interface GrowlApplicationBridge (GrowlInstallationPrompt_private) + (void) _userChoseNotToInstallGrowl; @end #endif /* __GrowlApplicationBridge_h__ */ unison-2.40.102/uimacnew09/Frameworks/Growl.framework/Versions/A/Headers/Growl.h0000644006131600613160000000020211361646373027376 0ustar bcpiercebcpierce#include "GrowlDefines.h" #ifdef __OBJC__ # include "GrowlApplicationBridge.h" #endif #include "GrowlApplicationBridge-Carbon.h" unison-2.40.102/uimacnew09/Frameworks/Growl.framework/Versions/A/Growl0000755006131600613160000077227011361646373025625 0ustar bcpiercebcpierceu ,t 4  x__TEXT__text__TEXT`__symbol_stub1__TEXT$zr$z__stub_helper__TEXT}x }__cstring__TEXT-__const__TEXT0 0__unwind_info__TEXTPP__eh_frame__TEXT `H__DATA00__nl_symbol_ptr__DATAp__la_symbol_ptr__DATApp__dyld__DATA__cfstring__DATA__gcc_except_tab__DATA__objc_msgrefs__DATApp__objc_protorefs__DATA__objc_selrefs__DATAP__objc_classrefs__DATAHH__objc_superrefs__DATA__objc_classlist__DATA__objc_catlist__DATA00__objc_protolist__DATA88__objc_imageinfo__DATAHH__data__DATA` `__bss__DATA@pH__LINKEDITuu X@executable_path/../Frameworks/Growl.framework/Versions/A/Growl@F,WO8"6]"0``H h/>xQ@$ PMM9L4HC,l8/usr/lib/libobjc.A.dylib p"/System/Library/Frameworks/ApplicationServices.framework/Versions/A/ApplicationServices X/System/Library/Frameworks/Carbon.framework/Versions/A/Carbon X.-/System/Library/Frameworks/AppKit.framework/Versions/C/AppKit `,/System/Library/Frameworks/Foundation.framework/Versions/C/Foundation 8/usr/lib/libgcc_s.1.dylib 8o/usr/lib/libSystem.B.dylib h /System/Library/Frameworks/CoreServices.framework/Versions/A/CoreServices h/System/Library/Frameworks/CoreFoundation.framework/Versions/A/CoreFoundationASLcAS%cUH5@HAVAUATISHH=#H=IH9t,H5H5HH5`HdcH=IH5H5LH5HH5H!cH=H5WQHH53L*H5SHJH5HbH=u[A\A]A^H5jH=1aH=H5HH5LH5HH5JHfbE1H LALH5_LVH=H582H5HAH=XH5H HL EHH51H=HH`H5t"H HH5E1ILLE1HLH5=L4HH5H=H5F@H 9HL EHmH51H=HHH5t"H H5E1ILLE1HLH5LHH5?9LHH5XR|[A\A]A^UHHUHH H=HE uHD$HD$Et$H5$UH50HH]LeLLmLuIL}HPEH}IMH=KL} EHE(HEEEE1HH1H UH5f`MHtH5YLHUMtH5bLHUMtH5kLHwUMtH5tLH`UEątUH5xHQU}tUH5HUH}tHUH5HUH}HH5HLH]LeLmH5tLuL}AUHH]LeHLmLuIL}H@=H5"IHH5LMHtSHH5LHHu+H~^HH=Է1]n^Ha^H]H=lH5mgHH5IHI=IHH5,H#MItLH5Lu1MAtLH5Lu1DAH5HEHEt.H5yLH_iH :HH5HH}Et.H5FLH,6H ǶHH5H}H5hH}^HH=dH5ILH]LeLmHLuL}E11HH5AH]LeLmLuL}UH=H5jHaHUHAUATLeSHL-)EENL[IuHHYHt%H51HOZHuH0ZH!ZL[ft1H[A\A]UHUHHATIStH5 H5.(HH=H571HH5H5H[HLL5[A\H5+AU1LH5HAU`HUSHUH=>HHt1HH5tH=LH5A1UHHATSHuH=H5tnHH ̴HH5FHE1:Ht@H=HH5HIu!H5HH=H1Y[LA\UH5HH]LeHIHHuO1H5|LsHHu5H=LH5H5pHgH=XH1HH5LH5HH5XHtXHIHtH H5>L5MtHH5RLIHҲH5CL:H)HIHLHItrH=H5E1LHH H5E1=HLH5 LH HHH5vpH5HHH5pLg1Mt LUHH5MtH$H5EL<tWH H5:L1Hu6H H5LHtH ѱHH5LMtHH5ӿLʿtFHױH5LHu*HsSHSH HH5ULLLH]LeLmH5LuL}AH]Le1LmLuL}UH5'HAUATSHHHHpIH5HHueHHuBHH5HH5&HH5HUHHtH H5tLkH H5LHueH@HuBHDH5uHlH5HH5 H)UHHtH H5LHH5LHH+H5LHu~H=H5HL%H=H5H5H|H߉H5pAHH5SLH H@H5ɿHLHL[A\A]H5vAUH=H6QH9QUHSHHH=Ht1HH5tH=H5HuJH1H5HٽHu.H=H5LiHHH5[[AH[UH5WHH]LeHLmLuH H=V0H5HL%)IL-HH5HHH5.(LH5~HALL^H$Ld$Ll$H5ILt$AUH5HH]LeHLmLuH H=H5:H1L%zIL-HH5HHH5yLH5HALLH$Ld$Ll$H5Lt$AUH5HH]HLeLmLuH IH=oL-IHH5+%IH{LLH5nHAH=H5H$Ld$H5Ll$Lt$1~QUHLeH]HH=jI)1H=HHH5HHH=)H5HHʣH5#H ILL H5&HHHH5Ht3HHH5HظH5HH5HH=]1OH51|PFHHu6HvPHH=̩1OH5V1KPXPHNPHOH1H$Ld$UH5HATSHH=H5HIH=HH5tH=H5ѷ˷H=H5-'E11HHH5H=ԿH5E1HH RHH5 =KtH5:H12[LLH5A\AU1LH5HAUH5HAWAVAUATSHXH}HUH=H5&HHHu>H=޾H5wqH HHH5 HHHH=hHH5F@H(L}EEZLM1Ht HKHH5mgHHHH560HHH5õuLLftH}DHH;mLH;HIeLLIKL%L-VMHUH5ĸH}MHALHH5 1AHLH5HLIGKH5ҴLɴH=vIHH5H=LH5H)HHH5I%LLHH5F@H5YIHMH=vIH.H57H=*LH5 H)HgHH5IH=ELEHUH5Ht*1LH5HuIH=LTK8HUH=L1=KHuH=1+KH}H5ZTH=H5LHH5t!H=H5{LmIE11AAL nspcodotvea$/HHIu)H5H}H=H1uJ1KLH5F@HH5!H5HHIH5HMHlruf----LGAt2IH5HH}۴H=HIcH1ILuLLEGAt4kIH}HH5H=dHIcH1IW1HLFAt2IH5OHH}BH=3HIcH11ILFEHX[A\A]A^A_UH=HATHSHtiHqH5zttH=H5b\3H=HDH5E?tH=dH5HIuHH5qHhHItFHIH=ZH5[UH5.HLӄtZLH5HIuBHHH5#H1HIt HxFHH5.([LA\UHHU@=HUHUH1HHtHpHtHH8EHUHH]LeHLmLuL}H@HuVEHHH5'1HEHIu`HEHH>1HSFHIu HEIHEMH= L1FLE1HFHIu LEIHM11LHE'HUIHtH=ͤL1FH}PEMuH=ΤL1rFmLDHDH9tXDHDDLIDH1DH=MHLLH1FHDLDLE1DLDLDE1LH]LeLmLuL}U1HAVAUATISH HH3H1H8CMItH5ǠLaDt~H5LCufHIHt3HxHuHxHt!H5CHHt DHHu UHHtH5ULHtCHCMtH5VLCH5?L Cu~HHt3HxHuHxHt!H5CHHt xCHHu%HIt2H?LHJCHtH5ȟLHBH+CMtH5ɟL#CH5L^BHIH9Ht]HEHHL LHuHUHUH8BHHt+H5<LHBHBH5 LALfBMtH5DL^Bt>H51LAu&H5>LAHtH5 HLAMtH53L Bt2H5 LLAu AH@H5HL_ALH [A\A]A^U1HUHAVAULmATE1SHL5<EEQLE1BHHt9I6H@HtH5HA@uE1H6AEu L%BftHA[A\A]A^U1HH]LmLmLuLeHĀHHH;?1LnappIHEAfu[H;L4AHItHH;HhH?HHt&Hr?HULHHHED?Hh@L`@1Lnapp$AfubHLH;@HItHH;HH+?HHt&H>HULHHHE>H?L?1Lnapp@fubHLH;>@HItHH;HrH>HHt&H|>HULHHHEN>Hr?Lj?LH]LeLmLuUHAWIAVAUATSHH8H0HIH>1I=LLf=HHt&H>HtH5ҞH>HtXLL9|HDž@L>H@#H@HH511=HHHuH|>H@MuHsHHxX>HrH $E1HAH=MH=uHƒHג1H8<HHLHPHuE1ɹHEHLPHEH0HXHbH8=HHtH=Hc<H=E1H8HIuH5H=1>bL5I>=I>HH=HI!=HLPL-ޑI>HPHXHyL`LHhHHp;LH<I>H`H<HI<I>11L$=LHE<HuI>0=HH+=H8HMHHE9<HUHt'HuH=1n=H8H=Қ1Y=HE1<H<H}uI>HuL:IH};HHH}1LeHEE HEHE<HH;MtL;H@;1HĨ[A\A]A^A_U1ҾnappHAWL}AVLAUATSHX"<fL-LI};HHI}HH;HI:Mt`I}L9LH:HtFH9HtH5H:HH:H:H11Lnapp\;fuWL52LI>:HIt=I>HEH:LIC:MtI>L=9LH(:Ht4H79HtH5H:HH191Lnapp:fuWL5LI>H:HIt=I>HH:LI9MtI>L8LH9Ht.H8HtH5PHk9HtvHL941HIt_H!81IALLf8HHt*H.8HtH5H 9HFLL9|1L81HHX[A\A]A^A_ULHSHHƶHt$HX`HtH5)"8HIH[AH[ULHSHHHt$HXhHtH57HIH[AH[UHKHATHSt HpHtH،H87HIu1HItL1XHLI7[LA\UHH]LeHLmIH HILHZMtL7LeH]LmUHH]LeHLmLuH06L-"HpHI}6HIHI6H5L6upH3HtdHpHt[I}(7HHu0H5eL{6I}H7HHu 5 HHtH55LHT6H6H5;L6HHt HpHtH?H85HHuNH5L5HHH85HHu% HIt2H! LH,6HtH5LH5H 6L6H5LT5tUH55LA5uB7EHHUܾ H85HHtH5LH95H5LH]LeLmLuUHSH=t2H'5H5 HHE115HH[D5H[UH5?HLeH]ILmLuL}HHtQHHuH5&H=(6nLhMu/HxHtH5<U4HIuH5H=1HHIT$( HxH7HpH H]HHEHsH]HHEHH]HHEH'H]HHEH;3IID$(H;HUϾH?E3IL$IIt$ID$IT$ L L@HH(H0H8LHHPHDžXHDž`HDžhtHuH(H0HHEH0H8HHE8HPH8HZɃHxtHHpH@H I|$0t HHpID$0H I|$@t ID$@H+HpH HL H L{HpH82HH H2L2L}2H]LeLmLuL}UHHPEEHU1EH}H}H?HEHHEHEDEHH#EHEHuHMH HEHEHEUHHATSt 1AH=IHt1L1L11HϯSL1[A\U1HUHAUATSHHH=H9t0Ht HGPHtHtHCHHtHHHQHHt&LgMu9HHtH50HIuH5tH=͊14212HL HAL11H;1I2H;L HڊAL110H=ItZ=@0HHAE1LHH0HAE1LHH/f@=]t7/H5^H1LH/H51LH/$L/L/1H[A\A]UHAVAUATS}/H5Hz/H=Hte.E1I"HHu!HwI>H5KH "HH8H=\1McHL#HtHu"E$L#fDuH 1Ҿ#MuiHKfH8HEIHEIGHEIGHEIGHEIG HEIG(HEIG0HEIG8HEIG@HEIGHL1L#HH(Lƅ HHH:H0HB"DH=bMc1L"ftQH@HH-"tH(KHcȾH1H#H=/LH1P"zP"HHL@HHDžPHF"fDuuME1ft@HL!tH$HHcȾL1"H=IcLfL!fDrL@HL!tHJHcȾL14"H=[IcL1!ftLL@HL tHIHcȾL1!H=IcL1 EDDH ftIL@H}LQ tHFHcȾL1l!H=ӃIcL1t EDDHeD[A\A]A^A_UHAWAVAULmATILSHHHH0LHH8tuHHH=v1uH=L1HPLP1LHH@{ L~LH@H=LLL1ftfwtXH=IL1m(H81MLLLt=wt'LcHHH='L1+9HHrHH8YHĨ[A\A]A^A_UHH]LmHL}LeALuHPHIHMuH=؂1+L58rHI>gHIuH=΂H1E1HDuH=ɂHE1loI>LMLED1LHEHIuHUH=H1-MtHEIH}HtH}t HEH8LLLH]LeLmLuL}UHLeLmILuL}E1H]H`HIAtIMHEt LHE1fAIHEHHEH%H1MtL}HEH1LLULfAtfD,CHMtHUH CHE1LHU HpHUHLeH]LmLuHHjpL}H8UH5}HLeLmILuH]IH0ZHItVH3H=H5-'LHH5 H$L #xMH 9x1HLLH]LeLmLuUHATISHHHHH<HHI<zH{HI<fHOLeH}H5@HE6H[A\HNUHHH5UHHUHLeLmIH]H H IH<H9t>H5HLH5LLeLmH]HH]LeLmHUHHUHLeLmIH]H H~IH<H9t>H5c]H^LH5,&LLeLmH]H~H]LeLmUHAWAVAULpATLeSHxHhEEE1AL&f1HLLLDžpHfD;uvL[HHtH}HuLEH[mH5,HH HhHH5t:HvH5HHtH=HH5DuIH5H#UċuH=}I11Jf=t!H5KH=}H1!HxL[A\A]A^A_UHsL H5HAUHH]LeHLmLuL}H@HΕHH=HgwH5H5H_HHHH5icH5LHCH5,H#HH5HH5 HH5HI݆H5ƆHH|HH5<6t6H=CHH5 H5ܔHH͔HH5uLlH5UHLHm|HH5ˆņt6H=҈LH5H5kH'H\HWH=H5ׅ݅HE+H5IHIH5LyHH{H5RHIHvHH582H5HHH} tHH=H5ƅHH{H5̈́HĄHbHuH5HH=H5GHH87H5LHEH{H5tHkH}H5 IHIH5LH]tHH5HL%τLH5LHHH5AHHt:H5HHt%H tH5HHH5SLJH5LHI2H5H}}HH]LeLmLuL}H=֑UHu~H5H5HH=uXH=H5H GqHH]qH5~xH=ɅH5HH5ZHHKUHAWAVAUATISDH(HcHκ"IHDL%݁H5H݁H5ƁHHAH=&H5oIfH5OILCI*HH5tLktHH5MLDH5LHHuMPt4 t\H=x1E1E&t*u)H9xH5H=x}IH9xHPxL=xH=8H5{LIEHL%IH5HH5zHHAH5HEL IKLH5ހHՀHMHHH5Lt}tHH5H}H5LHuLmH(L[A\A]A^A_UE1LH5HAUAH5qHATISbH5HHHtHL01[A\H5$AAH5LH5YHHMHtY1HH5~~HvHH5HH=uH51HHH5~~u1H[A\UAH5}~HH]LeILmH a~H5~HH~HIt#HL,~H]LeLm1H5~AH5}L}HHtIH|uH5~H~HH=H5~~1HHH5}}IDHLeH]LmUAH5}HH]LeILmH }}H5}HH}HIt#HLH}H]LeLm1H53}AH5}L|HHtIHtH5}H}HH=H5}}1HHH5||IDHLeH]LmU1L|H5||HAUH5}HAVAUATSHH=I}HIuH=,H5-|'|HHLH5||H=IH5{{HL%{H5|L|H5{HHAH5 }IL|I&H5q{HH|a{H5 |HLH5|L|Hu1AHH5;}5}H=>H57{1{LHHsH5z1zH5zHHLzt IIuLH5||HLzH5z[A\A]A^AUH5^zHH]LeHLmH BzL-{IHH6sH5zzLMH]LeLmHH5{AUHAUIATSHHuH= s1 QLeHE LH HHL6 ft'L H=rHHcL1 E1H}HME1E111HE4 H}؉ tE1tKH=rHcL1o 5HuHtH_1H8 IH=r1E18 H} HL[A\A]UHH]LeLmHĀI? H5prIĺH LH HH]LH) tvHU1HHEW ftH=4rHcL1 BH}f H}3 HHEH0H^H8d H}H> H} 1HLeH]LmUH5qHH]LeHLmHh H5qHIV HtHHMH5qH( HHEtHUؾ H^ Lb11HH1 HA At1H`D D H]HU1LH8 1H]LeLmUHH]LeHLmLuL}H0HuH56qH=b1 116 HIMIHAljE1DtsH^]H _]H[]H8It+H5epLHLhH5p1LBEtH5UpLLL8LH]LeLmLuL}UHUHH]LeILmH0H\IUHUܾ H8LHLHcHH]LeLmUHt H\H\H,UHUHH HtHU HGEEUH1Ht H=UH5xHATISHHEMEMEM E(MEbxEHEMEHEHEME(f(M f(HEEMu-MH5wEHM E(f(Mw1H5wHHEHEwf.EMEMw f.Mf.EvEM^YMf(p\EY?XEpEMNMf.vCM^MYf(p\EY?XEgpEMH5vHvH=#xH5vvHH5vvHUMf.v\f(Y ?XEEEf.Ev!\EEY>XEEMHUMHEHU M HE(E(MEEHEMHT$0ELHEHD$ HEMH5uE(EHD$(EHEMEHD$8HEM H$HEHD$HE HD$HE(HD$nuH[A\UH5JuHSHHHEM/uH5uHuEHEHMH5tHEHEEHEMtHEHEHEEHEMHH[UH5tHLeLmIH]LuL}HpEMEotHI H5LtLA=tH5&tHtfWIEH5tHtMfWEHEf.MUHEHE\UHEvf.wDEu4f(EfT <fT<f.wfWf.vMf.v UIE1H5lsLcsHH[Mu+LL8sH]LeLm1LuL}H5sALH]LeLmLuL}UH5&sHATSH0EM sH5rHrIGH5sHwsEHEMUHEHE]EHEMuH5rLrHHuH0H[A\UH5DrHH]LeHH IH&rHu&HtLH]H}H5qHEqHH]LeH%FV%HV%JV%LV%NV%PV%RV%TV%VV%XV%ZV%\V%^V%`V%bV%dV%fV%hV%jV%lV%nV%pV%rV%tV%vV%xV%zV%|V%~V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%V%W%W%W%W%W% W% W%W%W%W%W%W%W%W%W%W% W%"W%$W%&W%(W%*W%,W%.W%0W%2W%4W%6W%8W%:W%W%@W%BW%DW%FW%HW%JW%LW%NW%PW%RW%TW%VW%XW%ZW%\W%^W%`W%bW%dW%fW%hW%jWH=jRtLiRAS%YRHܛhLRhLRh*LRh@LRh\LRhyLzRshLpRahLfROhL\R=hLRR+hLHRhL>Rh3L4RhQL*RhqL RhLRhL RhLRhLQhLQwh9LQehYLQShnLQAhLQ/hLQhLQ hLQhLQh&LQhFLQhaLQhLvQhLlQhLbQ{hLXQihLNQWh LDQEh@L:Q3h]L0Q!hmL&QhLQhLQhLQhLPhLPh'LPhTLPhLPhLPmhLP[hLPIhLP7h*LP%hDLPhgLPhLPhL|PhLrPhLhPhL^PhLTPhLJPh:L@Pqh\L6P_hL,PMhL"P;hLP)hLPh LPh5LOhOLOhyLOhLOhLOhLOh LOh; LOuhl LOch LOQh LO?h LO-h LOh LxO h3 LnOhN LdOhi LZOh LPOh LFOh LMhAL4Mh\L*MhuL MhLMhL MhLMhLLc16@0:8c24@0:8@16@16@0:8@32@0:8@16@24v20@0:8c16v16@0:8v72@0:8@16@24@32@40i48c52@56@64v64@0:8@16@24@32@40i48c52@56O@16@0:8Vv24@0:8O@16launchGrowlIfInstalled_launchGrowlIfInstalledWithRegistrationDictionary:_growlIsReady:growlProxyconnectionDidDie:growlNotificationTimedOut:growlNotificationWasClicked:_applicationIconDataForGrowlSearchingRegistrationDictionary:_applicationNameForGrowlSearchingRegistrationDictionary:frameworkInfoDictionarynotificationDictionaryByFillingInDictionary:registrationDictionaryByFillingInDictionary:restrictToKeys:registrationDictionaryByFillingInDictionary:bestRegistrationDictionaryregistrationDictionaryFromBundle:registrationDictionaryFromDelegatewillRegisterWhenGrowlIsReadysetWillRegisterWhenGrowlIsReady:reregisterGrowlNotificationsregisterWithDictionary:displayInstallationPromptIfNeededisGrowlRunningisGrowlInstallednotifyWithDictionary:notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:identifier:notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:growlDelegatesetGrowlDelegate:growlIsReadyregisterApplicationWithDictionary:applicationIconForGrowlregistrationDictionaryForGrowldefaultCenterautoreleaseaddObserver:selector:name:object:processInfoprocessIdentifierallocinitWithFormat:respondsToSelector:removeObserver:name:object:initWithObjectsAndKeys:postNotificationWithDictionary:classobjectForKey:isKindOfClass:mutableCopyTIFFRepresentationsetObject:forKey:postNotificationName:object:userInfo:deliverImmediately:growlPrefPaneBundlemainBundlepathForResource:ofType:dictionaryWithContentsOfFile:bundlePathcontainsObject:removeObjectForKey:initWithInt:processNameinituserInfodrainobjectconnectionWithRegisteredName:host:rootProxysetProtocolForProxy:postNotificationName:object:userInfo:runningHelperAppBundlefileURLWithPath:stringWithFormat:stringByAppendingPathExtension:lengthsubstringToIndex:stringByAppendingPathComponent:dataFromPropertyList:format:errorDescription:writeToFile:atomically:absoluteStringdataUsingEncoding:bytesgrowlVersionGrowlApplicationBridgeGrowlNotificationProtocolGrowlApplicationBridge: Cannot register because the application name was not supplied and could not be determinedLend Me Some Sugar; I Am Your Neighbor!GrowlClicked!%@-%d-%@GrowlTimedOut!NotificationNameNotificationClickContextNotificationStickyGrowlNotificationIdentifierGrowlApplicationBridge: exception while sending notification: %@NotificationAppIconGrowlNotificationgrowlRegDictGrowl Registration TicketGrowlApplicationBridge: The bundle at %@ contains a registration dictionary, but it is not a valid property list. Please tell this application's developer.GrowlApplicationBridge: The Growl delegate did not supply a registration dictionary, and the app bundle at %@ does not have one. Please tell this application's developer.com.growl.growlframeworkGrowlApplicationBridgePathwayReceived a fake GrowlApplicationBridgePathway object. Some other application is interfering with Growl, or something went horribly wrong. Please file a bug report.GrowlHelperApp%@-%u-%@GrowlApplicationBridge: Error writing registration dictionary at %@GrowlApplicationBridge: Error writing registration dictionary at %@: %@GrowlApplicationBridge: Registration dictionary follows %@%@: Could not create open-document event to register this application with Growl%@: Could not set direct object of open-document event to register this application with Growl because AEStreamWriteKeyDesc returned %li/%s%@: Could not finish open-document event to register this application with Growl because AEStreamClose returned %li/%s%@: Could not send open-document event to register this application with Growl because AESend returned %li/%sGrowlApplicationBridge: Delegate did not supply a registration dictionary, and the app bundle at %@ does not have oneGrowlApplicationBridge: Got error reading property list at %@: %@GrowlApplicationBridge: Delegate did not supply a registration dictionary, and it could not be loaded from %@GrowlApplicationBridge: Registration dictionary file at %@ didn't contain a dictionary (dictionary type ID is '%@' whereas the file contained '%@'); description of object follows %@ApplicationNameApplicationIconAppLocationfile-dataDefaultNotificationsApplicationIdcom.Growl.GrowlHelperAppprefPanecom.growl.prefpanelCallbackContextGrowlApplicationBridge: Could not find the temporary directory path, therefore cannot register.%@/.GrowlApplicationBridge: Error writing registration dictionary to URL %@: %@ClickedContextApplicationPIDGrowlApplicationBridge: Growl_PostNotification called with a NULL notificationGrowlApplicationBridge: Growl_PostNotification called, but no delegate is in effect to supply an application name - either set a delegate, or use Growl_PostNotificationWithDictionary insteadGrowlApplicationBridge: Growl_PostNotification called, but no application name was found in the delegateNotificationTitleNotificationDescriptionNotificationPriorityNotificationIconGrowlApplicationBridge: Growl_SetDelegate called, but no application name was found in the delegaterbin copyCurrentProcessName in CFGrowlAdditions: Could not get process name because CopyProcessName returned %liin copyCurrentProcessURL in CFGrowlAdditions: Could not get application location, because GetProcessBundleLocation returned %li in copyTemporaryFolderPath in CFGrowlAdditions: Could not locate temporary folder because FSFindFolder returned %lir%s:%dIPv4 un-ntopable[%s]:%dIPv6 un-ntopableneither IPv6 nor IPv4in copyIconDataForURL in CFGrowlAdditions: could not get icon for %@: GetIconRefFromFileInfo returned %li in copyIconDataForURL in CFGrowlAdditions: could not get icon for %@: IconRefToIconFamily returned %li in createURLByMakingDirectoryAtURLWithName in CFGrowlAdditions: parent directory URL is NULL (please tell the Growl developers) in createURLByMakingDirectoryAtURLWithName in CFGrowlAdditions: name of directory to create is NULL (please tell the Growl developers) in createURLByMakingDirectoryAtURLWithName in CFGrowlAdditions: could not create FSRef for parent directory at %@ (please tell the Growl developers) PBCreateDirectoryUnicodeSync or PBMakeFSRefUnicodeSync returned %li; calling CFURLCreateFromFSRefCFURLCreateFromFSRef returned %@in createURLByMakingDirectoryAtURLWithName in CFGrowlAdditions: could not create directory '%@' in parent directory at %@: FSCreateDirectoryUnicode returned %li (please tell the Growl developers)(could not get path for source file: FSRefMakePath returned %li)in copyFork in CFGrowlAdditions: PBOpenForkSync (source: %s) returned %liin copyFork in CFGrowlAdditions: PBGetCatalogInfoSync (source: %s) returned %liPBMakeFSRefUnicodeSync(could not get path for destination directory: FSRefMakePath returned %li)(could not get filename for destination file: CFStringCreateWithCharactersNoCopy returned NULL)in copyFork in CFGrowlAdditions: %s (destination: %s/%@) returned %liPBCreateFileUnicodeSyncin copyFork in CFGrowlAdditions: PBOpenForkSync (dest) returned %li(could not get path for dest file: FSRefMakePath returned %li)in copyFork in CFGrowlAdditions: PBOpenForkSync (destination: %s) returned %liin copyFork in CFGrowlAdditions: PBReadForkSync (source: %s) returned %liin copyFork in CFGrowlAdditions: PBWriteForkSync (destination: %s) returned %liin copyFork in CFGrowlAdditions: PBCloseForkSync (destination: %s) returned %liin copyFork in CFGrowlAdditions: PBCloseForkSync (source: %s) returned %liin createURLByCopyingFileFromURLToDirectoryURL in CFGrowlAdditions: CFURLGetFSRef failed with source URL %@in createURLByCopyingFileFromURLToDirectoryURL in CFGrowlAdditions: CFURLGetFSRef failed with destination URL %@PBIterateForksSync returned %liin GrowlCopyObjectSync in CFGrowlAdditions: PBIterateForksSync returned %liin createURLByCopyingFileFromURLToDirectoryURL in CFGrowlAdditions: CopyObjectSync returned %li for source URL %@in createPropertyListFromURL in CFGrowlAdditions: cannot read from a NULL URLin createPropertyListFromURL in CFGrowlAdditions: could not create stream for reading from URL %@in createPropertyListFromURL in CFGrowlAdditions: could not open stream for reading from URL %@in createPropertyListFromURL in CFGrowlAdditions: could not read property list from URL %@ (error string: %@)@"NSDictionary"@"NSString"@"NSData"v24@0:8@16registrationDictionaryapplicationNameForGrowlapplicationIconDataForGrowlsetApplicationIconDataForGrowl:setApplicationNameForGrowl:deallocinitWithAllNotifications:defaultNotifications:releaseretainGrowlDelegateGrowlApplicationBridgeDelegateAllNotifications@24@0:8@16@28@0:8i16Q20@32@0:8i16Q20c28defaultSavePathForTicketWithApplicationName:nextScreenshotNameInDirectory:nextScreenshotNameticketsDirectoryscreenshotsDirectorygrowlSupportDirectorysearchPathForDirectory:inDomains:searchPathForDirectory:inDomains:mustBeWritable:helperAppBundlebundleForProcessWithBundleIdentifier:isEqualToString:bundleWithPath:bundleWithIdentifier:stringByDeletingLastPathComponentpathExtensionlowercaseStringdefaultManagerobjectEnumeratornextObjectfileExistsAtPath:bundleIdentifiercompare:options:enumeratorAtPath:skipDescendentscountarrayWithCapacity:isWritableFileAtPath:addObject:fileExistsAtPath:isDirectory:objectAtIndex:createDirectoryAtPath:attributes:directoryContentsAtPath:initWithCapacity:stringByDeletingPathExtensionGrowlPathUtilities+[GrowlPathUtilities bundleForProcessWithBundleIdentifier:]BundlePathCouldn't get information about process %lu,%lu: GetProcessInformation returned %i/%s%s: GetNextProcess returned %i/%sprefpanePreferencePanesGrowl.prefPaneappScreenshotsTicketsPluginsERROR: GrowlPathUtil was asked for directory 0x%x, but it doesn't know what directory that is. Please tell the Growl developers.Application Support/GrowlScreenshot %llugrowlTicketWARNING: createFileURLWithAliasData called with NULL aliasDatain createFileURLWithAliasData: Could not allocate an alias handle from %u bytes of alias data (data follows) because PtrToHand returned %li %@in createFileURLWithAliasData: Could not resolve alias (alias data follows) because FSResolveAlias returned %li - will try path %@in createFileURLWithAliasData: FSCopyAliasInfo returned a NULL pathfilein createAliasDataForURL: FSNewAlias for %@ returned %li_CFURLString_CFURLAliasData_CFURLStringTypein createDockDescriptionWithURL: Cannot copy Dock description for a NULL URL@32@0:8{CGSize=dd}16{CGSize=dd}32@0:8{CGSize=dd}16v64@0:8{CGRect={CGPoint=dd}{CGSize=dd}}16Q48d56replacementObjectForPortCoder:representationOfSize:bestRepresentationForSize:adjustSizeToDrawAtSize:drawScaledInRect:operation:fraction:sizesetScalesWhenResized:currentContextsetImageInterpolation:drawInRect:fromRect:operation:fraction:setSize:representationsbestRepresentationForDevice:isBycopyGrowlImageAdditions? LPXXxhxx+  ND  x  g!m!!_"##A' >)W) ) + J-N.f.345699<B-CCCE1FI}IIIKVLLwM^NNOpOOPHPP)QS_i``a{aabccgWhjjksmm oWrOsYss0t.ww"y$z QXQzPLRx D$hb% 4lEe  4e> D e` D$8f?+ 4l/h  Dh  4_h <$-h| 4dih 4Ih  4h  4 gE <Dg <Sh  4h Lh   <Lk 4m 4wm Dm DD@n Dn <n\'  <p 4Tp <p,  <u. zRx ,v  ,L]v  ,|:v  ,v0 <v <w ,\3z  <z <kz < { <L ,C , C 4b <$GP <dW ,K <9 ,φv 4D] ,|:  4 4 zRx <  4\b} D   4Fk ,yN ,DY 4t;  ,ÊZ 4C  4 ,Lp1 4|q  4u 40 4$ R  <\&} Dc  D+` <,C! Dl$   zRx <×  4\!z ,c ,D <%v  ,4[ <dPbt΅(:L^pʆ܆$6HZl~Ƈ؇__q' Ǒ֑Ԝ8@y Ȓhƙ ҙ ܙ̫  4X8  ChG:PHؖvPmu8Am"8AP_(K(0N@hcpnhsޞ(jga 8HIOECNI8OOئJ0kp8KqMPa_mT!C OW` >XpC8 (LE46gr}E48Ms$:3ȭX8ߏL͏9ukH:'4B+&ߌ֪ (؊ގVhP:' ؍ ȋȈ~xfZ8`,Ox&r,~ xڮ@ج}gTN>, 8׭ȭގm ]L׭شr0m B'֪ߌ````` ؐ@((ؐN.Ȉf.J- &+O+'*B)`3W)ى&>)A'(1#h#&"_"؊&" "?"9J!Vm!pJg!  xȋX0x& `@((a&{a0a֪&`&`OJi`X1_ 80֪( 0((0   o@m_&smr&l&k&jjجWh &g&c&c by{"y{w0.wH0tHǐ؍H!p`Dup\Ipp8p WCpp0p`p0RH`TCpp0TIp0pp(p`CSASASDpp0p`p0RH`$Cpp0`AppHRARARDQ@___objc_personality_v0Qq@__objc_empty_cache<@__objc_empty_vtableq<@_objc_msgSendSuper2_fixupq2@_objc_msgSend_fixupq(I- @_OBJC_CLASS_$_NSGraphicsContext@_OBJC_CLASS_$_NSImageq;@_NSConnectionDidDieNotificationq @_OBJC_CLASS_$_NSAutoreleasePool:@_OBJC_CLASS_$_NSBundle@_OBJC_CLASS_$_NSConnectionq:@_OBJC_CLASS_$_NSDistributedNotificationCenterX@_OBJC_CLASS_$_NSFileManagerq:@_OBJC_CLASS_$_NSNotificationCenterq:@_OBJC_CLASS_$_NSNumber@_OBJC_CLASS_$_NSProcessInfo8@_OBJC_CLASS_$_NSPropertyListSerializationq:@_OBJC_CLASS_$_NSStringX@_OBJC_CLASS_$_NSURLq:@dyld_stub_binderqA_CFStringGetFileSystemRepresentation8@_OBJC_CLASS_$_NSDictionary:@_OBJC_CLASS_$_NSMutableArray@_OBJC_CLASS_$_NSMutableDictionaryq;@_OBJC_CLASS_$_NSMutableSet0@_OBJC_CLASS_$_NSObject@_OBJC_EHTYPE_$_NSExceptionq(@_OBJC_METACLASS_$_NSObject@___CFConstantStringClassReferenceq u@_kCFAllocatorDefaultq(@_kCFAllocatorMalloc @_kCFAllocatorNull@_kCFBooleanFalse@_kCFBooleanTrueq`@_kCFBundleIdentifierKeyq@_kCFTypeArrayCallBacks @_kCFTypeDictionaryKeyCallBacksq8@_kCFTypeDictionaryValueCallBacksq0qp@_AEDisposeDescqx@_AESendMessageq@_AEStreamCloseq@_AEStreamCreateEventq@_AEStreamWriteKeyDescq@_CFArrayAppendArrayq@_CFArrayAppendValueq@_CFArrayCreateq@_CFArrayCreateMutableq@_CFArrayGetCountq@_CFArrayGetValueAtIndexq@_CFBooleanGetValueq@_CFBundleCopyBundleURLq@_CFBundleCopyResourceURLq@_CFBundleCreateq@_CFBundleCreateBundlesFromDirectoryq@_CFBundleGetBundleWithIdentifierq@_CFBundleGetIdentifierq@_CFBundleGetInfoDictionaryq@_CFBundleGetMainBundleq@_CFCopyTypeIDDescriptionq@_CFDataCreateq@_CFDataCreateCopyq@_CFDataCreateWithBytesNoCopyq@_CFDataGetBytePtrq@_CFDataGetLengthq@_CFDateFormatterCreateq@_CFDateFormatterCreateStringWithDateq@_CFDictionaryContainsKeyq@_CFDictionaryCreateq@_CFDictionaryCreateCopyq@_CFDictionaryCreateMutableq@_CFDictionaryCreateMutableCopyq@_CFDictionaryGetCountq@_CFDictionaryGetTypeIDq@_CFDictionaryGetValueq@_CFDictionaryRemoveValueq@_CFDictionarySetValueq@_CFEqualq@_CFGetAllocatorq@_CFGetTypeIDq@_CFLocaleCopyCurrentq@_CFMakeCollectableq@_CFNotificationCenterAddObserverq@_CFNotificationCenterGetDistributedCenterq@_CFNotificationCenterPostNotificationq@_CFNotificationCenterRemoveEveryObserverq@_CFNotificationCenterRemoveObserverq@_CFNumberCreateq@_CFNumberGetValueq@_CFPropertyListCreateFromStreamq@_CFPropertyListWriteToStreamq@_CFReadStreamCloseq@_CFReadStreamCreateWithFileq@_CFReadStreamOpenq@_CFReleaseq@_CFRetainq@_CFSetContainsValueq@_CFStringCompareq@_CFStringCreateByCombiningStringsq@_CFStringCreateCopyq@_CFStringCreateWithBytesq@_CFStringCreateWithCStringq@_CFStringCreateWithCStringNoCopyq@_CFStringCreateWithCharactersNoCopyq@_CFStringCreateWithFormatq@_CFStringGetCStringq@_CFStringGetCharactersqA_CFStringGetFileSystemRepresentationq@_CFStringGetLengthq@_CFStringGetMaximumSizeForEncodingqA_CFStringGetMaximumSizeOfFileSystemRepresentationq@_CFURLCopyFileSystemPathq@_CFURLCopyLastPathComponentq@_CFURLCopySchemeq@_CFURLCreateCopyAppendingPathComponentq@_CFURLCreateCopyDeletingLastPathComponentq@_CFURLCreateFromFSRefq@_CFURLCreateFromFileSystemRepresentationq@_CFURLCreateWithFileSystemPathq@_CFURLGetFSRefq@_CFURLGetFileSystemRepresentationq@_CFUUIDCreateq@_CFUUIDCreateStringq@_CFWriteStreamCloseq@_CFWriteStreamCreateWithFileq@_CFWriteStreamOpenq@_CopyProcessNameq@_DisposeHandleq@_FNNotifyq@_FSCopyAliasInfoq@_FSFindFolderq@_FSNewAliasq@_FSRefMakePathq@_GetHandleSizeq@_GetIconRefFromFileInfoq@_GetMacOSStatusCommentStringq@_GetNextProcessq@_GetProcessBundleLocationq@_GetProcessInformationq@_GetProcessPIDq@_HLockq@_HUnlockq@_IconRefToIconFamilyq@_LSFindApplicationForInfoq@_LSOpenFromURLSpecq@_NSEqualSizesq@_NSLogq@_NSSearchPathForDirectoriesInDomainsq@_NSTemporaryDirectoryq@_PBCloseForkSyncq@_PBCreateDirectoryUnicodeSyncq@_PBCreateFileUnicodeSyncq@_PBGetCatalogInfoSyncq@_PBIterateForksSyncq@_PBMakeFSRefUnicodeSyncq@_PBOpenForkSyncq@_PBReadForkSyncq@_PBWriteForkSyncq@_ProcessInformationCopyDictionaryq@_PtrToHandq@_ReleaseIconRefq@__Unwind_Resumeq@_callocq@_ceilq@_closeq@_fcloseq@_floorq@_fopenq@_freadq @_freeq @_fseekq @_fstatq @_ftellq @_getcwdq @_getnameinfoq @_getpidq @_inet_ntopq @_mallocq @_memsetq @_objc_assign_globalq @_objc_assign_ivarq @_objc_begin_catchq @_objc_end_catchq @_openq @_snprintfq @_strlen_7.objc_category_name_NSImage_GrowlImageAdditions Growl_dcreadFileset get OBJC_ GetDelegateSetWillRegisterWhenGrowlIsReadyCIsLaunchIfInstalledPostNotificationNotifyWithTitleDescriptionNameIconPriorityStickyClickContextReiWillRegisterWhenGrowlIsReadyDelegateiiopyRegistrationDictionaryFromreateDelegateBundleijRegistrationDictionaryByFillingInDictionaryBestRegistrationDictionaryNotificationDictionaryByFillingInDictionaryRestrictedToKeysmsRunningInstalleds߇WithDictionarygisterWithDictionaryregisterړreateopyFileStringWithHostNameForAddressDataURLBy PropertyListFromURL AliasDataWithURL DockDescriptionWithURL SystemRepresentationOfStringURLWith ֘DateContentsOfFileAddressDataStringAndCharacterAndString CTemporaryFolderURLForApplicationIconDataFor StringurrentProcessޜNameURLPathɝURLPathȠURL Path ؤMakingDirectoryAtURLWithName CopyingFileFromURLToDirectoryURL ˸̽AliasData DockDescription ObjectForKey IntegerForKey BooleanForKey ObjectForKey IntegerForKey BooleanForKey CLASS_$_Growl METACLASS_$_Growl IVAR_$_GrowlDelegate. ApplicationBridge Delegate PathUtilities ApplicationBridge Delegate PathUtilities application registrationDictionary IconDataForGrowl NameForGrowl px (08@HPX`hpx (08@HPX`hpx (08@HPX`hpx (08@HPX`hpx(Hh(Hh(Hh(Hh ( H h      ( H h      ( H h      ( H h      ( H h     (Hh(Hh(Hh(Hh(Hh(Hhx(8HXhx(8HXhx(8HXhx(8HXhx(8HXhx(8HXhx(8HXhx(8HXhx (08@ (08@` X`     ( 0 8 @ H P X ` h p x                 !!!! !(!0!8!@!H!P!X!`!h!p!x!!!!!!!!!!!!!!!!!"""" "("0"8"@"`"""""" #X#h#############$$$$ $($0$8$@$H$h$p$x$$$$$$$$%8%%%%(&0&8&@&H&P&X&`&h&p&x&&&&&&&&&&&&&&&&&'''' '('0'8'@'`'p''''''''''''((((((8((((((((8#xS ~ g!m!!L" ""_"7"l## A'P>)W)) *AO+m+J-N.f.93[:<BBK+;V5_ui```a{aAarbcc g+ Whr j j k!l(!smQ!m! o!0t".wF"w""y"y"}#H#@.#H;#PD#Xb#`l#h#p#x#####$'$45`4-CC9(6q4?9CI1FEC}IaIsI44``3(j08=^NJNbpOzOlSXRPOPpWr8VL`oo|hqQ])QwML*^WK\StssHPsYsOs!0?Ncy         2 B f        &  8  I  `           1  G  `  v           5  ^          "  -  7  K  \  ~       %  9  P A u   A    # J t       % 9 V iz!;Rahq #CZu  - O j , G bs ?JZj  ,4? T h z      .@Rb|p`Hh'hxhh"$PX`##%%8Xx8Xx8Xx8Xx 8 X x      8 X x      8 X x      8 X x      8 X x     8Xx8Xx8Xx8Xx8Xx8Xxpp"#$%xx"#$%88p99999999999 909@9P9`9p99999999999 909@9P9`9p99999999999 909@9P9`9p99999999999 909@9P9`9p9999999999 909@9P9`9p99999999999 909@9P9`9p99999999999 909@9P9`9p9999999999 909@9P9`9p99999999      !"#$%&'(234567:;<@@.)10/*+-,      !"#$%&'(234567:;<.objc_category_name_NSImage_GrowlImageAdditions_Growl_CopyRegistrationDictionaryFromBundle_Growl_CopyRegistrationDictionaryFromDelegate_Growl_CreateBestRegistrationDictionary_Growl_CreateNotificationDictionaryByFillingInDictionary_Growl_CreateRegistrationDictionaryByFillingInDictionary_Growl_CreateRegistrationDictionaryByFillingInDictionaryRestrictedToKeys_Growl_GetDelegate_Growl_IsInstalled_Growl_IsRunning_Growl_LaunchIfInstalled_Growl_NotifyWithTitleDescriptionNameIconPriorityStickyClickContext_Growl_PostNotification_Growl_PostNotificationWithDictionary_Growl_RegisterWithDictionary_Growl_Reregister_Growl_SetDelegate_Growl_SetWillRegisterWhenGrowlIsReady_Growl_WillRegisterWhenGrowlIsReady_OBJC_CLASS_$_GrowlApplicationBridge_OBJC_CLASS_$_GrowlDelegate_OBJC_CLASS_$_GrowlPathUtilities_OBJC_IVAR_$_GrowlDelegate.applicationIconDataForGrowl_OBJC_IVAR_$_GrowlDelegate.applicationNameForGrowl_OBJC_IVAR_$_GrowlDelegate.registrationDictionary_OBJC_METACLASS_$_GrowlApplicationBridge_OBJC_METACLASS_$_GrowlDelegate_OBJC_METACLASS_$_GrowlPathUtilities_copyCString_copyCurrentProcessName_copyCurrentProcessPath_copyCurrentProcessURL_copyIconDataForPath_copyIconDataForURL_copyTemporaryFolderPath_copyTemporaryFolderURL_copyURLForApplication_createAliasDataWithURL_createDockDescriptionWithURL_createFileSystemRepresentationOfString_createFileURLWithAliasData_createFileURLWithDockDescription_createHostNameForAddressData_createPropertyListFromURL_createStringWithAddressData_createStringWithContentsOfFile_createStringWithDate_createStringWithStringAndCharacterAndString_createURLByCopyingFileFromURLToDirectoryURL_createURLByMakingDirectoryAtURLWithName_getBooleanForKey_getIntegerForKey_getObjectForKey_readFile_setBooleanForKey_setIntegerForKey_setObjectForKey_AEDisposeDesc_AESendMessage_AEStreamClose_AEStreamCreateEvent_AEStreamWriteKeyDesc_CFArrayAppendArray_CFArrayAppendValue_CFArrayCreate_CFArrayCreateMutable_CFArrayGetCount_CFArrayGetValueAtIndex_CFBooleanGetValue_CFBundleCopyBundleURL_CFBundleCopyResourceURL_CFBundleCreate_CFBundleCreateBundlesFromDirectory_CFBundleGetBundleWithIdentifier_CFBundleGetIdentifier_CFBundleGetInfoDictionary_CFBundleGetMainBundle_CFCopyTypeIDDescription_CFDataCreate_CFDataCreateCopy_CFDataCreateWithBytesNoCopy_CFDataGetBytePtr_CFDataGetLength_CFDateFormatterCreate_CFDateFormatterCreateStringWithDate_CFDictionaryContainsKey_CFDictionaryCreate_CFDictionaryCreateCopy_CFDictionaryCreateMutable_CFDictionaryCreateMutableCopy_CFDictionaryGetCount_CFDictionaryGetTypeID_CFDictionaryGetValue_CFDictionaryRemoveValue_CFDictionarySetValue_CFEqual_CFGetAllocator_CFGetTypeID_CFLocaleCopyCurrent_CFMakeCollectable_CFNotificationCenterAddObserver_CFNotificationCenterGetDistributedCenter_CFNotificationCenterPostNotification_CFNotificationCenterRemoveEveryObserver_CFNotificationCenterRemoveObserver_CFNumberCreate_CFNumberGetValue_CFPropertyListCreateFromStream_CFPropertyListWriteToStream_CFReadStreamClose_CFReadStreamCreateWithFile_CFReadStreamOpen_CFRelease_CFRetain_CFSetContainsValue_CFStringCompare_CFStringCreateByCombiningStrings_CFStringCreateCopy_CFStringCreateWithBytes_CFStringCreateWithCString_CFStringCreateWithCStringNoCopy_CFStringCreateWithCharactersNoCopy_CFStringCreateWithFormat_CFStringGetCString_CFStringGetCharacters_CFStringGetFileSystemRepresentation_CFStringGetLength_CFStringGetMaximumSizeForEncoding_CFStringGetMaximumSizeOfFileSystemRepresentation_CFURLCopyFileSystemPath_CFURLCopyLastPathComponent_CFURLCopyScheme_CFURLCreateCopyAppendingPathComponent_CFURLCreateCopyDeletingLastPathComponent_CFURLCreateFromFSRef_CFURLCreateFromFileSystemRepresentation_CFURLCreateWithFileSystemPath_CFURLGetFSRef_CFURLGetFileSystemRepresentation_CFUUIDCreate_CFUUIDCreateString_CFWriteStreamClose_CFWriteStreamCreateWithFile_CFWriteStreamOpen_CopyProcessName_DisposeHandle_FNNotify_FSCopyAliasInfo_FSFindFolder_FSNewAlias_FSRefMakePath_GetHandleSize_GetIconRefFromFileInfo_GetMacOSStatusCommentString_GetNextProcess_GetProcessBundleLocation_GetProcessInformation_GetProcessPID_HLock_HUnlock_IconRefToIconFamily_LSFindApplicationForInfo_LSOpenFromURLSpec_NSConnectionDidDieNotification_NSEqualSizes_NSLog_NSSearchPathForDirectoriesInDomains_NSTemporaryDirectory_OBJC_CLASS_$_NSAutoreleasePool_OBJC_CLASS_$_NSBundle_OBJC_CLASS_$_NSConnection_OBJC_CLASS_$_NSDictionary_OBJC_CLASS_$_NSDistributedNotificationCenter_OBJC_CLASS_$_NSFileManager_OBJC_CLASS_$_NSGraphicsContext_OBJC_CLASS_$_NSImage_OBJC_CLASS_$_NSMutableArray_OBJC_CLASS_$_NSMutableDictionary_OBJC_CLASS_$_NSMutableSet_OBJC_CLASS_$_NSNotificationCenter_OBJC_CLASS_$_NSNumber_OBJC_CLASS_$_NSObject_OBJC_CLASS_$_NSProcessInfo_OBJC_CLASS_$_NSPropertyListSerialization_OBJC_CLASS_$_NSString_OBJC_CLASS_$_NSURL_OBJC_EHTYPE_$_NSException_OBJC_METACLASS_$_NSObject_PBCloseForkSync_PBCreateDirectoryUnicodeSync_PBCreateFileUnicodeSync_PBGetCatalogInfoSync_PBIterateForksSync_PBMakeFSRefUnicodeSync_PBOpenForkSync_PBReadForkSync_PBWriteForkSync_ProcessInformationCopyDictionary_PtrToHand_ReleaseIconRef__Unwind_Resume___CFConstantStringClassReference___objc_personality_v0__objc_empty_cache__objc_empty_vtable_calloc_ceil_close_fclose_floor_fopen_fread_free_fseek_fstat_ftell_getcwd_getnameinfo_getpid_inet_ntop_kCFAllocatorDefault_kCFAllocatorMalloc_kCFAllocatorNull_kCFBooleanFalse_kCFBooleanTrue_kCFBundleIdentifierKey_kCFTypeArrayCallBacks_kCFTypeDictionaryKeyCallBacks_kCFTypeDictionaryValueCallBacks_malloc_memset_objc_assign_global_objc_assign_ivar_objc_begin_catch_objc_end_catch_objc_msgSendSuper2_fixup_objc_msgSend_fixup_open_snprintf_strlendyld_stub_binder__mh_dylib_headerdyld_stub_binding_helper+[GrowlApplicationBridge setGrowlDelegate:]+[GrowlApplicationBridge growlDelegate]+[GrowlApplicationBridge notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:]+[GrowlApplicationBridge notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:identifier:]+[GrowlApplicationBridge notifyWithDictionary:]+[GrowlApplicationBridge isGrowlInstalled]+[GrowlApplicationBridge isGrowlRunning]+[GrowlApplicationBridge displayInstallationPromptIfNeeded]+[GrowlApplicationBridge registerWithDictionary:]+[GrowlApplicationBridge reregisterGrowlNotifications]+[GrowlApplicationBridge setWillRegisterWhenGrowlIsReady:]+[GrowlApplicationBridge willRegisterWhenGrowlIsReady]+[GrowlApplicationBridge registrationDictionaryFromDelegate]+[GrowlApplicationBridge registrationDictionaryFromBundle:]+[GrowlApplicationBridge bestRegistrationDictionary]+[GrowlApplicationBridge registrationDictionaryByFillingInDictionary:]+[GrowlApplicationBridge registrationDictionaryByFillingInDictionary:restrictToKeys:]+[GrowlApplicationBridge notificationDictionaryByFillingInDictionary:]+[GrowlApplicationBridge frameworkInfoDictionary]+[GrowlApplicationBridge _applicationNameForGrowlSearchingRegistrationDictionary:]+[GrowlApplicationBridge growlNotificationWasClicked:]+[GrowlApplicationBridge growlNotificationTimedOut:]+[GrowlApplicationBridge connectionDidDie:]+[GrowlApplicationBridge growlProxy]+[GrowlApplicationBridge _growlIsReady:]+[GrowlApplicationBridge launchGrowlIfInstalled]+[GrowlApplicationBridge _launchGrowlIfInstalledWithRegistrationDictionary:]+[GrowlApplicationBridge _applicationIconDataForGrowlSearchingRegistrationDictionary:]__copyAllPreferencePaneBundles__launchGrowlIfInstalledWithRegistrationDictionary__growlNotificationWasClicked__growlNotificationTimedOut__growlIsReady_copyFork-[GrowlDelegate initWithAllNotifications:defaultNotifications:]-[GrowlDelegate dealloc]-[GrowlDelegate registrationDictionaryForGrowl]-[GrowlDelegate applicationNameForGrowl]-[GrowlDelegate setApplicationNameForGrowl:]-[GrowlDelegate applicationIconDataForGrowl]-[GrowlDelegate setApplicationIconDataForGrowl:]+[GrowlPathUtilities bundleForProcessWithBundleIdentifier:]+[GrowlPathUtilities runningHelperAppBundle]+[GrowlPathUtilities growlPrefPaneBundle]+[GrowlPathUtilities helperAppBundle]+[GrowlPathUtilities searchPathForDirectory:inDomains:mustBeWritable:]+[GrowlPathUtilities searchPathForDirectory:inDomains:]+[GrowlPathUtilities growlSupportDirectory]+[GrowlPathUtilities screenshotsDirectory]+[GrowlPathUtilities ticketsDirectory]+[GrowlPathUtilities nextScreenshotName]+[GrowlPathUtilities nextScreenshotNameInDirectory:]+[GrowlPathUtilities defaultSavePathForTicketWithApplicationName:]-[NSImage(GrowlImageAdditions) drawScaledInRect:operation:fraction:]-[NSImage(GrowlImageAdditions) adjustSizeToDrawAtSize:]-[NSImage(GrowlImageAdditions) bestRepresentationForSize:]-[NSImage(GrowlImageAdditions) representationOfSize:]-[NSImage(GrowlImageAdditions) replacementObjectForPortCoder:] stub helpers___PRETTY_FUNCTION__.96477_growlLaunched_appIconData_appName_cachedRegistrationDictionary_delegate_registerWhenGrowlIsReady_growlProxy_targetsToNotifyArray_delegate_registerWhenGrowlIsReady_growlLaunched_cachedRegistrationDictionary_registeredForClickCallbacks_helperAppBundle_prefPaneBundleL H__TEXT__text__TEXTm__cstring__TEXTl!-l__const__TEXT __unwind_info__TEXTHH__DATA__dyld__DATA__cfstring__DATA`__data__DATAhh__bss__DATAl8__OBJC__cat_inst_meth__OBJCd__message_refs__OBJCdd__cls_refs__OBJC8T8__class__OBJC__meta_class__OBJC``__cls_meth__OBJC  __protocol__OBJC(__module_info__OBJC@@@__symbols__OBJC@__cat_cls_meth__OBJC__inst_meth__OBJC\__instance_vars__OBJC@(@__category__OBJChh__image_info__OBJC__IMPORT__pointers__IMPORT,__jump_table__IMPORT@/@ 8__LINKEDITtLtL X@executable_path/../Frameworks/Growl.framework/Versions/A/Growl3DY/N/7 d# PMM334h4v 4/usr/lib/libobjc.A.dylib libobjc p"/System/Library/Frameworks/ApplicationServices.framework/Versions/A/ApplicationServices X/System/Library/Frameworks/Carbon.framework/Versions/A/Carbon X.-/System/Library/Frameworks/AppKit.framework/Versions/C/AppKit `,/System/Library/Frameworks/Foundation.framework/Versions/C/Foundation 4/usr/lib/libgcc_s.1.dylib 4o/usr/lib/libSystem.B.dylib d /System/Library/Frameworks/CoreServices.framework/Versions/A/CoreServices h/System/Library/Frameworks/CoreFoundation.framework/Versions/A/CoreFoundationX/UWVS[D$<$D$Tu<*D$$66T$$$D$$6t$<$D$]u}US[ED$ D$D$E$[UWVSLuE[}E 4$D$腱Et)UЉT$\<$D$_ EЋUЉT$D$E؉$0umĕu=t$ȞD$Uԉ$ T$$ĕT$$轰EЉD$ ĕD$(D$U؉$述t)ȏẺD$\<$D$蜰 ȏŰẺD$D$U؉$muquGt$̞D$Eԉ$FT$$4T$$t ỦD$T$ (D$E؉$t&؏t$\<$D$د؏u܉t$D$E؉$謯.E$VED$$iD$T$ UT$$T$>ƋD$E$'U܉t$T$ (D$E؉$4$D$t$`D$U؉$߮E1҅t E$薬‹$D$跮t"t$\<$D$藮tit$D$U؉$ru@D$D$E؉$Ott$ D$(D$U؉$.t"t$\<$D$tOt$D$E؉$u*.$t$ D$(D$U؉$軭ĞE E؉EL[^_頭L1[^_UWVS[,EED$E$ft$Nj<$D$NuquMD$D$E$!T$$T$$լtt$ D$ <$D$٬t$<$D$转uquMD$D$E$萬T$$~T$$Dtt$ D$ <$D$H݊D$<$D$, ED$<$D$ŚD$$ƋD$$˫T$$蹫D$I4$D$裫ƋEt$D$ <$D$脫4$D$r}E ,[^_ZUS[$~E[{UVS[uNt<D$n$D$tD$N$ߪuO:D$4$D$迪u/ZD$F$裪U E[^錪[^U8][uu}D$m$UIT$$CE䋃M4$D$(T$T$$ D$<$D$Qu]}E EEةU8][uu}D$$訩T$$薩E䋃4$D${lT$<T$$_D$<$D$Iu]}E EE+UH]E[uu}E䋃(D$ $Nj4$D$D$ȥD$ ED$d<$D$踨,D$H$蠨HuE ]E}YU][u"D$RD$ D$^$4EE~uD$b$ UMT$L$$T$VT$ T$էE4$輧4$2tvu4$葧4$E蚧4$tE$oEED$~$\tED$EEE$DUZ$D$/Ƌ^4$D$D$t=2D$b4$D$4$D$ߦT$$2$D$$脦Eu E$蕦 E$~]uUWVS[<}D$j$UFT$$CƃE䋃jD$D$$tjD$$FD$f$ݥD$D$ t$n$T$跥D$$蟥D$t$ |$$T$}tr<$D$bƃNE EE<[^_@US[D$D$E$[UWVS[\D$ $T$$פuHD$ $蹤׃T$ T$$T$蓤 t$D$$mEEEEkUD$$衣1҅t $‹#$D$T$wT$$t$T$$uE$ˢftM04$Q4$ljD$H<$E謡OUT$Ƌ'D$E$rUĉt$<$ׂT$D$ D$D$A|$T$$+ƋEĉ$/4$D$ =vG<$D$4$)‹T$D$֢|$T$$#t$T$$裢Ƌ4$D$菢=vG<$D$v4$)‹T$D$Y|$T$$CƍEUD$'D$ T$D$$t6+D$ t$$D$uWt$$CEt$D$'$ED$7$͠D$E$蔡/D$$|3t$T$$ft% t$D$$A11UD$D$D$T$ D$ nspD$codo$tveaEu.sD$E$D$G$17<$D$譠;D$T$$蓠Ƌ4$D$4$Nj?D$k|$D$lrufD$----D$ E$Ft9$'U$ƋsD$#t$ |$D$W$-UEԉED$$t;$ӞƋsD$E$ϟt$ |$D$g$ٞmUD$ D$D$$t9$oƋsD$E$kt$ |$D$w$uU$0\[^_UWVS[Ttl$D$tD$t,D$tD$T$֞tD$T$躞u%P}D$D$E$蕞tJD$8$w4$D$D$at]4$D$KuE;lj$!LT$$$1҅t <$ߛ‹@$D$[^_YU勁'UYEYUU1S[tBtD$f$[UWVSLu[u踚ƍF{D$V{D$ D$4$tEua4$`D$$膛u 4$#lj4$W||$$ <$8ED$$4EuEЉ$͚EԍED$ EED$D$$],E̋Et$D$EԉD$}$茛E$nE̅uEԉD$}$eẺ$ș9tj这$lNjẺ$͙$W|$ƋẺt$ D$EԉD$&}$4$<$ߙẺ$ԙEEԉ$™EЉ$跙EẼL[^_U1WVSLU[!1T$D$$EԋE tE yt$$VyUԉt$$蚘u\t,BuBtt$$蕘t$u |tEԉt$|$$t4$˘} tU yt$$蹘yUԉủt$$uxt/B uBt!Ủ$T$t$[u!5t4$<$3tE̋Uԉt$D$$躗4$u tE yt$$yEԉuЉt$$B$@tlyE䋃5UD$ D$9D$ED$ED$1$ܖt/D$UЋEԉT$$4$DUԉt$$ϖ<$+M tE yt$$tNyUԉt$$cu,yD$Eԉ$mtUԉD$t$$eU tE yt$$貖t;yUԉt$$u $试t$D$Eԉ$ EԃL[^_UED$$UW1VS[11҉k<$]}uU$qUWVS[PtdD$$umgD$c$肅1ncUcT$|$ D$D$ED$04$[EυcT$U|$ D$4$T$D$*Njkttk螃D$D$ƋE4$D$ D$D$j+D$D$|$ D$D$4$@ƃkVktM.UD$ T$ƍD$4$+D$ |$D$4$ƃkE$<$${k<[^_UWVS[,袂T$$蚂iƃi$赁EE䍃dE؍dE?ED$i$臁ƋE؉4$D$4$NjE܉D$$EE9E|i$<ǃiit$ƃi,[^_U(][u}t,E$4Ɖ$蒃t$ljD$E$i$oD$ D$NjED$$ D$ |$D$Ɖ$u <$14$Z]u}U8][u}D$ D$ƉD$8<$r4$EE<$D$ED$VƋE$߀]u}UH]E[}1u$EGD$E$D$D$$4$D$D$4$EہE$tNEt$ D$<$D$襁9Eu.E |$D$D$ ED$b$14$YE$b]u}UWVE$U T$$D$x<$U|$$ƋE t$D$ ^_US[$ED$EEEE$tD$a$9EE$[Ux]E[uuEEt$$tD$a$1}t$$)]uUu}D$lj$~<$~}uUh][uut$ D$D$pmet$fta$T$;1 }t$$~]uUu}1~tD$$9~4$}u}U8][}u FD$E$"1D$D$<$ <$D$D$<$E~E$|$ D$ƋE4$D$~<$~v|t$D$ ED$^|$T|]u}U8ED$EED$ D$D$$}1DEUh]E[u}${@<u@F}D$ (|$D$$~u_tzF|$ D$e_H<_u\F}D$ (|$D$$}_t0F|$ D$_D$E{D$$|‹]Ћu}UH][uu}4${4${D$D$D$D$ t$D$<$}1҅uhzD$t$$v{‹]Ћu}Uuu][}}|$4${ED$EED$D$D$D$ D$D$<${tD$>^t$${E܉D$EED$${ftN^t$1T$$x{KE܉$M{E܉${D$E܋D$y$wyƋE܉${E܉$zE$k{1]u}U(]E[u}1D$D$ D$x$;zt$l4$y]u}UWVS<u[t"4$#y4$oyDžrE t E $x&xt$4$D$z4$D$ {t$$D$tyljƋE u)\1D$$y u tE $x,<$ y|$$y<$xu\|$PD$<$xu\|$T$}xDž=$^xDžD$ D$T$$xU$D$HfD$Zyuȍu܉EUE$xfu$xЅu>\$D$Dxt$$wƉD$\$x"T$ ]|$T$$1wt<$vt$ve[^_UWVS[\D$\D$$7xƅ8D$4GD$ $w$VwftiD$T$4$vt$D$ CD$D$$w=Z|$$T$vED$HD$$AwUE1uEuT$ UЉE䋅$yvftaD$T$4$ut$D$ CD$D$$vMZ|$T$U։EuEEȍP$EuƒCD$T$$ut$D$ CD$D$$*vauUD$ t$D$Mu$#tu,D$D$ IDD$$sƋ|$t$ D$]ZT$$tt4$s04$tfu'D$D$$tE u5DfЉߋU D$PD$$tD$\D$$tƅ$smZ|$$sft]D$t$$>stD$ MED$D$4$Rt|$}Zt$$Qs$PsHDžP$=sfuum1ftaD$T$$|rt$D$ CD$D$$s|$D$Z$rfLD$D$$qt$D$ MED$D$$rZ|$T$$q4$fr$qftjD$T$$gqt$D$ MED$D$$ur|$D$Z$nqD$oqftjD$PD$$pt$D$ CD$D$$q|$D$Z$pDe[^_UWVS[UE} D$$p<$ƍHD$puED$Su|$S$hp1$D$\D$pS$!p$|$oftfwt_ T|$$o5t$$t=wtE|$D$T]nt$$nČ[^_UHE][u}uR*ED$l8<$muURT$$1n$muE1D$R$nU ED$E<$ED$T$ D$t$qmuED$ED$R${nEtEUEtMtU$ND$E$_Ƌ*N4$D$p_tBN4$D$D$P_tJND$E$7_tYBD$M4$D$_ƋMD$N$^FNt$D$ T$$^D]u}US[D$XMD$E$^[UWVS[D$4$ Y4$XEut$$YYEED$t$$tYftET$D$>$YME$xYE$EYD$ED$W$WƋE$HYE$X1]u}U][uu}4$=D$W4$Ǎ=D$Wt$d>D$4$UWEtED$D$ $W<$D$D$Ɖ$vY4$tXttHED$t$Xt$XED$ |$D$V$W1]u}U8uu][}u<D$5$W14$D$ W4$EEUƅE EUD$D$ UD$U$UEt><D$E|$$U<$CV<D$ED$$D}t'ED$<D$E$UE$UE]u}UUU]E[D$uD$ rT$UƉD$E D$E$:U4$U]uUSM[U }t>T:TU ME[TUTU(E D$E$TtED$D$ $TEEUE D$E$T1҅t $SUWVS[EMEMċlEEMD$EEMȉ$zVEME}Mu$T$|$ t$kUu7MEMEEUD$pET$ D$E$V1E؉E܋lED$E$UEȉEƉMỦE.wE.EM.MvBM^MYM(\EMY2XE$UMM]JE.Ev?M^YM(\EMY2XE$TMM]tED$D$E$UxED$E$T|ED$T$$TE.Ev.\EEY2$5TM]XMME.Ev.\EEY2$SM]XMMĉ}UuEUEEMEMȋE$MED$,E MMED$(EMMEԉD$EMEẺD$EED$ ED$$ED$ED$ ED$ED$ED$E$SČ[^_U8]E[Uu}D$T$ YBD$E$lSABT$$ZSƉ׉U܋U܉E؋E؉T$ UD$]B$D$-S]}}uUEuUWVSLE[UEԋEED$T$ AD$Eԉ$RAD$Eԉ$R_AT$$RWEE܉EmA4$D$RUW.E܉EM\v.w<}u+E܍O/(TT.wW.vM.v U܉EcAD$E$Rtu"EAE EԉEL[^_QL[^_UWVS[@D$E$Q,@T$$Q0@4$D$Q$ET$UD$T$ Pu0@<$D$aQu[^_U8][}}uu<$@D$$Qu'q@U$u|$E䋃!@D$P‹]Ћu}c8@0:4c12@0:4@8@16@0:4@8@12v12@0:4c8v8@0:4v40@0:4@8@12@16@20i24c28@32@36v36@0:4@8@12@16@20i24c28@32O@8@0:4Vv12@0:4O@8launchGrowlIfInstalled_launchGrowlIfInstalledWithRegistrationDictionary:_growlIsReady:growlProxyconnectionDidDie:growlNotificationTimedOut:growlNotificationWasClicked:_applicationIconDataForGrowlSearchingRegistrationDictionary:_applicationNameForGrowlSearchingRegistrationDictionary:frameworkInfoDictionarynotificationDictionaryByFillingInDictionary:registrationDictionaryByFillingInDictionary:restrictToKeys:registrationDictionaryByFillingInDictionary:bestRegistrationDictionaryregistrationDictionaryFromBundle:registrationDictionaryFromDelegatewillRegisterWhenGrowlIsReadysetWillRegisterWhenGrowlIsReady:reregisterGrowlNotificationsregisterWithDictionary:displayInstallationPromptIfNeededisGrowlRunningisGrowlInstallednotifyWithDictionary:notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:identifier:notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:growlDelegatesetGrowlDelegate:bytesdataUsingEncoding:absoluteStringfileExistsAtPath:defaultManagerwriteToFile:atomically:dataFromPropertyList:format:errorDescription:stringByAppendingPathComponent:substringToIndex:lengthstringByAppendingPathExtension:stringWithFormat:isEqualToString:fileURLWithPath:runningHelperAppBundlepostNotificationName:object:userInfo:growlIsReadysetProtocolForProxy:registerApplicationWithDictionary:rootProxyconnectionWithRegisteredName:host:objectdrainuserInfoapplicationIconDataForGrowlapplicationIconForGrowlprocessNameapplicationNameForGrowlinitWithInt:removeObjectForKey:dictionaryWithContentsOfFile:pathForResource:ofType:mainBundleregistrationDictionaryForGrowlgrowlPrefPaneBundlepostNotificationName:object:userInfo:deliverImmediately:setObject:forKey:TIFFRepresentationmutableCopyisKindOfClass:classpostNotificationWithDictionary:initWithObjectsAndKeys:removeObserver:name:object:respondsToSelector:initWithFormat:allocprocessIdentifierprocessInfoaddObserver:selector:name:object:retaindefaultCentergrowlVersionGrowlApplicationBridgeGrowlNotificationProtocolNSDistributedNotificationCenterNSProcessInfoNSStringNSMutableDictionaryNSExceptionNSImageNSBundleNSNumberNSAutoreleasePoolNSNotificationCenterNSConnectionNSURLNSPropertyListSerializationGrowlApplicationBridge: Cannot register because the application name was not supplied and could not be determinedLend Me Some Sugar; I Am Your Neighbor!GrowlClicked!%@-%d-%@GrowlTimedOut!NotificationNameNotificationClickContextNotificationStickyGrowlNotificationIdentifierGrowlApplicationBridge: exception while sending notification: %@NotificationAppIconGrowlNotificationgrowlRegDictGrowl Registration TicketGrowlApplicationBridge: The bundle at %@ contains a registration dictionary, but it is not a valid property list. Please tell this application's developer.GrowlApplicationBridge: The Growl delegate did not supply a registration dictionary, and the app bundle at %@ does not have one. Please tell this application's developer.AllNotificationscom.growl.growlframeworkGrowlApplicationBridgePathwayReceived a fake GrowlApplicationBridgePathway object. Some other application is interfering with Growl, or something went horribly wrong. Please file a bug report.appGrowlHelperApp%@-%u-%@GrowlApplicationBridge: Error writing registration dictionary at %@GrowlApplicationBridge: Error writing registration dictionary at %@: %@GrowlApplicationBridge: Registration dictionary follows %@%@: Could not create open-document event to register this application with Growl%@: Could not set direct object of open-document event to register this application with Growl because AEStreamWriteKeyDesc returned %li/%s%@: Could not finish open-document event to register this application with Growl because AEStreamClose returned %li/%s%@: Could not send open-document event to register this application with Growl because AESend returned %li/%sGrowlApplicationBridge: Delegate did not supply a registration dictionary, and the app bundle at %@ does not have oneGrowlApplicationBridge: Got error reading property list at %@: %@GrowlApplicationBridge: Delegate did not supply a registration dictionary, and it could not be loaded from %@GrowlApplicationBridge: Registration dictionary file at %@ didn't contain a dictionary (dictionary type ID is '%@' whereas the file contained '%@'); description of object follows %@ApplicationNameApplicationIconAppLocationfile-dataDefaultNotificationsApplicationIdcom.Growl.GrowlHelperAppprefPanecom.growl.prefpanelCallbackContextGrowlApplicationBridge: Could not find the temporary directory path, therefore cannot register.%@/.GrowlApplicationBridge: Error writing registration dictionary to URL %@: %@ClickedContextApplicationPIDGrowlApplicationBridge: Growl_PostNotification called with a NULL notificationGrowlApplicationBridge: Growl_PostNotification called, but no delegate is in effect to supply an application name - either set a delegate, or use Growl_PostNotificationWithDictionary insteadGrowlApplicationBridge: Growl_PostNotification called, but no application name was found in the delegateNotificationTitleNotificationDescriptionNotificationPriorityNotificationIconGrowlApplicationBridge: Growl_SetDelegate called, but no application name was found in the delegaterbin copyCurrentProcessName in CFGrowlAdditions: Could not get process name because CopyProcessName returned %liin copyCurrentProcessURL in CFGrowlAdditions: Could not get application location, because GetProcessBundleLocation returned %li in copyTemporaryFolderPath in CFGrowlAdditions: Could not locate temporary folder because FSFindFolder returned %lir%s:%dIPv4 un-ntopable[%s]:%dIPv6 un-ntopableneither IPv6 nor IPv4in copyIconDataForURL in CFGrowlAdditions: could not get icon for %@: GetIconRefFromFileInfo returned %li in copyIconDataForURL in CFGrowlAdditions: could not get icon for %@: IconRefToIconFamily returned %li in createURLByMakingDirectoryAtURLWithName in CFGrowlAdditions: parent directory URL is NULL (please tell the Growl developers) in createURLByMakingDirectoryAtURLWithName in CFGrowlAdditions: name of directory to create is NULL (please tell the Growl developers) in createURLByMakingDirectoryAtURLWithName in CFGrowlAdditions: could not create FSRef for parent directory at %@ (please tell the Growl developers) PBCreateDirectoryUnicodeSync or PBMakeFSRefUnicodeSync returned %li; calling CFURLCreateFromFSRefCFURLCreateFromFSRef returned %@in createURLByMakingDirectoryAtURLWithName in CFGrowlAdditions: could not create directory '%@' in parent directory at %@: FSCreateDirectoryUnicode returned %li (please tell the Growl developers)(could not get path for source file: FSRefMakePath returned %li)in copyFork in CFGrowlAdditions: PBOpenForkSync (source: %s) returned %liin copyFork in CFGrowlAdditions: PBGetCatalogInfoSync (source: %s) returned %liPBMakeFSRefUnicodeSync(could not get path for destination directory: FSRefMakePath returned %li)(could not get filename for destination file: CFStringCreateWithCharactersNoCopy returned NULL)in copyFork in CFGrowlAdditions: %s (destination: %s/%@) returned %liPBCreateFileUnicodeSyncin copyFork in CFGrowlAdditions: PBOpenForkSync (dest) returned %li(could not get path for dest file: FSRefMakePath returned %li)in copyFork in CFGrowlAdditions: PBOpenForkSync (destination: %s) returned %liin copyFork in CFGrowlAdditions: PBReadForkSync (source: %s) returned %liin copyFork in CFGrowlAdditions: PBWriteForkSync (destination: %s) returned %liin copyFork in CFGrowlAdditions: PBCloseForkSync (destination: %s) returned %liin copyFork in CFGrowlAdditions: PBCloseForkSync (source: %s) returned %liin createURLByCopyingFileFromURLToDirectoryURL in CFGrowlAdditions: CFURLGetFSRef failed with source URL %@in createURLByCopyingFileFromURLToDirectoryURL in CFGrowlAdditions: CFURLGetFSRef failed with destination URL %@PBIterateForksSync returned %liin GrowlCopyObjectSync in CFGrowlAdditions: PBIterateForksSync returned %liin createURLByCopyingFileFromURLToDirectoryURL in CFGrowlAdditions: CopyObjectSync returned %li for source URL %@in createPropertyListFromURL in CFGrowlAdditions: cannot read from a NULL URLin createPropertyListFromURL in CFGrowlAdditions: could not create stream for reading from URL %@in createPropertyListFromURL in CFGrowlAdditions: could not open stream for reading from URL %@in createPropertyListFromURL in CFGrowlAdditions: could not read property list from URL %@ (error string: %@)@"NSDictionary"@"NSString"@"NSData"v12@0:4@8@8@0:4registrationDictionarysetApplicationIconDataForGrowl:setApplicationNameForGrowl:deallocinitWithAllNotifications:defaultNotifications:releaseinitGrowlDelegateGrowlApplicationBridgeDelegateNSDictionary@12@0:4@8@16@0:4i8I12@20@0:4i8I12c16defaultSavePathForTicketWithApplicationName:nextScreenshotNameInDirectory:nextScreenshotNameticketsDirectoryscreenshotsDirectorygrowlSupportDirectorysearchPathForDirectory:inDomains:searchPathForDirectory:inDomains:mustBeWritable:helperAppBundlebundleForProcessWithBundleIdentifier:autoreleasecontainsObject:stringByDeletingPathExtensioninitWithCapacity:directoryContentsAtPath:createDirectoryAtPath:attributes:objectAtIndex:fileExistsAtPath:isDirectory:addObject:isWritableFileAtPath:arrayWithCapacity:countskipDescendentsenumeratorAtPath:compare:options:bundleIdentifiernextObjectlowercaseStringpathExtensionstringByDeletingLastPathComponentbundlePathbundleWithIdentifier:bundleWithPath:objectForKey:GrowlPathUtilitiesNSFileManagerNSMutableArrayNSMutableSet+[GrowlPathUtilities bundleForProcessWithBundleIdentifier:]BundlePathCouldn't get information about process %lu,%lu: GetProcessInformation returned %i/%s%s: GetNextProcess returned %i/%sprefpanePreferencePanesGrowl.prefPaneScreenshotsTicketsPluginsERROR: GrowlPathUtil was asked for directory 0x%x, but it doesn't know what directory that is. Please tell the Growl developers.Application Support/GrowlScreenshot %llugrowlTicketWARNING: createFileURLWithAliasData called with NULL aliasDatain createFileURLWithAliasData: Could not allocate an alias handle from %u bytes of alias data (data follows) because PtrToHand returned %li %@in createFileURLWithAliasData: Could not resolve alias (alias data follows) because FSResolveAlias returned %li - will try path %@in createFileURLWithAliasData: FSCopyAliasInfo returned a NULL pathfilein createAliasDataForURL: FSNewAlias for %@ returned %li_CFURLString_CFURLAliasData_CFURLStringTypein createDockDescriptionWithURL: Cannot copy Dock description for a NULL URL@16@0:4{_NSSize=ff}8{_NSSize=ff}16@0:4{_NSSize=ff}8v32@0:4{_NSRect={_NSPoint=ff}{_NSSize=ff}}8I24f28replacementObjectForPortCoder:representationOfSize:bestRepresentationForSize:adjustSizeToDrawAtSize:drawScaledInRect:operation:fraction:isBycopybestRepresentationForDevice:objectEnumeratorrepresentationssetSize:drawInRect:fromRect:operation:fraction:setImageInterpolation:currentContextsetScalesWhenResized:sizeGrowlImageAdditionsNSGraphicsContextNSObject?444 q' ŒˌڌЗ8@y ȍd ” ̔ $@`Щ $ChG:P@̑vDmu,Apm (1<_СKpNd$hcLn@s͙ՙjhgКTܛta؜ IPOdEğCHNIO4OJԡk@pԢK qMaH_mܩT4!W` 7G T>$C8- :J\L ۂ8X03yI@d||̈́;ԊȊpgXJ48/Dt\> d'ވˆU{XC6mևćh8܆ֆ3dߨϨʮĨ}wdNC% ϦڧƧXdB3I3ۮhӋ RzlLvr`@R0 0R0l.sF.;>,JH*U>+*g>~)>(040$(H'40%d!0e!̈́H 0 H/lLmRsƅlՅl>/`HĆ> \0}v0tHtHsϦHrHWq=q JnQHmHHiHid0]g0СССС h,h>fˆHf>xfHmfHbfePeO(ˆ4 ]  0@P`pа 0@P`pб 0@P`pв 0@P`pг 0@P`pд 0@P`pе 0@P`pж 0@P`h (,048<@DHLPTX\`dhlptx|  $(,048<@DHLPTX\`dhlptx|  $(,048<@DHLPTX\`dhlptx|   $(`dh|(,048<@DHLPTX\`dhlptx|  $(,048<@DHLPTX\`dhlpt $ 0HLX\hlx|     $(,048DHPT\`hlp  6^/Iy ;Rr! ] e!!/%v'$((2~)g+**,.F._4;=XE&EBuNQZ[Peebfmf xf:fgf]giHi+mQnqWqr' sN tw t }v |4!l!@!y!"8"hJ"lY"pf"to"x"|""""""#$#A#R#4 \ { 55E!FZ ;7`5A$;oF,Kp.IHK\LpLq55<QIQaRyQRkW#V_SRoT-xVz7YO_v{5yU(cTPP)HdVaW`|||S{{|{ C]{)BbKe|    !  2  J  ]  t         +  D  R  d         %  @  _  u            @  j         <  O  k  }         ! B f   A   A 8 Q m ~     - < ^ l     (7Ol|.<Ch~(9[fv   - A S d t    !9Oe  ( 8 H X h x     Ȱ ذ     ( 8 H X h x     ȱ ر     ( 8 H X h x     Ȳ ز     ( 8 H X h x     ȳ س     ( 8 H X h x     ȴ ش     ( 8 H X h x     ȵ ص     ( 8 H X h x     ȶ ض     ( 8 H X $'&%! "#@@@@@@@@     @()*+,-@./0123456MNOPQRSTUVWXYZ[\]^_`abcdefghijklmnopqrstuvwxyz{|}~M3Mv@@MNOPQRSTUVWXYZ[\]^_`abcdefghijklmnopqrstuvwxyz{|}~      !"#$%&'()*+,-./0123456.objc_category_name_NSImage_GrowlImageAdditions.objc_class_name_GrowlApplicationBridge.objc_class_name_GrowlDelegate.objc_class_name_GrowlPathUtilities_Growl_CopyRegistrationDictionaryFromBundle_Growl_CopyRegistrationDictionaryFromDelegate_Growl_CreateBestRegistrationDictionary_Growl_CreateNotificationDictionaryByFillingInDictionary_Growl_CreateRegistrationDictionaryByFillingInDictionary_Growl_CreateRegistrationDictionaryByFillingInDictionaryRestrictedToKeys_Growl_GetDelegate_Growl_IsInstalled_Growl_IsRunning_Growl_LaunchIfInstalled_Growl_NotifyWithTitleDescriptionNameIconPriorityStickyClickContext_Growl_PostNotification_Growl_PostNotificationWithDictionary_Growl_RegisterWithDictionary_Growl_Reregister_Growl_SetDelegate_Growl_SetWillRegisterWhenGrowlIsReady_Growl_WillRegisterWhenGrowlIsReady_copyCString_copyCurrentProcessName_copyCurrentProcessPath_copyCurrentProcessURL_copyIconDataForPath_copyIconDataForURL_copyTemporaryFolderPath_copyTemporaryFolderURL_copyURLForApplication_createAliasDataWithURL_createDockDescriptionWithURL_createFileSystemRepresentationOfString_createFileURLWithAliasData_createFileURLWithDockDescription_createHostNameForAddressData_createPropertyListFromURL_createStringWithAddressData_createStringWithContentsOfFile_createStringWithDate_createStringWithStringAndCharacterAndString_createURLByCopyingFileFromURLToDirectoryURL_createURLByMakingDirectoryAtURLWithName_getBooleanForKey_getIntegerForKey_getObjectForKey_readFile_setBooleanForKey_setIntegerForKey_setObjectForKey.objc_class_name_NSAutoreleasePool.objc_class_name_NSBundle.objc_class_name_NSConnection.objc_class_name_NSDictionary.objc_class_name_NSDistributedNotificationCenter.objc_class_name_NSException.objc_class_name_NSFileManager.objc_class_name_NSGraphicsContext.objc_class_name_NSImage.objc_class_name_NSMutableArray.objc_class_name_NSMutableDictionary.objc_class_name_NSMutableSet.objc_class_name_NSNotificationCenter.objc_class_name_NSNumber.objc_class_name_NSObject.objc_class_name_NSProcessInfo.objc_class_name_NSPropertyListSerialization.objc_class_name_NSString.objc_class_name_NSURL_AEDisposeDesc_AESendMessage_AEStreamClose_AEStreamCreateEvent_AEStreamWriteKeyDesc_CFArrayAppendArray_CFArrayAppendValue_CFArrayCreate_CFArrayCreateMutable_CFArrayGetCount_CFArrayGetValueAtIndex_CFBooleanGetValue_CFBundleCopyBundleURL_CFBundleCopyResourceURL_CFBundleCreate_CFBundleCreateBundlesFromDirectory_CFBundleGetBundleWithIdentifier_CFBundleGetIdentifier_CFBundleGetInfoDictionary_CFBundleGetMainBundle_CFCopyTypeIDDescription_CFDataCreate_CFDataCreateCopy_CFDataCreateWithBytesNoCopy_CFDataGetBytePtr_CFDataGetLength_CFDateFormatterCreate_CFDateFormatterCreateStringWithDate_CFDictionaryContainsKey_CFDictionaryCreate_CFDictionaryCreateCopy_CFDictionaryCreateMutable_CFDictionaryCreateMutableCopy_CFDictionaryGetCount_CFDictionaryGetTypeID_CFDictionaryGetValue_CFDictionaryRemoveValue_CFDictionarySetValue_CFEqual_CFGetAllocator_CFGetTypeID_CFLocaleCopyCurrent_CFMakeCollectable_CFNotificationCenterAddObserver_CFNotificationCenterGetDistributedCenter_CFNotificationCenterPostNotification_CFNotificationCenterRemoveEveryObserver_CFNotificationCenterRemoveObserver_CFNumberCreate_CFNumberGetValue_CFPropertyListCreateFromStream_CFPropertyListWriteToStream_CFReadStreamClose_CFReadStreamCreateWithFile_CFReadStreamOpen_CFRelease_CFRetain_CFSetContainsValue_CFStringCompare_CFStringCreateByCombiningStrings_CFStringCreateCopy_CFStringCreateWithBytes_CFStringCreateWithCString_CFStringCreateWithCStringNoCopy_CFStringCreateWithCharactersNoCopy_CFStringCreateWithFormat_CFStringGetCString_CFStringGetCharacters_CFStringGetFileSystemRepresentation_CFStringGetLength_CFStringGetMaximumSizeForEncoding_CFStringGetMaximumSizeOfFileSystemRepresentation_CFURLCopyFileSystemPath_CFURLCopyLastPathComponent_CFURLCopyScheme_CFURLCreateCopyAppendingPathComponent_CFURLCreateCopyDeletingLastPathComponent_CFURLCreateFromFSRef_CFURLCreateFromFileSystemRepresentation_CFURLCreateWithFileSystemPath_CFURLGetFSRef_CFURLGetFileSystemRepresentation_CFUUIDCreate_CFUUIDCreateString_CFWriteStreamClose_CFWriteStreamCreateWithFile_CFWriteStreamOpen_CopyProcessName_DisposeHandle_FNNotify_FSCopyAliasInfo_FSFindFolder_FSNewAlias_FSRefMakePath_GetHandleSize_GetIconRefFromFileInfo_GetMacOSStatusCommentString_GetNextProcess_GetProcessBundleLocation_GetProcessInformation_GetProcessPID_HLock_HUnlock_IconRefToIconFamily_LSFindApplicationForInfo_LSOpenFromURLSpec_NSConnectionDidDieNotification_NSEqualSizes_NSLog_NSSearchPathForDirectoriesInDomains_NSTemporaryDirectory_PBCloseForkSync_PBCreateDirectoryUnicodeSync_PBCreateFileUnicodeSync_PBGetCatalogInfoSync_PBIterateForksSync_PBMakeFSRefUnicodeSync_PBOpenForkSync_PBReadForkSync_PBWriteForkSync_ProcessInformationCopyDictionary_PtrToHand_ReleaseIconRef___CFConstantStringClassReference__setjmp_calloc_ceilf_close_fclose_floorf_fopen_fread_free_fseek_fstat_ftell_getcwd_getnameinfo_getpid_inet_ntop_kCFAllocatorDefault_kCFAllocatorMalloc_kCFAllocatorNull_kCFBooleanFalse_kCFBooleanTrue_kCFBundleIdentifierKey_kCFTypeArrayCallBacks_kCFTypeDictionaryKeyCallBacks_kCFTypeDictionaryValueCallBacks_malloc_memcpy_memset_objc_assign_global_objc_assign_ivar_objc_exception_extract_objc_exception_match_objc_exception_throw_objc_exception_try_enter_objc_exception_try_exit_objc_msgSend_objc_msgSendSuper_open_snprintf_strlensingle module__mh_dylib_headerdyld_stub_binding_helper+[GrowlApplicationBridge setGrowlDelegate:]+[GrowlApplicationBridge growlDelegate]+[GrowlApplicationBridge notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:]+[GrowlApplicationBridge notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:identifier:]+[GrowlApplicationBridge notifyWithDictionary:]+[GrowlApplicationBridge isGrowlInstalled]+[GrowlApplicationBridge isGrowlRunning]+[GrowlApplicationBridge displayInstallationPromptIfNeeded]+[GrowlApplicationBridge registerWithDictionary:]+[GrowlApplicationBridge reregisterGrowlNotifications]+[GrowlApplicationBridge setWillRegisterWhenGrowlIsReady:]+[GrowlApplicationBridge willRegisterWhenGrowlIsReady]+[GrowlApplicationBridge registrationDictionaryFromDelegate]+[GrowlApplicationBridge registrationDictionaryFromBundle:]+[GrowlApplicationBridge bestRegistrationDictionary]+[GrowlApplicationBridge registrationDictionaryByFillingInDictionary:]+[GrowlApplicationBridge registrationDictionaryByFillingInDictionary:restrictToKeys:]+[GrowlApplicationBridge notificationDictionaryByFillingInDictionary:]+[GrowlApplicationBridge frameworkInfoDictionary]+[GrowlApplicationBridge _applicationNameForGrowlSearchingRegistrationDictionary:]+[GrowlApplicationBridge growlNotificationWasClicked:]+[GrowlApplicationBridge growlNotificationTimedOut:]+[GrowlApplicationBridge connectionDidDie:]+[GrowlApplicationBridge growlProxy]+[GrowlApplicationBridge _growlIsReady:]+[GrowlApplicationBridge launchGrowlIfInstalled]+[GrowlApplicationBridge _launchGrowlIfInstalledWithRegistrationDictionary:]+[GrowlApplicationBridge _applicationIconDataForGrowlSearchingRegistrationDictionary:]__copyAllPreferencePaneBundles__launchGrowlIfInstalledWithRegistrationDictionary__growlNotificationWasClicked__growlNotificationTimedOut__growlIsReady_copyFork-[GrowlDelegate initWithAllNotifications:defaultNotifications:]-[GrowlDelegate dealloc]-[GrowlDelegate registrationDictionaryForGrowl]-[GrowlDelegate applicationNameForGrowl]-[GrowlDelegate setApplicationNameForGrowl:]-[GrowlDelegate applicationIconDataForGrowl]-[GrowlDelegate setApplicationIconDataForGrowl:]+[GrowlPathUtilities bundleForProcessWithBundleIdentifier:]+[GrowlPathUtilities runningHelperAppBundle]+[GrowlPathUtilities growlPrefPaneBundle]+[GrowlPathUtilities helperAppBundle]+[GrowlPathUtilities searchPathForDirectory:inDomains:mustBeWritable:]+[GrowlPathUtilities searchPathForDirectory:inDomains:]+[GrowlPathUtilities growlSupportDirectory]+[GrowlPathUtilities screenshotsDirectory]+[GrowlPathUtilities ticketsDirectory]+[GrowlPathUtilities nextScreenshotName]+[GrowlPathUtilities nextScreenshotNameInDirectory:]+[GrowlPathUtilities defaultSavePathForTicketWithApplicationName:]-[NSImage(GrowlImageAdditions) drawScaledInRect:operation:fraction:]-[NSImage(GrowlImageAdditions) adjustSizeToDrawAtSize:]-[NSImage(GrowlImageAdditions) bestRepresentationForSize:]-[NSImage(GrowlImageAdditions) representationOfSize:]-[NSImage(GrowlImageAdditions) replacementObjectForPortCoder:]___PRETTY_FUNCTION__.111908dyld__mach_header_growlLaunched_appIconData_appName_cachedRegistrationDictionary_delegate_registerWhenGrowlIsReady_growlProxy_targetsToNotifyArray_delegate_registerWhenGrowlIsReady_growlLaunched_cachedRegistrationDictionary_registeredForClickCallbacks_helperAppBundle_prefPaneBundle XH__TEXT__text__TEXTf__picsymbolstub1__TEXT~~ __cstring__TEXT.__const__TEXTD__DATA__dyld__DATA__la_symbol_ptr__DATA`__nl_symbol_ptr__DATAh,h0__const__DATA”0”__cfstring__DATA`__data__DATA$$__bss__DATA(8__OBJC__cat_inst_meth__OBJC`__message_refs__OBJC``__cls_refs__OBJC4T4__class__OBJC҈҈__meta_class__OBJC__cls_meth__OBJCӨӨ__protocol__OBJC՘(՘__module_info__OBJC@__symbols__OBJC@__cat_cls_meth__OBJC@@__inst_meth__OBJCP\P__instance_vars__OBJC֬(֬__category__OBJC__image_info__OBJC8__LINKEDITTT X@executable_path/../Frameworks/Growl.framework/Versions/A/Growl}-|W&}]A# PXX3 h3  4|;vx 4/usr/lib/libobjc.A.dylib libobjc p"/System/Library/Frameworks/ApplicationServices.framework/Versions/A/ApplicationServices X/System/Library/Frameworks/Carbon.framework/Versions/A/Carbon X.-/System/Library/Frameworks/AppKit.framework/Versions/C/AppKit `,/System/Library/Frameworks/Foundation.framework/Versions/C/Foundation 4/usr/lib/libgcc_s.1.dylib 4o/usr/lib/libSystem.B.dylib d /System/Library/Frameworks/CoreServices.framework/Versions/A/CoreServices h/System/Library/Frameworks/CoreFoundation.framework/Versions/A/CoreFoundation|B}|}cx= }| x=DN |<|~x|+x;0!K|yxv0A,>?\K`xKxHwH >?>\?_w,;,?;(K<xdK`KxHwhz(K<,lxK`KxHwm(/@(8!<<8c8̺|Hr?h>}$;$>_>>?>?K<,pxK`KxHv<xƸt<x89#xK<<|chK<K||xrdK<_ڲ(;=9xxK|}xv0K/A$۸#xxxx9KH <#xxx8K\x?KrdK=ڲ(xx9 K|}xv0K/A$x#xx۸x9KH <#xxx8K\xK<,xK8!<_b |N ;xxK/@X?_ ; /@0<ex#xPK<DKxHlm <xxKA,?_?x8K/A>H?;xxK/@`?_;/@8<ex#xTK<DKxHk̀/A<xxKA,?_?x8 K/A>H?;} xexK/@H-E|xy &AHQu|zyAp<<>hc,K<<Ex88ơ0K@|}xCxK<xfxxK@xKH<exx>K8 @ 8`H xH^I@KA,?_?x8@K/Ah>H?;@xxK/@8<x8PK,A<|exxxKA,?_?x8`K/AP>H?;`xxK/@(?HZHZEx|exxxK8!p<x؁aL|}p K8!p8`؁a|}p N |<!䀄}cx?|zx|+x!K<_;0|~xxK/@d?<;;>xsLhK/A<_;!?BxHX|}xx?xHX|zxx?HU9<|~x~xpK|{xH_5<|gxfxHxxx8$K<_t;bexK||xCxHTՀxxK+@8x?cx|K xxKtexK||xH[I<xKx|~xK+@8x?cx|K xxKtexK|~x<<~xcH888K/A4<x8K/@L<x8c4HZ]H88<x8cDHZE<~x8cTHZ5<a8tK<<cDK<xK/A sLx;hK|~xH ;;<`ae<_<8BĀ焨8@b8\89ia@D\`HB|~yA}txH?xHF/;AH|~y@<<8c8DHLeHd<_BbcxHI-|dx|}xcxHI=||xxHE<_=?<_9)d8BT8\8A`<_cx8B$x!hAl\dH?i|}xxHE]<x8tcxHE||xxHE=88xcxHH)a8xHE8cxHH|~xHH88#xx8<|}xa8HD<8@8` 8aHAXTAPHLHJ ~xHDE/A xHD5CxHD-H;8!x؁a|}p N |ABU|~xxHCi/ALxH>/A<88`HC/AxHC1HxHCE|~xH;I8!Px|N 8!P|N |B|;x!<_a<_x;}xH:/@<_/A$ /AY|bH9|}y@PY|xCxH;|dxxH9|}y@(H |{yA4H|}xcxH=/AxxxH;yxH=CxH=<x8|H:9/A\<_x;~,xH:/@@HGY|8 a888bH /^d!pA|AhalAtaxA/@ahH/AAlp/@<_8B}@ApyDA| !"|I /A(T:88<_})8Bz8I ,^/A$T:888})I,<_8Bz`I~$/A$T:88<_})8Bz8i,IXyl<=yt~x8dypbH7=|}xKYxH:mCxH:ecxH:]8!Ѐ|N |}8@9`Q8(!a@8a88a\<DHLAP!TaXKU8!|N /|B!A8KHK?|~x}~/AH9xH988}~xK|}xxH9y8!Px|N 8`Kt|BA|}x!?[}AT/A (/A|Cx| x| N!/A$$/Ax| x| N!|}x}{}/A0/@@c/A<8wH6-|~y@ <<8cvx8zXH?8`H<<_?Bv$;vHB=|gxx9v8xxH9|zxHBi=|gxxxx9v8H9i}||x/Ad?~/@H6<Fx8D89|#x|}xH6e<x8x8|#x9H6E8~HL?~/A|}yA88H>MxH>88|~xxH>1xH? ||yAD8xxH=@,<_xxBqFx8bH5)|~xH;xH=5cxH=8!`xA|N |A|#x|zx!H5dxH58;xH<xfx|}xCxxH5I8!`xA|N |B;!<_9"nBn 888a<8A<@H7|dyA<8ctH98a88!`|N |B!P<_9"mBm ;@8a8xA8 xA$H+|xxxH-|{x.@Hl.A|#xH+i|xxH<_Bj8;@xH7xH95x8|exxH0|{x@|}xH<8;8cotH3}H/AxH- |zxH0cxH/dx|zxxH/i|`xcx.|xH,-@<dx;8coH3H4:cx~xH//@<dx;8coH2HCxH.88@``BACxH-|bx;*|Ex8xCx8;>@T]>8^ x:~óxH5y<_9b@8888~>~H5E~óxH2=|}yAP;~x8dxH/A,A<|fx88ScxH6A<dxx8cm4H0Hd8~888HH4/88^X8^\T@;a@`x8~8|H1=.|}xAP;~x8dxH.,A<|fx88ScxH5<dxx8cmDH0)H`^T8;`:8~8[xd^`tH0|}yA/A<_:T;Cx8xH. ,A<|fx88TxH5 <_=?Bgx)hbIcxFxH*.||x@$<cxFx8U(8H)||x.<~xx8cmTxxH/5A xH(.@\H$8~8H/|}y@ Cx88H,/@H(/A<_:UK~cx~x8PH2;~,88\cxH2٠8@cx^GplHH/.|}x<8cmdxH.AP;~x8xH,,A<|fx88V,xH3<xx8cmtH.5Hl<`PH2 ||yA<PL;^~óxH/E/|}x@/@\;H/AH~xDx8H, ,A<|fx88SCxH3 <Dxx8cmH`cxPH.|}yAx;^~x8DxH+,A<|fx88V,CxH2<Dxx8cmH-9xH0cxH-||yAL;~~x8dxH+M,A<|fx88V,cxH2M<dxx8cmH,.@ .x~óxH-!||yAL;~8~8dxH*,A<|fx88ScxH1<dxx8cmH,q@x!xáa|}p N |B|#x|wx!@88;H(x|}xxH(/@<~x8chdH+8`H/@<x8chtH+8`H;!(88\#x;A?H/88AD;#xH,y|}x|dx8{hH+/A /wA`<x8chH+iH0Cx88x8xxK|}yA/wA$<x~x8chH+%8`H;<_xBbbH'E8!|N !|}y|B|#x|+x|3x!@<;8cgXH*H<_xBa4xH#||y@<x;8cghH*}HH#/@<x;8cgxH*YH|x8fxx8889<|T|:W#!0>Lb\;<;aD<:;@@xH$|}y@88<cxH*)xdx!DH$|~y@t@@x8H'Y|~yAH88x8H$xk$K<~xkK/A8k$8_dxK|eyA <<clkKAt|vx<xjKK(<x@H#x|gx<x8cc4;xH%H /A(xH#<x|fx<8T08ccDH$8!~óxA|N <<jP8\K|?}cx|}x9>cc!p/@<><K<iKjDKjD||xKjDKjH|}xxKjLK<_j;baexK/A,<ujxj8K~DxH(c/@`jHxKjLKjexK/A,<ujxj8K~DxH'c/@<<?_j ?cjK88`|vx8`H#UjP|{xK||xjTxK/A?<j8aKj<8_K<j$|}x~óxxK/A<ujxj8K|}yA<jXK/A|<~x8j\K/@`x~DxH&cHjPcx>?==>K<_|wxA8HЀj8aK<j`|yx~óx%xK|zxHjHKj8^xK/Atjex#xjj8K|exxxK|}yA4A8jXK/A <~x8j\K/A<CxjdKjTCxK|{y@djT~xK/@$88!|x|N |?}cx;__!/@t<f|KxH%I_/@T<<fcgK<<f<8Z 8ZK<|ex<fcg|KxH$8!P~_|N ||+x}cx|3x|;x8`!A|+x|3x8H u/|{xA<<??f<>??f?f@K|exxxK<|zx<ecfK<f$|~xcxK||xH,fDxxK/AfHxCxKf(xK|}y@[xH<`ALA$<Ax<;`8c]HiHX<`A<<`@H4>cf??>K8x8|~x8`8H<f?????_K_T|{x<ca@K<``||xcxKx|exxK<`t|~xcxK||xH ``K|exxxK`xxK/@;`;;?>>???__,cxK_Tva4K_X8X,xxK_|{xxexK/A3/@/@_,xK8!p<cxԀ_8|K|<a쀄_}cx|+x?!K<<^||x8Vcx^K8!`|exxxa|K|~y|B!@<;8cV(HH88H1|}xxHE88|exxH|}yA,x;H!xx|dx<8cV8HIHa8888<89(<_G!2H{*@=(<_G!2H*\\áa А<xӁӡ\XA\!PATY8a@8A}N |B}h=k|@p}N |B}h=k|>}N |B}h=k|>}N |B}h=k|>,}N |B}h=k|>\}N |B}h=k|>@}N |B}h=k|?}N |B}h=k|?}N |B}h=k|>}N |B}h=k|>4}N |B}h=k|>}N |B}h=k|?}N |B}h=k|>t}N |B}h=k|>}N |B}h=k|>}N |B}h=k|>}N |B}h=k|>}N |B}h=k|<}N |B}h=k|=}N |B}h=k|0}N |B}h=k|> }N |B}h=k|=}N |B}h=k|=}N |B}h=k|=d}N |B}h=k|=4}N |B}h=k|;}N |B}h=k|<4}N |B}h=k|<}N |B}h=k|;`}N |B}h=k|;}N |B}h=k|;}N |B}h=k|<}N |B}h=k|;}N |B}h=k|;}N |B}h=k|;}N |B}h=k|<<}N |B}h=k|;}N |B}h=k|:}N |B}h=k|9}N |B}h=k|:p}N |B}h=k|:L}N |B}h=k|; }N |B}h=k|9}N |B}h=k|9}N |B}h=k|:}N |B}h=k|9}N |B}h=k|9}N |B}h=k|:l}N |B}h=k|9}N |B}h=k|8l}N |B}h=k|8}N |B}h=k|9}N |B}h=k|8}N |B}h=k|9}N |B}h=k|7}N |B}h=k|9}N |B}h=k|7X}N |B}h=k|98}N |B}h=k|8}N |B}h=k|8}N |B}h=k|8}N |B}h=k|9}N |B}h=k|8P}N |B}h=k|6}N |B}h=k|6t}N |B}h=k|78}N |B}h=k|6}N |B}h=k|8}N |B}h=k|6}N |B}h=k|6}N |B}h=k|5}N |B}h=k|5|}N |B}h=k|6}N |B}h=k|6}N |B}h=k|5}N |B}h=k|5}N |B}h=k|5l}N |B}h=k|4}N |B}h=k|4}N |B}h=k|4}N |B}h=k|4}N |B}h=k|5}N |B}h=k|4}N |B}h=k|5h}N |B}h=k|4p}N |B}h=k|4}N |B}h=k|4}N |B}h=k|4T}N |B}h=k|4T}N |B}h=k|4(}N |B}h=k|4(}N |B}h=k|3}N |B}h=k|3}N |B}h=k|3}N |B}h=k|3}N |B}h=k|4}N |B}h=k|2}N |B}h=k|2X}N |B}h=k|3}N |B}h=k|2d}N |B}h=k|2}N |B}h=k|2p}N |B}h=k|1}N |B}h=k|2D}N |B}h=k|1}N |B}h=k|1}N |B}h=k|1T}N |B}h=k|1H}N |B}h=k|1}N |B}h=k|1 }N |B}h=k|0}N |B}h=k|0p}N |B}h=k|1|}N |B}h=k|0(}N |B}h=k|2}N |B}h=k|1}N |B}h=k|0}N |B}h=k|1$}N |B}h=k|1}N |B}h=k|0}N |B}h=k|0}N |B}h=k|0}N |B}h=k|0}N |B}h=k|/}N |B}h=k|/}N |B}h=k|/h}N |B}h=k|/}N |B}h=k|.}N c8@0:4c12@0:4@8v12@0:4@8@8@0:4@12@0:4@8@16@0:4@8@12v12@0:4c8v8@0:4v40@0:4@8@12@16@20i24c28@32@36v36@0:4@8@12@16@20i24c28@32O@8@0:4Vv12@0:4O@8launchGrowlIfInstalled_launchGrowlIfInstalledWithRegistrationDictionary:_growlIsReady:growlProxyconnectionDidDie:growlNotificationTimedOut:growlNotificationWasClicked:_applicationIconDataForGrowlSearchingRegistrationDictionary:_applicationNameForGrowlSearchingRegistrationDictionary:frameworkInfoDictionarynotificationDictionaryByFillingInDictionary:registrationDictionaryByFillingInDictionary:restrictToKeys:registrationDictionaryByFillingInDictionary:bestRegistrationDictionaryregistrationDictionaryFromBundle:registrationDictionaryFromDelegatewillRegisterWhenGrowlIsReadysetWillRegisterWhenGrowlIsReady:reregisterGrowlNotificationsregisterWithDictionary:displayInstallationPromptIfNeededisGrowlRunningisGrowlInstallednotifyWithDictionary:notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:identifier:notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:growlDelegatesetGrowlDelegate:bytesdataUsingEncoding:absoluteStringfileExistsAtPath:defaultManagerwriteToFile:atomically:dataFromPropertyList:format:errorDescription:stringByAppendingPathComponent:substringToIndex:lengthstringByAppendingPathExtension:stringWithFormat:isEqualToString:fileURLWithPath:runningHelperAppBundlepostNotificationName:object:userInfo:growlIsReadysetProtocolForProxy:registerApplicationWithDictionary:rootProxyconnectionWithRegisteredName:host:objectdrainuserInfoinitapplicationIconDataForGrowlapplicationIconForGrowlprocessNameapplicationNameForGrowlinitWithInt:removeObjectForKey:containsObject:bundlePathdictionaryWithContentsOfFile:pathForResource:ofType:mainBundleregistrationDictionaryForGrowlgrowlPrefPaneBundlepostNotificationName:object:userInfo:deliverImmediately:setObject:forKey:TIFFRepresentationmutableCopyisKindOfClass:objectForKey:classpostNotificationWithDictionary:initWithObjectsAndKeys:removeObserver:name:object:respondsToSelector:initWithFormat:allocprocessIdentifierprocessInfoaddObserver:selector:name:object:autoreleaseretainreleasedefaultCentergrowlVersionGrowlApplicationBridgeNSObjectGrowlNotificationProtocolNSDistributedNotificationCenterNSProcessInfoNSStringNSMutableDictionaryNSExceptionNSImageGrowlPathUtilitiesNSBundleNSDictionaryNSNumberNSAutoreleasePoolNSNotificationCenterNSConnectionNSURLNSPropertyListSerializationNSFileManager%@GrowlApplicationBridge: Cannot register because the application name was not supplied and could not be determinedLend Me Some Sugar; I Am Your Neighbor!%@-%d-%@GrowlClicked!GrowlTimedOut!NotificationNameNotificationTitleNotificationDescriptionNotificationIconNotificationClickContextNotificationPriorityNotificationStickyGrowlNotificationIdentifierGrowlApplicationBridge: exception while sending notification: %@NotificationAppIconGrowlNotificationcom.Growl.GrowlHelperAppGrowl Registration TicketgrowlRegDictGrowlApplicationBridge: The bundle at %@ contains a registration dictionary, but it is not a valid property list. Please tell this application's developer.GrowlApplicationBridge: The Growl delegate did not supply a registration dictionary, and the app bundle at %@ does not have one. Please tell this application's developer.ApplicationNameApplicationIconAppLocationfile-dataDefaultNotificationsAllNotificationsApplicationIdApplicationPIDcom.growl.growlframeworkClickedContextGrowlApplicationBridgePathwayReceived a fake GrowlApplicationBridgePathway object. Some other application is interfering with Growl, or something went horribly wrong. Please file a bug report.GrowlHelperAppappBundlePath%@-%u-%@GrowlApplicationBridge: Error writing registration dictionary at %@GrowlApplicationBridge: Error writing registration dictionary at %@: %@GrowlApplicationBridge: Registration dictionary follows %@%@: Could not create open-document event to register this application with Growl%@: Could not set direct object of open-document event to register this application with Growl because AEStreamWriteKeyDesc returned %li/%s%@: Could not finish open-document event to register this application with Growl because AEStreamClose returned %li/%s%@: Could not send open-document event to register this application with Growl because AESend returned %li/%sGrowlApplicationBridge: Delegate did not supply a registration dictionary, and the app bundle at %@ does not have oneGrowlApplicationBridge: Got error reading property list at %@: %@GrowlApplicationBridge: Delegate did not supply a registration dictionary, and it could not be loaded from %@GrowlApplicationBridge: Registration dictionary file at %@ didn't contain a dictionary (dictionary type ID is '%@' whereas the file contained '%@'); description of object follows %@prefPaneCallbackContextcom.growl.prefpanelGrowlApplicationBridge: Could not find the temporary directory path, therefore cannot register./.GrowlApplicationBridge: Error writing registration dictionary to URL %@: %@Growl.prefPaneGrowlApplicationBridge: Growl_PostNotification called with a NULL notificationGrowlApplicationBridge: Growl_PostNotification called, but no delegate is in effect to supply an application name - either set a delegate, or use Growl_PostNotificationWithDictionary insteadGrowlApplicationBridge: Growl_PostNotification called, but no application name was found in the delegateGrowlApplicationBridge: Growl_SetDelegate called, but no application name was found in the delegaterbin copyCurrentProcessName in CFGrowlAdditions: Could not get process name because CopyProcessName returned %liin copyCurrentProcessURL in CFGrowlAdditions: Could not get application location, because GetProcessBundleLocation returned %li in copyTemporaryFolderPath in CFGrowlAdditions: Could not locate temporary folder because FSFindFolder returned %lir%s:%dIPv4 un-ntopable[%s]:%dIPv6 un-ntopableneither IPv6 nor IPv4in copyIconDataForURL in CFGrowlAdditions: could not get icon for %@: GetIconRefFromFileInfo returned %li in copyIconDataForURL in CFGrowlAdditions: could not get icon for %@: IconRefToIconFamily returned %li in createURLByMakingDirectoryAtURLWithName in CFGrowlAdditions: parent directory URL is NULL (please tell the Growl developers) in createURLByMakingDirectoryAtURLWithName in CFGrowlAdditions: name of directory to create is NULL (please tell the Growl developers) in createURLByMakingDirectoryAtURLWithName in CFGrowlAdditions: could not create FSRef for parent directory at %@ (please tell the Growl developers) PBCreateDirectoryUnicodeSync or PBMakeFSRefUnicodeSync returned %li; calling CFURLCreateFromFSRefCFURLCreateFromFSRef returned %@in createURLByMakingDirectoryAtURLWithName in CFGrowlAdditions: could not create directory '%@' in parent directory at %@: FSCreateDirectoryUnicode returned %li (please tell the Growl developers)(could not get path for source file: FSRefMakePath returned %li)in copyFork in CFGrowlAdditions: PBOpenForkSync (source: %s) returned %liin copyFork in CFGrowlAdditions: PBGetCatalogInfoSync (source: %s) returned %liPBMakeFSRefUnicodeSync(could not get path for destination directory: FSRefMakePath returned %li)(could not get filename for destination file: CFStringCreateWithCharactersNoCopy returned NULL)in copyFork in CFGrowlAdditions: %s (destination: %s/%@) returned %liPBCreateFileUnicodeSyncin copyFork in CFGrowlAdditions: PBOpenForkSync (dest) returned %li(could not get path for dest file: FSRefMakePath returned %li)in copyFork in CFGrowlAdditions: PBOpenForkSync (destination: %s) returned %liin copyFork in CFGrowlAdditions: PBReadForkSync (source: %s) returned %liin copyFork in CFGrowlAdditions: PBWriteForkSync (destination: %s) returned %liin copyFork in CFGrowlAdditions: PBCloseForkSync (destination: %s) returned %liin copyFork in CFGrowlAdditions: PBCloseForkSync (source: %s) returned %liin createURLByCopyingFileFromURLToDirectoryURL in CFGrowlAdditions: CFURLGetFSRef failed with source URL %@in createURLByCopyingFileFromURLToDirectoryURL in CFGrowlAdditions: CFURLGetFSRef failed with destination URL %@PBIterateForksSync returned %liin GrowlCopyObjectSync in CFGrowlAdditions: PBIterateForksSync returned %liin createURLByCopyingFileFromURLToDirectoryURL in CFGrowlAdditions: CopyObjectSync returned %li for source URL %@in createPropertyListFromURL in CFGrowlAdditions: cannot read from a NULL URLin createPropertyListFromURL in CFGrowlAdditions: could not create stream for reading from URL %@in createPropertyListFromURL in CFGrowlAdditions: could not open stream for reading from URL %@in createPropertyListFromURL in CFGrowlAdditions: could not read property list from URL %@ (error string: %@)@"NSDictionary"@"NSString"@"NSData"registrationDictionarysetApplicationIconDataForGrowl:setApplicationNameForGrowl:deallocinitWithAllNotifications:defaultNotifications:GrowlDelegateGrowlApplicationBridgeDelegate@16@0:4i8I12@20@0:4i8I12c16defaultSavePathForTicketWithApplicationName:nextScreenshotNameInDirectory:nextScreenshotNameticketsDirectoryscreenshotsDirectorygrowlSupportDirectorysearchPathForDirectory:inDomains:searchPathForDirectory:inDomains:mustBeWritable:helperAppBundlebundleForProcessWithBundleIdentifier:stringByDeletingPathExtensioninitWithCapacity:directoryContentsAtPath:createDirectoryAtPath:attributes:objectAtIndex:fileExistsAtPath:isDirectory:addObject:isWritableFileAtPath:arrayWithCapacity:countskipDescendentsenumeratorAtPath:compare:options:bundleIdentifiernextObjectobjectEnumeratorlowercaseStringpathExtensionstringByDeletingLastPathComponentbundleWithIdentifier:bundleWithPath:NSMutableArrayNSMutableSet+[GrowlPathUtilities bundleForProcessWithBundleIdentifier:]Couldn't get information about process %lu,%lu: GetProcessInformation returned %i/%s%s: GetNextProcess returned %i/%sprefpanePreferencePanesScreenshotsTicketsPluginsERROR: GrowlPathUtil was asked for directory 0x%x, but it doesn't know what directory that is. Please tell the Growl developers.Application Support/GrowlScreenshot %llugrowlTicketWARNING: createFileURLWithAliasData called with NULL aliasDatain createFileURLWithAliasData: Could not allocate an alias handle from %u bytes of alias data (data follows) because PtrToHand returned %li %@in createFileURLWithAliasData: Could not resolve alias (alias data follows) because FSResolveAlias returned %li - will try path %@in createFileURLWithAliasData: FSCopyAliasInfo returned a NULL pathfilein createAliasDataForURL: FSNewAlias for %@ returned %li_CFURLString_CFURLAliasData_CFURLStringTypein createDockDescriptionWithURL: Cannot copy Dock description for a NULL URL@16@0:4{_NSSize=ff}8{_NSSize=ff}16@0:4{_NSSize=ff}8v32@0:4{_NSRect={_NSPoint=ff}{_NSSize=ff}}8I24f28replacementObjectForPortCoder:representationOfSize:bestRepresentationForSize:adjustSizeToDrawAtSize:drawScaledInRect:operation:fraction:isBycopybestRepresentationForDevice:representationssetSize:drawInRect:fromRect:operation:fraction:setImageInterpolation:currentContextsetScalesWhenResized:sizeGrowlImageAdditionsNSGraphicsContext?$$4DtÄTôdÔtxq' 0@Th@<Pd H  ,DX hxhx| CG :\P<vm$uAmP (<_`KNPh|cnTsPXltj gta| IOEhCN<IOO(JtkpTtKq4Ma_Hm Td! D`p |>LC8X hxLL TTH}h|{{xHXtXx@p tTH0dxpd\T0$p\<4 ph4dTD0$xhDL4( tdL$hHdH@0 d88 H8l֬P@x888 0Ө88l0@880`.x.-++$*)4X)((&#$#H"xd!!T!D!8!( ( L\p`0D T rq8 q( p84oHLn4dn$kjtg\gHeD|``` `0҈Ҹլe,xe$ddTd4d(<cx @ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@” @˜ @œ @  @¤ @¨ @¬ @° @´ @¸ @¼ @ @@@@@ @@,@<@L@\@l@|@Ì@Ü@ì@ü@@@@@ @@,@<@L@\@l@|@Č@Ĝ@Ĭ@ļ@@@@@ @@,@<@L@\@l@|@Ō@Ŝ@Ŭ@ż@@@@@ @@,@<@L@\@l@|@ƌ@Ɯ@Ƭ@Ƽ@@@@@ @@,@<@L@\@l@|@nj@ǜ@Ǭ@Ǽ@@@@@ @@,@<@L@\@l@|@Ȍ@Ȝ@Ȭ@ȼ@@@@@ @@,@<@L@\@l@|@Ɍ@ɜ@ɬ@ɼ@@@@@ @@$@@@ @@@@$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@Ѐ@Є@Ј@Ќ@А@Д@И@М@Р@Ф@Ш@Ь@а@д@и@м@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@р@ф@ш@ь@ѐ@є@ј@ќ@Ѡ@Ѥ@Ѩ@Ѭ@Ѱ@Ѵ@Ѹ@Ѽ@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@Ҁ@҄@҈@Ҍ@Ґ@Ҹ@Ҽ@@@@@@@@@@ @4@H@L@P@l@x@|@Ӏ@Ӕ@Ӱ@Ӵ@Ӹ@Ӽ@@@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@Ԁ@Ԅ@Ԉ@Ԍ@Ԑ@Ԕ@Ԙ@Ԝ@Ԡ@Ԥ@Ԩ@Ԭ@԰@Դ@Ը@Լ@@@@@@@@@@@@@@@@@@ @@@@@ @$@(@,@0@4@8@<@@@D@H@L@P@T@X@\@`@d@h@l@p@t@x@|@Հ@Մ@Ո@Ռ@Ր@Ք@՜@դ @հ@@@@@@@@@ @@,@<@H@X@\@`@d@h@l@p@t@x@|@ր@ք@ֈ@֌@֐@֔@֘@֜@֠@֤@֨@ְ@ִ@ּ@@@@@@ @2 Z`Eu  7!(n!8!D!T!Y"x##$+&r()().*c+$+-..[4;=D"E>N`MZtWcd(dd d6e$ce,egHg\'jMkn$n4oH #p8 Jq( sq8 r x!0{!h{!|!}"~"~d"&"B"P"^"j"v"""”"œ" $" (" ," 0" 4# 8# <#, @#8 D#N H#X L#r M# P# T# X# \4҈\Ҹ{55Ex!F`Z;75`A;F,KTpHH|KL<LD5|5<QhIQaRyR@WlVHS|STtv7O@_sL{uUa,TPP)b`V_Wx|x<x8Sxww C]{)BbKe|      !  2  J  ]  t              +  D  R  d                %  @  _  u                    @  j              <  O  k  }              ! B f    A   A8 Q m ~     - < ^ l     (7Ol|.<Ch~(9[fv   - A S d t    '=SmPPPPPP$P4PDPTPdPtPÄPÔPäPôPPPPPPP$P4PDPTPdPtPĄPĔPĤPĴPPPPPPP$P4PDPTPdPtPńPŔPŤPŴPPPPPPP$P4PDPTPdPtPƄPƔPƤPƴPPPPPPP$P4PDPTPdPtPDŽPǔPǤPǴPPPPPPP$P4PDPTPdPtPȄPȔPȤPȴPPPPPPP$P4PDPTPdPtPɄPɔPɤPɴPPPPPPP      !"#$%&'()3456789:;<=>?@)'&@" #%!< >$= 5? ( 6 :78;943/*210,+-.XYZ[\]^_`abcdefghijklmnopqrstuvwxyz{|}~X3Xv@XYZ[\]^_`abcdefghijklmnopqrstuvwxyz{|}~      !"#$%&'()*+,-./0123456789:;<=>?@.objc_category_name_NSImage_GrowlImageAdditions.objc_class_name_GrowlApplicationBridge.objc_class_name_GrowlDelegate.objc_class_name_GrowlPathUtilities_Growl_CopyRegistrationDictionaryFromBundle_Growl_CopyRegistrationDictionaryFromDelegate_Growl_CreateBestRegistrationDictionary_Growl_CreateNotificationDictionaryByFillingInDictionary_Growl_CreateRegistrationDictionaryByFillingInDictionary_Growl_CreateRegistrationDictionaryByFillingInDictionaryRestrictedToKeys_Growl_GetDelegate_Growl_IsInstalled_Growl_IsRunning_Growl_LaunchIfInstalled_Growl_NotifyWithTitleDescriptionNameIconPriorityStickyClickContext_Growl_PostNotification_Growl_PostNotificationWithDictionary_Growl_RegisterWithDictionary_Growl_Reregister_Growl_SetDelegate_Growl_SetWillRegisterWhenGrowlIsReady_Growl_WillRegisterWhenGrowlIsReady_copyCString_copyCurrentProcessName_copyCurrentProcessPath_copyCurrentProcessURL_copyIconDataForPath_copyIconDataForURL_copyTemporaryFolderPath_copyTemporaryFolderURL_copyURLForApplication_createAliasDataWithURL_createDockDescriptionWithURL_createFileSystemRepresentationOfString_createFileURLWithAliasData_createFileURLWithDockDescription_createHostNameForAddressData_createPropertyListFromURL_createStringWithAddressData_createStringWithContentsOfFile_createStringWithDate_createStringWithStringAndCharacterAndString_createURLByCopyingFileFromURLToDirectoryURL_createURLByMakingDirectoryAtURLWithName_getBooleanForKey_getIntegerForKey_getObjectForKey_readFile_setBooleanForKey_setIntegerForKey_setObjectForKey.objc_class_name_NSAutoreleasePool.objc_class_name_NSBundle.objc_class_name_NSConnection.objc_class_name_NSDictionary.objc_class_name_NSDistributedNotificationCenter.objc_class_name_NSException.objc_class_name_NSFileManager.objc_class_name_NSGraphicsContext.objc_class_name_NSImage.objc_class_name_NSMutableArray.objc_class_name_NSMutableDictionary.objc_class_name_NSMutableSet.objc_class_name_NSNotificationCenter.objc_class_name_NSNumber.objc_class_name_NSObject.objc_class_name_NSProcessInfo.objc_class_name_NSPropertyListSerialization.objc_class_name_NSString.objc_class_name_NSURL_AEDisposeDesc_AESendMessage_AEStreamClose_AEStreamCreateEvent_AEStreamWriteKeyDesc_CFArrayAppendArray_CFArrayAppendValue_CFArrayCreate_CFArrayCreateMutable_CFArrayGetCount_CFArrayGetValueAtIndex_CFBooleanGetValue_CFBundleCopyBundleURL_CFBundleCopyResourceURL_CFBundleCreate_CFBundleCreateBundlesFromDirectory_CFBundleGetBundleWithIdentifier_CFBundleGetIdentifier_CFBundleGetInfoDictionary_CFBundleGetMainBundle_CFCopyTypeIDDescription_CFDataCreate_CFDataCreateCopy_CFDataCreateWithBytesNoCopy_CFDataGetBytePtr_CFDataGetLength_CFDateFormatterCreate_CFDateFormatterCreateStringWithDate_CFDictionaryContainsKey_CFDictionaryCreate_CFDictionaryCreateCopy_CFDictionaryCreateMutable_CFDictionaryCreateMutableCopy_CFDictionaryGetCount_CFDictionaryGetTypeID_CFDictionaryGetValue_CFDictionaryRemoveValue_CFDictionarySetValue_CFEqual_CFGetAllocator_CFGetTypeID_CFLocaleCopyCurrent_CFMakeCollectable_CFNotificationCenterAddObserver_CFNotificationCenterGetDistributedCenter_CFNotificationCenterPostNotification_CFNotificationCenterRemoveEveryObserver_CFNotificationCenterRemoveObserver_CFNumberCreate_CFNumberGetValue_CFPropertyListCreateFromStream_CFPropertyListWriteToStream_CFReadStreamClose_CFReadStreamCreateWithFile_CFReadStreamOpen_CFRelease_CFRetain_CFSetContainsValue_CFStringCompare_CFStringCreateByCombiningStrings_CFStringCreateCopy_CFStringCreateWithBytes_CFStringCreateWithCString_CFStringCreateWithCStringNoCopy_CFStringCreateWithCharactersNoCopy_CFStringCreateWithFormat_CFStringGetCString_CFStringGetCharacters_CFStringGetFileSystemRepresentation_CFStringGetLength_CFStringGetMaximumSizeForEncoding_CFStringGetMaximumSizeOfFileSystemRepresentation_CFURLCopyFileSystemPath_CFURLCopyLastPathComponent_CFURLCopyScheme_CFURLCreateCopyAppendingPathComponent_CFURLCreateCopyDeletingLastPathComponent_CFURLCreateFromFSRef_CFURLCreateFromFileSystemRepresentation_CFURLCreateWithFileSystemPath_CFURLGetFSRef_CFURLGetFileSystemRepresentation_CFUUIDCreate_CFUUIDCreateString_CFWriteStreamClose_CFWriteStreamCreateWithFile_CFWriteStreamOpen_CopyProcessName_DisposeHandle_FNNotify_FSCopyAliasInfo_FSFindFolder_FSNewAlias_FSRefMakePath_GetHandleSize_GetIconRefFromFileInfo_GetMacOSStatusCommentString_GetNextProcess_GetProcessBundleLocation_GetProcessInformation_GetProcessPID_HLock_HUnlock_IconRefToIconFamily_LSFindApplicationForInfo_LSOpenFromURLSpec_NSConnectionDidDieNotification_NSEqualSizes_NSLog_NSSearchPathForDirectoriesInDomains_NSTemporaryDirectory_PBCloseForkSync_PBCreateDirectoryUnicodeSync_PBCreateFileUnicodeSync_PBGetCatalogInfoSync_PBIterateForksSync_PBMakeFSRefUnicodeSync_PBOpenForkSync_PBReadForkSync_PBWriteForkSync_ProcessInformationCopyDictionary_PtrToHand_ReleaseIconRef___CFConstantStringClassReference__setjmp_calloc_ceilf_close_fclose_floorf_fopen_fread_free_fseek_fstat_ftell_getcwd_getnameinfo_getpid_inet_ntop_kCFAllocatorDefault_kCFAllocatorMalloc_kCFAllocatorNull_kCFBooleanFalse_kCFBooleanTrue_kCFBundleIdentifierKey_kCFTypeArrayCallBacks_kCFTypeDictionaryKeyCallBacks_kCFTypeDictionaryValueCallBacks_malloc_memcpy_memset_objc_assign_global_objc_exception_extract_objc_exception_match_objc_exception_throw_objc_exception_try_enter_objc_exception_try_exit_objc_msgSendSuper_objc_msgSend_stret_open_snprintf$LDBL128_strlensingle module__mh_dylib_headerdyld_stub_binding_helper+[GrowlApplicationBridge setGrowlDelegate:]+[GrowlApplicationBridge growlDelegate]+[GrowlApplicationBridge notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:]+[GrowlApplicationBridge notifyWithTitle:description:notificationName:iconData:priority:isSticky:clickContext:identifier:]+[GrowlApplicationBridge notifyWithDictionary:]+[GrowlApplicationBridge isGrowlInstalled]+[GrowlApplicationBridge isGrowlRunning]+[GrowlApplicationBridge displayInstallationPromptIfNeeded]+[GrowlApplicationBridge registerWithDictionary:]+[GrowlApplicationBridge reregisterGrowlNotifications]+[GrowlApplicationBridge setWillRegisterWhenGrowlIsReady:]+[GrowlApplicationBridge willRegisterWhenGrowlIsReady]+[GrowlApplicationBridge registrationDictionaryFromDelegate]+[GrowlApplicationBridge registrationDictionaryFromBundle:]+[GrowlApplicationBridge bestRegistrationDictionary]+[GrowlApplicationBridge registrationDictionaryByFillingInDictionary:]+[GrowlApplicationBridge registrationDictionaryByFillingInDictionary:restrictToKeys:]+[GrowlApplicationBridge notificationDictionaryByFillingInDictionary:]+[GrowlApplicationBridge frameworkInfoDictionary]+[GrowlApplicationBridge _applicationNameForGrowlSearchingRegistrationDictionary:]+[GrowlApplicationBridge growlNotificationWasClicked:]+[GrowlApplicationBridge growlNotificationTimedOut:]+[GrowlApplicationBridge connectionDidDie:]+[GrowlApplicationBridge growlProxy]+[GrowlApplicationBridge _growlIsReady:]+[GrowlApplicationBridge launchGrowlIfInstalled]+[GrowlApplicationBridge _launchGrowlIfInstalledWithRegistrationDictionary:]+[GrowlApplicationBridge _applicationIconDataForGrowlSearchingRegistrationDictionary:]__copyAllPreferencePaneBundles__launchGrowlIfInstalledWithRegistrationDictionary__growlNotificationWasClicked__growlNotificationTimedOut__growlIsReady_copyFork-[GrowlDelegate initWithAllNotifications:defaultNotifications:]-[GrowlDelegate dealloc]-[GrowlDelegate registrationDictionaryForGrowl]-[GrowlDelegate applicationNameForGrowl]-[GrowlDelegate setApplicationNameForGrowl:]-[GrowlDelegate applicationIconDataForGrowl]-[GrowlDelegate setApplicationIconDataForGrowl:]+[GrowlPathUtilities bundleForProcessWithBundleIdentifier:]+[GrowlPathUtilities runningHelperAppBundle]+[GrowlPathUtilities growlPrefPaneBundle]+[GrowlPathUtilities helperAppBundle]+[GrowlPathUtilities searchPathForDirectory:inDomains:mustBeWritable:]+[GrowlPathUtilities searchPathForDirectory:inDomains:]+[GrowlPathUtilities growlSupportDirectory]+[GrowlPathUtilities screenshotsDirectory]+[GrowlPathUtilities ticketsDirectory]+[GrowlPathUtilities nextScreenshotName]+[GrowlPathUtilities nextScreenshotNameInDirectory:]+[GrowlPathUtilities defaultSavePathForTicketWithApplicationName:]-[NSImage(GrowlImageAdditions) drawScaledInRect:operation:fraction:]-[NSImage(GrowlImageAdditions) adjustSizeToDrawAtSize:]-[NSImage(GrowlImageAdditions) bestRepresentationForSize:]-[NSImage(GrowlImageAdditions) representationOfSize:]-[NSImage(GrowlImageAdditions) replacementObjectForPortCoder:]saveFPrestFP___PRETTY_FUNCTION__.108339_C.178.108798_C.425.109488_C.71.74035_C.88.74183_C.65.74088_C.66.74100_C.65.108340_C.81.74148_C.58.73802dyld__mach_header_growlLaunched_appIconData_appName_cachedRegistrationDictionary_delegate_registerWhenGrowlIsReady_growlProxy_targetsToNotifyArray_delegate_registerWhenGrowlIsReady_growlLaunched_cachedRegistrationDictionary_registeredForClickCallbacks_helperAppBundle_prefPaneBundleunison-2.40.102/uimacnew09/Frameworks/Growl.framework/Versions/A/Resources/0000755006131600613160000000000012050210654026521 5ustar bcpiercebcpierceunison-2.40.102/uimacnew09/Frameworks/Growl.framework/Versions/A/Resources/Info.plist0000644006131600613160000000134211361646373030510 0ustar bcpiercebcpierce CFBundleDevelopmentRegion English CFBundleExecutable Growl CFBundleIdentifier com.growl.growlframework CFBundleInfoDictionaryVersion 6.0 CFBundlePackageType FMWK CFBundleShortVersionString 1.2.1 CFBundleSignature GRRR CFBundleVersion 1.2.1 NSPrincipalClass GrowlApplicationBridge unison-2.40.102/uimacnew09/NotificationController.h0000644006131600613160000000103711361646373022234 0ustar bcpiercebcpierce// // NotificationController.h // uimac // // Created by Alan Schmitt on 02/02/06. // Copyright 2006, see file COPYING for details. All rights reserved. // #import #import @interface NotificationController : NSObject { } - (void)updateFinishedFor: (NSString *)profile; - (void)syncFinishedFor: (NSString *)profile; /* Implement the GrowlApplicationBridgeDelegate protocol */ - (NSDictionary *)registrationDictionaryForGrowl; - (NSString *)applicationNameForGrowl; @end unison-2.40.102/uimacnew09/ReconItem.m0000644006131600613160000004334411361646373017443 0ustar bcpiercebcpierce#import "ReconItem.h" #import "Bridge.h" #import @implementation ReconItem - init { [super init]; selected = NO; // NB only used/updated during sorts. Not a // reliable indicator of whether item is selected fileSize = -1.; bytesTransferred = -1.; return self; } - (void)dealloc { [path release]; [fullPath release]; // [direction release]; // assuming retained by cache, so not retained // [directionSortString release]; // no retain/release necessary because is constant [super dealloc]; } - (ReconItem *)parent { return parent; } - (void)setParent:(ReconItem *)p { parent = p; } - (void)willChange { // propagate up parent chain [parent willChange]; } - (NSArray *)children { return nil; } - (BOOL)selected { return selected; } - (void)setSelected:(BOOL)x { selected = x; } - (NSString *)path { return path; } - (void)setPath:(NSString *)aPath { [path autorelease]; path = [aPath retain]; // invalidate [fullPath autorelease]; fullPath = nil; } - (NSString *)fullPath { if (!fullPath) { NSString *parentPath = [parent fullPath]; [self setFullPath:(([parentPath length] > 0) ? [parentPath stringByAppendingFormat:@"/%@", path] : path)]; } return fullPath; } - (void)setFullPath:(NSString *)p { [fullPath autorelease]; fullPath = [p retain]; } - (NSString *)left { return nil; } - (NSString *)right { return nil; } static NSMutableDictionary *_ChangeIconsByType = nil; - (NSImage *)changeIconFor:(NSString *)type other:(NSString *)other { if (![type length]) { if ([other isEqual:@"Created"]) { type = @"Absent"; } else if ([other length]) { type = @"Unmodified"; } else return nil; } NSImage *result = [_ChangeIconsByType objectForKey:type]; if (!result) { NSString *imageName = [NSString stringWithFormat:@"Change_%@.png", type]; result = [NSImage imageNamed:imageName]; if (!_ChangeIconsByType) _ChangeIconsByType = [[NSMutableDictionary alloc] init]; [_ChangeIconsByType setObject:result forKey:type]; } return result; } - (NSImage *)leftIcon { return [self changeIconFor:[self left] other:[self right]]; } - (NSImage *)rightIcon { return [self changeIconFor:[self right] other:[self left]]; } - (double)computeFileSize { return 0.; } - (double)bytesTransferred { return 0.; } - (long)fileCount { return 1; } - (double)fileSize { if (fileSize == -1.) fileSize = [self computeFileSize]; return fileSize; } - (NSString *)formatFileSize:(double)size { if (size == 0) return @"--"; if (size < 1024) return @"< 1KB"; // return [NSString stringWithFormat:@"%i bytes", size]; size /= 1024; if (size < 1024) return [NSString stringWithFormat:@"%i KB", (int)size]; size /= 1024; if (size < 1024) return [NSString stringWithFormat:@"%1.1f MB", size]; size = size / 1024; return [NSString stringWithFormat:@"%1.1f GB", size]; } - (NSString *)fileSizeString { return [self formatFileSize:[self fileSize]]; } - (NSString *)bytesTransferredString { return [self formatFileSize:[self bytesTransferred]]; } - (NSNumber *)percentTransferred { double size = [self computeFileSize]; return (size > 0) ? [NSNumber numberWithDouble:([self bytesTransferred] / (size) * 100.0)] : nil; } static NSMutableDictionary *_iconsByExtension = nil; - (NSImage *)iconForExtension:(NSString *)extension { NSImage *icon = [_iconsByExtension objectForKey:extension]; if (!_iconsByExtension) _iconsByExtension = [[NSMutableDictionary alloc] init]; if (!icon) { icon = [[NSWorkspace sharedWorkspace] iconForFileType:extension]; [icon setSize:NSMakeSize(16.0, 16.0)]; [_iconsByExtension setObject:icon forKey:extension]; } return icon; } - (NSImage *)fileIcon { return [self iconForExtension:NSFileTypeForHFSTypeCode(kOpenFolderIcon)]; } - (NSString *)dirString { return @"<-?->"; } - (NSImage *)direction { if (direction) return direction; NSString * dirString = [self dirString]; BOOL changedFromDefault = [self changedFromDefault]; if ([dirString isEqual:@"<-?->"]) { if (changedFromDefault | resolved) { direction = [NSImage imageNamed: @"table-skip.tif"]; directionSortString = @"3"; } else { direction = [NSImage imageNamed: @"table-conflict.tif"]; directionSortString = @"2"; } } else if ([dirString isEqual:@"---->"]) { if (changedFromDefault) { direction = [NSImage imageNamed: @"table-right-blue.tif"]; directionSortString = @"6"; } else { direction = [NSImage imageNamed: @"table-right-green.tif"]; directionSortString = @"8"; } } else if ([dirString isEqual:@"<----"]) { if (changedFromDefault) { direction = [NSImage imageNamed: @"table-left-blue.tif"]; directionSortString = @"5"; } else { direction = [NSImage imageNamed: @"table-left-green.tif"]; directionSortString = @"7"; } } else if ([dirString isEqual:@"<-M->"]) { direction = [NSImage imageNamed: @"table-merge.tif"]; directionSortString = @"4"; } else if ([dirString isEqual:@"<--->"]) { direction = [NSImage imageNamed: @"table-mixed.tif"]; directionSortString = @"9"; } else { direction = [NSImage imageNamed: @"table-error.tif"]; directionSortString = @"1"; } [direction retain]; return direction; } - (void)setDirection:(char *)d { [direction autorelease]; direction = nil; } - (void)doAction:(unichar)action { switch (action) { case '>': [self setDirection:"unisonRiSetRight"]; break; case '<': [self setDirection:"unisonRiSetLeft"]; break; case '/': [self setDirection:"unisonRiSetConflict"]; resolved = YES; break; case '-': [self setDirection:"unisonRiForceOlder"]; break; case '+': [self setDirection:"unisonRiForceNewer"]; break; case 'm': [self setDirection:"unisonRiSetMerge"]; break; case 'd': [self showDiffs]; break; case 'R': [self revertDirection]; break; default: NSLog(@"ReconItem.doAction : unknown action"); break; } } - (void)doIgnore:(unichar)action { switch (action) { case 'I': ocamlCall("xS", "unisonIgnorePath", [self fullPath]); break; case 'E': ocamlCall("xS", "unisonIgnoreExt", [self path]); break; case 'N': ocamlCall("xS", "unisonIgnoreName", [self path]); break; default: NSLog(@"ReconItem.doIgnore : unknown ignore"); break; } } /* Sorting functions. These have names equal to column identifiers + "SortKey", and return NSStrings that can be automatically sorted with their compare method */ - (NSString *) leftSortKey { return [self replicaSortKey:[self left]]; } - (NSString *) rightSortKey { return [self replicaSortKey:[self right]]; } - (NSString *) replicaSortKey:(NSString *)sortString { /* sort order for left and right replicas */ if ([sortString isEqualToString:@"Created"]) return @"1"; else if ([sortString isEqualToString:@"Deleted"]) return @"2"; else if ([sortString isEqualToString:@"Modified"]) return @"3"; else if ([sortString isEqualToString:@""]) return @"4"; else return @"5"; } - (NSString *) directionSortKey { /* Since the direction indicators are unsortable images, use directionSortString instead */ if ([directionSortString isEqual:@""]) [self direction]; return directionSortString; } - (NSString *) progressSortKey { /* Percentages, "done" and "" are sorted OK without help, but "start " should be sorted after "" and before "0%" */ NSString * progressString = [self progress]; if ([progressString isEqualToString:@"start "]) progressString = @" "; return progressString; } - (NSString *) pathSortKey { /* default alphanumeric sort is fine for paths */ return [self path]; } - (NSString *)progress { return nil; } - (BOOL)transferInProgress { double soFar = [self bytesTransferred]; return (soFar > 0) && (soFar < [self fileSize]); } - (void)resetProgress { } - (NSString *)progressString { NSString *progress = [self progress]; if ([progress length] == 0. || [progress hasSuffix:@"%"]) progress = [self transferInProgress] ? [self bytesTransferredString] : @""; else if ([progress isEqual:@"done"]) progress = @""; return progress; } - (NSString *)details { return nil; } - (NSString *)updateDetails { return [self details]; } - (BOOL)isConflict { return NO; } - (BOOL)changedFromDefault { return NO; } - (void)revertDirection { [self willChange]; [direction release]; direction = nil; resolved = NO; } - (BOOL)canDiff { return NO; } - (void)showDiffs { } - (ReconItem *)collapseParentsWithSingleChildren:(BOOL)isRoot { return self; } @end // --- Leaf items -- actually corresponding to ReconItems in OCaml @implementation LeafReconItem - initWithRiAndIndex:(OCamlValue *)v index:(long)i { [super init]; ri = [v retain]; index = i; resolved = NO; directionSortString = @""; return self; } -(void)dealloc { [ri release]; [left release]; [right release]; [progress release]; [details release]; [super dealloc]; } - (NSString *)path { if (!path) path = [(NSString *)ocamlCall("S@", "unisonRiToPath", ri) retain]; return path; } - (NSString *)left { if (!left) left = [(NSString *)ocamlCall("S@", "unisonRiToLeft", ri) retain]; return left; } - (NSString *)right { if (!right) right = [(NSString *)ocamlCall("S@", "unisonRiToRight", ri) retain]; return right; } - (double)computeFileSize { return [(NSNumber *)ocamlCall("N@", "unisonRiToFileSize", ri) doubleValue]; } - (double)bytesTransferred { if (bytesTransferred == -1.) { // need to force to fileSize if done, otherwise may not match up to 100% bytesTransferred = ([[self progress] isEqual:@"done"]) ? [self fileSize] : [(NSNumber*)ocamlCall("N@", "unisonRiToBytesTransferred", ri) doubleValue]; } return bytesTransferred; } - (NSImage *)fileIcon { NSString *extension = [[self path] pathExtension]; if ([@"" isEqual:extension]) { NSString *type = (NSString *)ocamlCall("S@", "unisonRiToFileType", ri); extension = [type isEqual:@"dir"] ? NSFileTypeForHFSTypeCode(kGenericFolderIcon) : NSFileTypeForHFSTypeCode(kGenericDocumentIcon); } return [self iconForExtension:extension]; } - (NSString *)dirString { return (NSString *)ocamlCall("S@", "unisonRiToDirection", ri); } - (void)setDirection:(char *)d { [self willChange]; [super setDirection:d]; ocamlCall("x@", d, ri); } - (NSString *)progress { if (!progress) { progress = [(NSString *)ocamlCall("S@", "unisonRiToProgress", ri) retain]; if ([progress isEqual:@"FAILED"]) [self updateDetails]; } return progress; } - (void)resetProgress { // Get rid of the memoized progress because we expect it to change [self willChange]; bytesTransferred = -1.; [progress release]; // Force update now so we get the result while the OCaml thread is available // [self progress]; // [self bytesTransferred]; progress = nil; } - (NSString *)details { if (details) return details; return [self updateDetails]; } - (NSString *)updateDetails { [details autorelease]; details = [(NSString *)ocamlCall("S@", "unisonRiToDetails", ri) retain]; return details; } - (BOOL)isConflict { return ((long)ocamlCall("i@", "unisonRiIsConflict", ri) ? YES : NO); } - (BOOL)changedFromDefault { return ((long)ocamlCall("i@", "changedFromDefault", ri) ? YES : NO); } - (void)revertDirection { ocamlCall("x@", "unisonRiRevert", ri); [super revertDirection]; } - (BOOL)canDiff { return ((long)ocamlCall("i@", "canDiff", ri) ? YES : NO); } - (void)showDiffs { ocamlCall("x@i", "runShowDiffs", ri, index); } @end @interface NSImage (TintedImage) - (NSImage *)tintedImageWithColor:(NSColor *) tint operation:(NSCompositingOperation) op; @end @implementation NSImage (TintedImage) - (NSImage *)tintedImageWithColor:(NSColor *) tint operation:(NSCompositingOperation) op { NSSize size = [self size]; NSRect imageBounds = NSMakeRect(0, 0, size.width, size.height); NSImage *newImage = [[NSImage alloc] initWithSize:size]; [newImage lockFocus]; [self compositeToPoint:NSZeroPoint operation:NSCompositeSourceOver]; [tint set]; NSRectFillUsingOperation(imageBounds, op); [newImage unlockFocus]; return [newImage autorelease]; } @end // ---- Parent nodes in grouped items @implementation ParentReconItem - init { [super init]; _children = [[NSMutableArray alloc] init]; return self; } - initWithPath:(NSString *)aPath { [self init]; path = [aPath retain]; return self; } - (void)dealloc { [_children release]; [super dealloc]; } - (NSArray *)children; { return _children; } - (void)addChild:(ReconItem *)item pathArray:(NSArray *)pathArray level:(int)level { NSString *element = [pathArray count] ? [pathArray objectAtIndex:level] : @""; // if we're at the leaf of the path, then add the item if (((0 == [pathArray count]) && (0 == level)) || (level == [pathArray count]-1)) { [item setParent:self]; [item setPath:element]; [_children addObject:item]; return; } // find / add matching parent node ReconItem *last = [_children lastObject]; if (last == nil || ![last isKindOfClass:[ParentReconItem class]] || ![[last path] isEqual:element]) { last = [[ParentReconItem alloc] initWithPath:element]; [last setParent:self]; [_children addObject:last]; [last release]; } [(ParentReconItem *)last addChild:item pathArray:pathArray level:level+1]; } - (void)addChild:(ReconItem *)item nested:(BOOL)nested { [item setPath:nil]; // invalidate/reset if (nested) { [self addChild:item pathArray:[[item path] pathComponents] level:0]; } else { [item setParent:self]; [_children addObject:item]; } } - (void)sortUsingDescriptors:(NSArray *)sortDescriptors { // sort our children [_children sortUsingDescriptors:sortDescriptors]; // then have them sort theirs int i = [_children count]; while (i--) { id child = [_children objectAtIndex:i]; if ([child isKindOfClass:[ParentReconItem class]]) [child sortUsingDescriptors:sortDescriptors]; } } - (ReconItem *)collapseParentsWithSingleChildren:(BOOL)isRoot { // replace ourselves? if (!isRoot && [_children count] == 1) { ReconItem *child = [_children lastObject]; [child setPath:[path stringByAppendingFormat:@"/%@", [child path]]]; return [child collapseParentsWithSingleChildren:NO]; } // recurse int i = [_children count]; while (i--) { ReconItem *child = [_children objectAtIndex:i]; ReconItem *replacement = [child collapseParentsWithSingleChildren:NO]; if (child != replacement) { [_children replaceObjectAtIndex:i withObject:replacement]; [replacement setParent:self]; } } return self; } - (void)willChange { // invalidate child-based state // Assuming caches / constant, so not retained / released // [direction autorelease]; // [directionSortString autorelease]; direction = nil; directionSortString = nil; bytesTransferred = -1.; // fileSize = -1; // resolved = NO; // propagate up parent chain [parent willChange]; } // Propagation methods - (void)doAction:(unichar)action { int i = [_children count]; while (i--) { ReconItem *child = [_children objectAtIndex:i]; [child doAction:action]; } } - (void)doIgnore:(unichar)action { // handle Path ignores at this level, name and extension at the child nodes if (action == 'I') { [super doIgnore:'I']; } else { int i = [_children count]; while (i--) { ReconItem *child = [_children objectAtIndex:i]; [child doIgnore:action]; } } } // Rollup methods - (long)fileCount { if (fileCount == 0) { int i = [_children count]; while (i--) { ReconItem *child = [_children objectAtIndex:i]; fileCount += [child fileCount]; } } return fileCount; } - (double)computeFileSize { double size = 0; int i = [_children count]; while (i--) { ReconItem *child = [_children objectAtIndex:i]; size += [child fileSize]; } return size; } - (double)bytesTransferred { if (bytesTransferred == -1.) { bytesTransferred = 0.; int i = [_children count]; while (i--) { ReconItem *child = [_children objectAtIndex:i]; bytesTransferred += [child bytesTransferred]; } } return bytesTransferred; } - (NSString *)dirString { NSString *rollup = nil; int i = [_children count]; while (i--) { ReconItem *child = [_children objectAtIndex:i]; NSString *dirString = [child dirString]; if (!rollup || [dirString isEqual:rollup]) { rollup = dirString; } else { // conflict if ([dirString isEqual:@"---->"] || [dirString isEqual:@"<----"] || [dirString isEqual:@"<--->"]) { if ([rollup isEqual:@"---->"] || [rollup isEqual:@"<----"] || [rollup isEqual:@"<--->"]) { rollup = @"<--->"; } } else { rollup = @"<-?->"; } } } // NSLog(@"dirString for %@: %@", path, rollup); return rollup; } - (BOOL)hasConflictedChildren { NSString *dirString = [self dirString]; BOOL result = [dirString isEqual:@"<--->"] || [dirString isEqual:@"<-?->"]; // NSLog(@"hasConflictedChildren (%@): %@: %i", [self path], dirString, result); return result; } static NSMutableDictionary *_parentImages = nil; static NSColor *_veryLightGreyColor = nil; - (NSImage *)direction { if (!_parentImages) { _parentImages = [[NSMutableDictionary alloc] init]; _veryLightGreyColor = [[NSColor colorWithCalibratedRed:0.7 green:0.7 blue:0.7 alpha:1.0] retain]; } NSImage *baseImage = [super direction]; NSImage *parentImage = [_parentImages objectForKey:baseImage]; if (!parentImage) { // make parent images a grey version of the leaf images parentImage = [baseImage tintedImageWithColor:_veryLightGreyColor operation:NSCompositeSourceIn]; [_parentImages setObject:parentImage forKey:baseImage]; } return parentImage; } @end unison-2.40.102/uimacnew09/MyController.h0000644006131600613160000000717011361646373020177 0ustar bcpiercebcpierce/* MyController */ /* Copyright (c) 2003, see file COPYING for details. */ #import #import "ProfileController.h" #import "PreferencesController.h" #import "NotificationController.h" #import "ReconItem.h" #import "ReconTableView.h" #import "UnisonToolbar.h" #import "ImageAndTextCell.h" #import "ProgressCell.h" #import "Bridge.h" @interface MyController : NSObject { IBOutlet NSWindow *mainWindow; UnisonToolbar *toolbar; IBOutlet NSWindow *cltoolWindow; IBOutlet NSButton *cltoolPref; IBOutlet ProfileController *profileController; IBOutlet NSView *chooseProfileView; NSString *myProfile; IBOutlet PreferencesController *preferencesController; IBOutlet NSView *preferencesView; IBOutlet NSView *updatesView; IBOutlet NSView *ConnectingView; NSView *blankView; IBOutlet ReconTableView *tableView; IBOutlet NSTextField *updatesText; IBOutlet NSTextField *detailsTextView; IBOutlet NSTextField *statusText; IBOutlet NSWindow *passwordWindow; IBOutlet NSTextField *passwordPrompt; IBOutlet NSTextField *passwordText; IBOutlet NSButton *passwordCancelButton; BOOL waitingForPassword; IBOutlet NSWindow *aboutWindow; IBOutlet NSTextField *versionText; IBOutlet NSProgressIndicator *progressBar; IBOutlet NotificationController *notificationController; BOOL syncable; BOOL duringSync; BOOL afterSync; NSMutableArray *reconItems; ParentReconItem *rootItem; OCamlValue *preconn; BOOL doneFirstDiff; IBOutlet NSWindow *diffWindow; IBOutlet NSTextView *diffView; IBOutlet NSSegmentedControl *tableModeSelector; IBOutlet NSProgressIndicator *connectingAnimation; IBOutlet NSWindow *preferencesWindow; IBOutlet NSButton* checkOpenProfile; IBOutlet NSComboBox *profileBox; IBOutlet NSTextField *detailsFontLabel; IBOutlet NSTextField *diffFontLabel; IBOutlet NSButton *chooseDetailsFont; IBOutlet NSButton *chooseDiffFont; IBOutlet NSSplitView *splitView; id fontChangeTarget; } - (id)init; - (void)awakeFromNib; - (void)chooseProfiles; - (IBAction)createButton:(id)sender; - (IBAction)saveProfileButton:(id)sender; - (IBAction)cancelProfileButton:(id)sender; - (NSString *)profile; - (void)profileSelected:(NSString *)aProfile; - (IBAction)showPreferences:(id)sender; - (IBAction)restartButton:(id)sender; - (IBAction)rescan:(id)sender; - (IBAction)openButton:(id)sender; - (void)connect:(NSString *)profileName; - (void)raisePasswordWindow:(NSString *)prompt; - (void)controlTextDidEndEditing:(NSNotification *)notification; - (IBAction)endPasswordWindow:(id)sender; - (void)afterOpen; - (IBAction)syncButton:(id)sender; - (IBAction)tableModeChanged:(id)sender; - (void)initTableMode; - (NSMutableArray *)reconItems; - (void)updateForChangedItems; - (void)updateReconItems:(OCamlValue *)items; - (id)updateForIgnore:(id)i; - (void)statusTextSet:(NSString *)s; - (void)diffViewTextSet:(NSString *)title bodyText:(NSString *)body; - (void)displayDetails:(ReconItem *)item; - (void)clearDetails; - (IBAction)raiseCltoolWindow:(id)sender; - (IBAction)cltoolYesButton:(id)sender; - (IBAction)cltoolNoButton:(id)sender; - (IBAction)raiseAboutWindow:(id)sender; - (IBAction)raiseWindow:(NSWindow *)theWindow; - (IBAction)onlineHelp:(id)sender; - (IBAction)installCommandLineTool:(id)sender; - (BOOL)validateItem:(IBAction *) action; - (BOOL)validateMenuItem:(NSMenuItem *)menuItem; - (BOOL)validateToolbarItem:(NSToolbarItem *)toolbarItem; - (void)resizeWindowToSize:(NSSize)newSize; - (float)toolbarHeightForWindow:(NSWindow *)window; - (IBAction) checkOpenProfileChanged:(id)sender; - (IBAction) chooseFont:(id)sender; - (void) updateFontDisplay; @end unison-2.40.102/uimacnew09/English.lproj/0000755006131600613160000000000012050210654020067 5ustar bcpiercebcpierceunison-2.40.102/uimacnew09/English.lproj/MainMenu.xib0000644006131600613160000104647011611314427022325 0ustar bcpiercebcpierce 1050 10K540 823 1038.36 461.00 YES YES com.apple.InterfaceBuilder.CocoaPlugin com.brandonwalkin.BWToolkit YES 823 1.2.5 YES YES com.apple.InterfaceBuilder.CocoaPlugin com.brandonwalkin.BWToolkit PluginDependencyRecalculationVersion YES NSApplication FirstResponder NSApplication 4111 2 {{0, 364}, {480, 360}} 1881669632 Unison NSWindow View {1.79769e+308, 1.79769e+308} {213, 107} 256 YES 296 {{370, 317}, {83, 24}} YES 67239424 0 LucidaGrande 13 1044 YES 24 NSImage Outline-Flat 1 2 25.333333969116211 NSImage Outline-Flattened O 2 YES 2 25.333333969116211 NSImage Outline-Deep D 3 2 1 {480, 360} {{0, 0}, {1440, 878}} {213, 129} {1.79769e+308, 1.79769e+308} mainWindow MainMenu YES Unison 1048576 2147483647 NSImage NSMenuCheckmark NSImage NSMenuMixedState submenuAction: Unison YES About Unison 1048576 2147483647 YES YES 1048576 2147483647 Preferences... , 1048576 2147483647 Install command-line tool 1048576 2147483647 YES YES 1048576 2147483647 Hide Unison h 1048576 2147483647 Hide Others h 1572864 2147483647 Show All 1048576 2147483647 YES YES 1048576 2147483647 Quit Unison q 1048576 2147483647 _NSAppleMenu Edit 1048576 2147483647 submenuAction: Edit YES Cut x 1048576 2147483647 Copy c 1048576 2147483647 Paste v 1048576 2147483647 Select All a 1048576 2147483647 Select Conflicts 1048576 2147483647 Actions 1048576 2147483647 submenuAction: Actions YES Propagate Left to Right > 1048576 2147483647 Propagate Right to Left < 1048576 2147483647 Propagate Newer to Older 1048576 2147483647 Propagate Older to Newer 1048576 2147483647 Leave Alone / 1048576 2147483647 Revert to Unison's Recommendation 1048576 2147483647 Merge 1048576 2147483647 Diff 1048576 2147483647 YES YES 1048576 2147483647 Restart r 1048576 2147483647 Rescan 2147483647 Synchronize all g 1048576 2147483647 Ignore 1048576 2147483647 submenuAction: Ignore YES Ignore Path i 1048576 2147483647 Ignore Extension e 1048576 2147483647 Ignore Name n 1048576 2147483647 Help 1048576 2147483647 submenuAction: Help YES Unison Online Help ? 1048576 2147483647 _NSMainMenu 256 YES 266 {{17, 236}, {329, 25}} YES 67239424 138412032 UGxlYXNlIGNob29zZSBhIHByb2ZpbGUgb3IgY3JlYXRlIGEgbmV3IG9uZQo 6 System controlColor 3 MC42NjY2NjY2NjY3AA 6 System controlTextColor 3 MAA 256 {{651, -524}, {84, 32}} YES 67239424 134217728 Quit -2038284033 1 200 25 274 YES 2304 YES 274 {306, 190} YES 256 {306, 17} 256 {{307, 0}, {16, 17}} YES profiles 303.47698974609375 47.477001190185547 1000 75628096 2048 Profiles LucidaGrande 11 3100 3 MC4zMzMzMzI5OQA 6 System headerTextColor 338820672 1024 3 MQA 3 YES 3 2 6 System gridColor 3 MC41AA 17 -1035993088 4 15 0 YES 0 {{1, 17}, {306, 190}} 6 System controlBackgroundColor 4 256 {{307, 17}, {15, 190}} _doScroller: 0.99473685026168823 -2147483392 {{-100, -100}, {113, 15}} 1 _doScroller: 0.99047619104385376 2304 YES {{1, 0}, {306, 17}} 4 {{20, 20}, {323, 208}} 18 QSAAAEEgAABBmAAAQZgAAA {363, 281} NSView NSResponder 274 YES 274 YES 274 YES 2304 YES 256 {730, 411} YES 256 {730, 17} -2147483392 {{-26, 0}, {16, 17}} YES path 426 27.095703125 1000 75628096 2048 Path 6 System headerColor 338820672 1024 LucidaGrande 12 16 3 YES pathSortKey YES compare: fileSizeString 70 70 70 75628096 134219776 Size 338820672 67109888 3 YES fileSize NO compare: leftIcon 16 16 16 75628096 2048 < 3 MC4zMzMzMzI5OQA 130560 33554432 0 0 0 YES leftSortKey YES compare: percentTransferred 76.63916015625 42.10107421875 100 75628096 134219776 Action 338820672 67109888 directionSortKey YES compare: rightIcon 16 16 16 75628096 2048 > 130560 33554432 0 0 0 YES rightSortKey YES compare: 3 2 18 -635437056 4 15 0 YES 0 {{0, 17}, {730, 411}} 4 -2147483392 {{-30, 17}, {15, 391}} _doScroller: 0.96419435739517212 -2147483392 {{-100, -100}, {629, 15}} 1 _doScroller: 0.99841266870498657 2304 YES {730, 17} 4 {730, 428} 528 AAAAAAAAAABBoAAAQaAAAA 274 YES 274 {{2, 5}, {726, 74}} YES 69336577 272760832 Label {{0, 437}, {730, 85}} 1 MC42NzU3Njg1MjI3IDAuNzIxOTQ4MTMwNiAwLjc2NTMwNjEyMjQAA 1 MC41MTM3NjcxODUyIDAuNTY4NDkwNTE3IDAuNjE3MzQ2OTM4OAA 1 MC42MTk2MDA4NjE0IDAuNjYxMTkyMDA1MSAwLjcxOTM4Nzc1NTEAA 1 MC41NTc2NjQ2NjM5IDAuNTk4ODkyNDg5OSAwLjY0Mjg1NzE0MjkAA 1 MC40Mjc4NDM2NjA5IDAuNDc5NDI1MTUwOSAwLjUyMDQwODE2MzMAA NO YES YES NO 0.30000001192092896 0.0 {{0, 24}, {730, 522}} NO YES YES YES YES YES YES YES YES YES YES YES 0 NO 1314 {{589, 6}, {122, 12}} 16652 100 258 {{3, 6}, {582, 14}} YES 67239488 272762880 Idle {730, 546} NSView NSResponder MyController ProfileController PreferencesController NotificationController 256 YES 258 YES 256 YES 256 {{11, 20}, {30, 17}} YES 67239424 4194304 RmlsZToKA 258 {{46, 18}, {427, 22}} YES -1804468671 4195328 YES 6 System textBackgroundColor 6 System textColor {{2, 2}, {493, 51}} {{20, 129}, {497, 71}} {0, 0} 67239424 0 First root 3 MCAwLjgwMDAwMDAxAA 3 0 2 NO 258 YES 256 YES 256 {{12, 39}, {70, 38}} YES 2 1 YES -2080244224 0 Remote 1211912703 0 NSRadioButton 200 25 67239424 0 Local 1 1211912703 0 200 25 {70, 18} {4, 2} 1143472128 NSActionCell 67239424 0 Radio 1211912703 0 400 75 256 {{97, 58}, {37, 17}} YES 67239424 4194304 User: 256 {{134, 56}, {91, 22}} YES -1804468671 4195328 YES 256 {{236, 58}, {38, 17}} YES 67239424 4194304 Host: 258 {{274, 56}, {199, 22}} YES -1804468671 4195328 YES 256 {{11, 16}, {30, 17}} YES 67239424 4194304 File: 258 {{46, 14}, {427, 22}} YES -1804468671 4195328 YES {{2, 2}, {493, 86}} {{20, 16}, {497, 106}} {0, 0} 67239424 0 Second root 3 MCAwLjgwMDAwMDAxAA 3 0 2 NO 256 {{20, 213}, {87, 17}} YES 67239424 4194304 Profile name: 258 {{106, 208}, {408, 22}} YES -1804468671 4195328 YES {534, 250} NSView NSResponder 256 YES 1325 {{419, 263}, {32, 32}} 20490 100 274 YES 301 {{304, 254}, {263, 19}} YES 68288064 138544128 Connecting... LucidaGrande 16 16 {871, 577} 1 MC42NzU3Njg1MjI3IDAuNzIxOTQ4MTMwNiAwLjc2NTMwNjEyMjQAA 1 MC41MTM3NjcxODUyIDAuNTY4NDkwNTE3IDAuNjE3MzQ2OTM4OAA 1 MC42MTk2MDA4NjE0IDAuNjYxMTkyMDA1MSAwLjcxOTM4Nzc1NTEAA 1 MC41NTc2NjQ2NjM5IDAuNTk4ODkyNDg5OSAwLjY0Mjg1NzE0MjkAA 1 MC40Mjc4NDM2NjA5IDAuNDc5NDI1MTUwOSAwLjUyMDQwODE2MzMAA NO NO YES NO 0.30000001192092896 0.0 {871, 577} NSView NSResponder 7 2 {{2, 118}, {227, 128}} 1886912512 PasswordWindow NSWindow View {1.79769e+308, 1.79769e+308} {213, 107} 256 YES 256 {{20, 60}, {187, 22}} YES -1804468671 4195328 YES 256 {{115, 12}, {98, 32}} YES 67239424 137887744 Continue -2038284033 1 Helvetica 13 16 200 25 256 {{14, 12}, {84, 32}} YES 67239424 137887744 Cancel -2038284033 1 200 25 256 {{17, 90}, {193, 17}} YES 67239488 4196352 UGxlYXNlIGVudGVyIHlvdXIgcGFzc3dvcmQKA {227, 128} {{0, 0}, {1440, 878}} {213, 129} {1.79769e+308, 1.79769e+308} 3 2 {{194, 458}, {262, 266}} 1886912512 NSWindow View {1.79769e+308, 1.79769e+308} {213, 107} 256 YES 256 {{22, 152}, {220, 22}} YES -2079195584 138413056 Unison LucidaGrande-Bold 18 16 256 {{22, 20}, {224, 52}} YES -2080244224 138412032 wqkgQ29weXJpZ2h0IDE5OTktMjAwNi4KClRoaXMgc29mdHdhcmUgaXMgbGljZW5zZWQgdW5kZXIgdGhl IEdOVSBHZW5lcmFsIFB1YmxpYyBMaWNlbnNlLg LucidaGrande 10 2843 256 YES YES Apple PDF pasteboard type Apple PICT pasteboard type Apple PNG pasteboard type NSFilenamesPboardType NeXT Encapsulated PostScript v1.2 pasteboard type NeXT TIFF v4.0 pasteboard type {{20, 182}, {224, 64}} YES 130560 33554432 NSImage Unison 0 0 0 NO YES 256 {{22, 101}, {224, 18}} YES -2079195584 138413056 Sync you very much! Optima-Italic 12 16 256 {{22, 127}, {220, 17}} YES -2079195584 138413056 ?.?.? {262, 266} {{0, 0}, {1440, 878}} {213, 129} {1.79769e+308, 1.79769e+308} 15 2 {{519, 382}, {505, 342}} 1886912512 Diff NSWindow View {1.79769e+308, 1.79769e+308} {213, 107} 256 YES 319 YES 2304 YES 2322 {505, 14} YES 6 505 1 11236 0 YES YES NSBackgroundColor NSColor YES 6 System selectedTextBackgroundColor 6 System selectedTextColor YES YES NSColor NSUnderline YES 1 MCAwIDEAA 6 {1010, 1e+07} {114, 0} {505, 342} {1, -1} 0 4 -2147483392 {{-30, 1}, {15, 356}} _doScroller: 1 -2147483392 {{-100, -100}, {87, 18}} 1 _doScroller: 1 0.94565218687057495 {505, 342} 528 {505, 342} {{0, 0}, {1440, 878}} {213, 129} {1.79769e+308, 1.79769e+308} 1 2 {{163, 135}, {400, 229}} 1886912512 Unison NSWindow View {1.79769e+308, 1.79769e+308} {213, 107} 256 YES 256 {{302, 12}, {84, 32}} YES -2080244224 134217728 Yes -2038284033 1 200 25 256 {{20, 188}, {383, 21}} YES 67239424 4194304 Would you like to install the Unison command-line tool? LucidaGrande-Bold 12 16 256 {{17, 36}, {145, 18}} YES 67239424 131072 Don't ask me again 1211912703 2 NSSwitch 200 25 256 {{218, 12}, {84, 32}} YES 67239424 134217728 No -2038284033 1 200 25 256 {{17, 60}, {366, 120}} YES 67239424 272629760 VGhlIGNvbW1hbmQtbGluZSB0b29sIGlzIGEgc21hbGwgcHJvZ3JhbSB0aGF0IGNhbiBiZSBpbnN0YWxs ZWQgaW4gYSBzdGFuZGFyZCBwbGFjZSBvbiB5b3VyIGNvbXB1dGVyICgvdXNyL2Jpbi91bmlzb24pIHNv IFVuaXNvbiBjYW4gZWFzaWx5IGJlIGZvdW5kLiBJZiB5b3Ugd2FudCB0byBiZSBhYmxlIHRvIHN5bmNo cm9uaXplIGZpbGVzIG9uIHRoaXMgY29tcHV0ZXIgYnkgcnVubmluZyBVbmlzb24gb24gYSByZW1vdGUg Y29tcHV0ZXIsIHlvdSBzaG91bGQgcHJvYmFibHkgaW5zdGFsbCBpdC4KCklmIHlvdSBkb24ndCBpbnN0 YWxsIGl0IG5vdywgeW91IGNhbiBkbyBzbyBsYXRlciBieSBjaG9vc2luZyAnSW5zdGFsbCBjb21tYW5k LWxpbmUgdG9vbCcgZnJvbSB0aGUgVW5pc29uIG1lbnUuCg {400, 229} {{0, 0}, {1440, 878}} {213, 129} {1.79769e+308, 1.79769e+308} 3 2 {{235, 475}, {446, 84}} 1954022400 General NSWindow DFA39F36-D425-433A-8BF7-3AE795530EBF YES YES YES NO 1 1 YES YES 0D5950D1-D4A8-44C6-9DBC-251CFEF852E2 BWToolbarShowFontsItem NSToolbarFlexibleSpaceItem NSToolbarSeparatorItem NSToolbarSpaceItem YES 0D5950D1-D4A8-44C6-9DBC-251CFEF852E2 General General NSImage NSPreferencesGeneral toggleActiveView: {0, 0} {0, 0} YES YES -1 YES 0 BWToolbarShowFontsItem Fonts Fonts Show Font Panel 12582912 YES YES TU0AKgAAAwyAACBQOCQWDQeEQmFQuGQ2HQ+IRGJROHAOLCJ/Rl3v+OO+KR+QSGRQYOSVtO+UIt6ytNyO XS+YQYHzM7BubIZyzk9PGeIqYz+gRIBUMIiSjNoEUkIuymL1zU8j0GpVOEg6rHYPVlDRYBgB3V9nOOxD aqWWpAG0BEQ2ttAu3BGhgIAPi6ABs3cCWa9TEG32azcC4EAWgAgB9YcAN3FDZ941nXvIRGuCINZVkvPM IsM5utxYAY19gBwaMjvnTL3I6mGzMHpcE68hujZCYRbV+UkEAB+bsAU9zHp6cGfariQTJ5sMtp28s0vf nJsK9FchHqEOOP8AOntIp5d09cXwACrA5LgfzEN1+kTQTWJcKe8y4QAPD6L2mOyo+HIXERBf/JOlA0ro fCWoGBUDjsC0FM6rrnHud7fAq/TIAhCpcgJDAQvu9aDgNDwqP8C5UQwvLDn0ACcnKvMJqnEghglGBcp4 eI0tMfMCoMrgZRCZTAgK3TeO0dIjt2fjURYvi+lygjMHm/KHRCfkfAAfsqgA5Z2jTE0cSQkEXPGXLunl IjdyOhzqAipCkhE64AJQd49Rs4cupABk7SWgbgnpJ6Ir6BpcteBIhoIlZ6lZQosToicSCpPxUIyfxvSK b82oY+USBDHwRIJGxnSaslFIitwFm0+Uqn6b6RLiCMPAMGT5SKAExRXUKFxIMrcEue1diPSEzI+rgh1G XK4ypK09BM65vVqhFAm1SBvxtPiRMIEVRm1YtIABXZ7V6jNf1qrgy1aS8bCxSBWKDA4FH5Ys2wGPVTzn WtWQ8bTrne0EOKnVptMnNrQEVU7v1CuI7K4Q1TjTSEuKDEhc2CglTl7ItpxYEUfGSgjQQkva4kNEg7IJ fGOS6uJULiKlfUhiypsJg6LENkaOWMft92WqYEoGCUDMIMjCDmg5x0gIy9gcuN0oEDqEOuTbrkcgZ7oG duopDniBB+whKoGC6HnS651IGQSQiIwgdIGFqQ6+jhYIGPuppDnSBauAAFWYn+pIFqiBbzu+/b/wCYIC AA8BAAADAAAAAQAgAAABAQADAAAAAQAgAAABAgADAAAABAAAA8YBAwADAAAAAQAFAAABBgADAAAAAQAC AAABEQAEAAAAAQAAAAgBEgADAAAAAQABAAABFQADAAAAAQAEAAABFgADAAAAAQAgAAABFwAEAAAAAQAA AwQBHAADAAAAAQABAAABPQADAAAAAQACAAABUgADAAAAAQABAAABUwADAAAABAAAA86HcwAHAAACKAAA A9YAAAAAAAgACAAIAAgAAQABAAEAAQAAAihBREJFAhAAAG1udHJSR0IgWFlaIAfPAAYAAwAAAAAAAGFj c3BBUFBMAAAAAG5vbmUAAAAAAAAAAAAAAAABAAAAAAD21gABAAAAANMtQURCRQAAAAAAAAAAAAAAAAAA AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAACmNwcnQAAAD8AAAAMmRlc2MAAAEwAAAAZHd0 cHQAAAGUAAAAFGJrcHQAAAGoAAAAFHJUUkMAAAG8AAAADmdUUkMAAAHMAAAADmJUUkMAAAHcAAAADnJY WVoAAAHsAAAAFGdYWVoAAAIAAAAAFGJYWVoAAAIUAAAAFHRleHQAAAAAQ29weXJpZ2h0IDE5OTkgQWRv YmUgU3lzdGVtcyBJbmNvcnBvcmF0ZWQAAABkZXNjAAAAAAAAAApBcHBsZSBSR0IAAAAAAAAAAAAAAAAA AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA AAAAAAAAWFlaIAAAAAAAAPNRAAEAAAABFsxYWVogAAAAAAAAAAAAAAAAAAAAAGN1cnYAAAAAAAAAAQHN AABjdXJ2AAAAAAAAAAEBzQAAY3VydgAAAAAAAAABAc0AAFhZWiAAAAAAAAB5vQAAQVIAAAS5WFlaIAAA AAAAAFb4AACsLwAAHQNYWVogAAAAAAAAJiIAABJ/AACxcA YES TU0AKgAAAaiAACBQOCQWDQeEQmFQuGQ2HQ+IRGJROKRWLReMRmLFWBquNR+QQYiQNdwMAyGURkGStdhK XERxTEJQN3ymbRAiCqdLsAz0ANWgEWBryb0WEgWkMwRUsIgSnCKgNUzwNNUarQQzAKtDMHV0ABWwGZt2 M8QNE1e0N2BkWtAIqiG4Ihy3NePi7UK0TYzQMZwOpwIqiDBKp3YVmvLEDS8za1QK8ABvXwOZNmPvLAB0 5mT4uNHeD2eD2AKv8B6UAOjUYqBM3ORIIz0Asx/7PVACawcIblugfeCLMunH0TWxA704CHd+cnWQuug4 Z0gChF29OywLQcOFBGBsyB7Xbwq2ncG+NEPPzJp/em/9iE56BdqBdWIneVgxEXZ8LzkvzH+yBhE7buoG yKJCIBMDl2fsFHefUGpm/yCEyg71ooGYDQu2TZgAyx9we2yjASgYJoGIa2lA2Z/kZFCqosDrjF6gj9je gZWoGdyBnuj8RoEOaBjY2AGxQbCBlegZYIeLyBhq2AbIJFByoGUSBkWmiPxCgUdgBK8IIEe0bRxLkwzF MaDICAAPAQAAAwAAAAEAGAAAAQEAAwAAAAEAGAAAAQIAAwAAAAQAAAJiAQMAAwAAAAEABQAAAQYAAwAA AAEAAgAAAREABAAAAAEAAAAIARIAAwAAAAEAAQAAARUAAwAAAAEABAAAARYAAwAAAAEAGAAAARcABAAA AAEAAAGgARwAAwAAAAEAAQAAAT0AAwAAAAEAAgAAAVIAAwAAAAEAAQAAAVMAAwAAAAQAAAJqh3MABwAA AigAAAJyAAAAAAAIAAgACAAIAAEAAQABAAEAAAIoQURCRQIQAABtbnRyUkdCIFhZWiAHzwAGAAMAAAAA AABhY3NwQVBQTAAAAABub25lAAAAAAAAAAAAAAAAAQAAAAAA9tYAAQAAAADTLUFEQkUAAAAAAAAAAAAA AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAApjcHJ0AAAA/AAAADJkZXNjAAABMAAA AGR3dHB0AAABlAAAABRia3B0AAABqAAAABRyVFJDAAABvAAAAA5nVFJDAAABzAAAAA5iVFJDAAAB3AAA AA5yWFlaAAAB7AAAABRnWFlaAAACAAAAABRiWFlaAAACFAAAABR0ZXh0AAAAAENvcHlyaWdodCAxOTk5 IEFkb2JlIFN5c3RlbXMgSW5jb3Jwb3JhdGVkAAAAZGVzYwAAAAAAAAAKQXBwbGUgUkdCAAAAAAAAAAAA AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA AAAAAAAAAAAAAFhZWiAAAAAAAADzUQABAAAAARbMWFlaIAAAAAAAAAAAAAAAAAAAAABjdXJ2AAAAAAAA AAEBzQAAY3VydgAAAAAAAAABAc0AAGN1cnYAAAAAAAAAAQHNAABYWVogAAAAAAAAeb0AAEFSAAAEuVhZ WiAAAAAAAABW+AAArC8AAB0DWFlaIAAAAAAAACYiAAASfwAAsXA 3 MCAwAA orderFrontFontPanel: {0, 0} {0, 0} YES YES -1 YES 0 NSToolbarFlexibleSpaceItem Flexible Space {1, 5} {20000, 32} YES YES -1 YES 0 YES YES 1048576 2147483647 NSToolbarSeparatorItem Separator {12, 5} {12, 1000} YES YES -1 YES 0 YES YES 1048576 2147483647 NSToolbarSpaceItem Space {32, 5} {32, 32} YES YES -1 YES 0 YES YES 1048576 2147483647 YES YES YES YES YES 0D5950D1-D4A8-44C6-9DBC-251CFEF852E2 BWToolbarShowFontsItem YES 256 YES 268 {{18, 45}, {174, 18}} YES -2080244224 0 Open profile on startup: 1211912703 2 NSImage NSSwitch 200 25 268 {{18, 18}, {410, 18}} YES 67239424 0 Delete log-file (~/unison.log) automatically on complete sync 1211912703 2 200 25 268 {{198, 40}, {231, 26}} YES 72482368 272630784 YES 5 YES YES 274 {15, 0} YES YES 12 10 1000 75628032 0 3 MC4zMzMzMzI5ODU2AA 338820672 1024 YES 3 YES 3 2 19 tableViewAction: -767524864 1 15 0 YES 0 {446, 84} 256 YES 268 {{125, 50}, {213, 17}} YES 68288064 272630784 xxxx 268 {{343, 45}, {59, 25}} YES -2080244224 134217728 choose -2038152961 163 400 75 268 {{125, 20}, {213, 17}} YES 68288064 272630784 xxxx 268 {{343, 15}, {59, 25}} YES -2080244224 134217728 choose -2038152961 163 400 75 268 {{17, 20}, {106, 17}} YES 68288064 71304192 Diff font: 268 {{17, 50}, {106, 17}} YES 68288064 71304192 Details font: {422, 87} BAtzdHJlYW10eXBlZIHoA4QBQISEhAxOU0RpY3Rpb25hcnkAhIQITlNPYmplY3QAhYQBaQKShISECE5T U3RyaW5nAZSEASskMEQ1OTUwRDEtRDRBOC00NEM2LTlEQkMtMjUxQ0ZFRjg1MkUyhpKEhIQHTlNWYWx1 ZQCUhAEqhIQLe0NHU2l6ZT1kZH2agb4BgaIAhpKElpcWQldUb29sYmFyU2hvd0ZvbnRzSXRlbYaShJiZ mZqBpgGBpQCGhg 0D5950D1-D4A8-44C6-9DBC-251CFEF852E2 Window {480, 348} YES YES YES YES {1.79769e+308, 1.79769e+308} {{0, 0}, {1920, 1178}} {1.79769e+308, 1.79769e+308} YES YES terminate: 139 hideOtherApplications: 146 hide: 152 unhideAllApplications: 153 cut: 175 paste: 176 selectAll: 179 copy: 181 updatesView 210 chooseProfileView 211 mainWindow 216 tableView 218 dataSource 219 profileController 221 endPasswordWindow: 240 passwordWindow 241 passwordText 242 endPasswordWindow: 243 ignorePath: 258 ignoreExt: 259 ignoreName: 260 copyLR: 270 copyRL: 271 selectConflicts: 273 revert: 274 forceNewer: 282 forceOlder: 283 leaveAlone: 285 profileNameText 332 preferencesController 350 preferencesView 358 firstRootText 373 secondRootUser 374 secondRootHost 375 secondRootText 376 remoteButtonCell 377 localButtonCell 378 nextKeyView 379 nextKeyView 380 nextKeyView 381 nextKeyView 382 nextKeyView 383 remoteClick: 386 localClick: 387 passwordCancelButton 395 delegate 396 myController 400 aboutWindow 412 versionText 413 onlineHelp: 416 syncButton: 421 ConnectingView 425 restartButton: 431 passwordPrompt 436 notificationController 438 raiseAboutWindow: 462 diffWindow 479 diffView 480 merge: 482 showDiff: 483 rescan: 485 progressBar 487 cltoolPref 497 cltoolWindow 500 cltoolNoButton: 503 cltoolYesButton: 505 initialFirstResponder 506 raiseCltoolWindow: 507 tableModeSelector 516 tableModeChanged: 517 delegate 571 showPreferences: 572 connectingAnimation 578 statusText 585 delegate 605 dataSource 606 detailsTextView 609 tableView 610 value: values.openProfileAtStartup value: values.openProfileAtStartup value values.openProfileAtStartup 2 655 value: values.deleteLogOnExit value: values.deleteLogOnExit value values.deleteLogOnExit 2 656 value: values.profileToOpen value: values.profileToOpen value values.profileToOpen 2 658 preferencesWindow 659 detailsFontLabel 661 diffFontLabel 662 profileBox 664 checkOpenProfile 665 checkOpenProfileChanged: 670 chooseFont: 672 chooseFont: 673 chooseDetailsFont 676 chooseDiffFont 677 splitView 684 YES 0 -2 File's Owner -1 First Responder -3 Application 21 YES Window 2 YES 515 YES 29 YES MainMenu 56 YES 57 YES 129 134 136 144 145 149 150 196 414 428 103 YES 106 YES 111 163 YES 169 YES 157 160 171 172 269 253 YES 254 YES 255 256 257 261 YES 262 YES 263 266 267 268 281 284 417 419 420 430 481 484 197 YES chooseProfileView 199 YES 201 YES 203 YES 205 YES 202 YES 198 YES updatesView 209 MyController 217 ProfileController 234 YES PasswordWindow 235 YES 236 YES 237 YES 238 YES 239 YES 307 YES PreferencesView 321 YES 323 YES 329 YES 330 YES 331 PreferencesController 402 YES AboutWindow 401 YES 406 YES 407 YES 409 YES 410 YES 411 YES 437 NotificationController 475 YES DiffWindow 476 YES 477 YES 478 488 YES CltoolWindow 489 YES 491 YES 493 YES 494 YES 495 YES 496 YES 527 528 529 531 532 533 534 543 544 545 546 547 548 549 551 552 553 554 555 557 561 562 563 569 570 362 YES 535 363 YES 536 364 YES 556 366 365 367 YES 537 368 YES 538 369 YES 539 370 YES 540 371 YES 541 372 YES 542 586 YES 589 YES 607 YES 608 486 590 YES 594 YES 599 YES 600 598 YES 601 597 YES 602 596 YES 603 595 YES 604 593 592 591 583 YES 584 618 YES PreferencesWindow 619 YES 423 YES ConnectingView 576 620 YES 621 622 624 626 627 628 653 678 YES 636 YES 639 637 YES 638 640 YES 643 641 YES 642 644 YES 645 646 YES 647 629 YES 634 630 YES 633 631 YES 632 681 YES 682 YES 683 YES YES -3.IBPluginDependency -3.ImportedFromIB2 103.IBPluginDependency 103.ImportedFromIB2 106.IBEditorWindowLastContentRect 106.IBPluginDependency 106.ImportedFromIB2 111.IBPluginDependency 111.ImportedFromIB2 129.IBPluginDependency 129.ImportedFromIB2 134.IBPluginDependency 134.ImportedFromIB2 136.IBPluginDependency 136.ImportedFromIB2 144.IBPluginDependency 144.ImportedFromIB2 145.IBPluginDependency 145.ImportedFromIB2 149.IBPluginDependency 149.ImportedFromIB2 150.IBPluginDependency 150.ImportedFromIB2 157.IBPluginDependency 157.ImportedFromIB2 160.IBPluginDependency 160.ImportedFromIB2 163.IBPluginDependency 163.ImportedFromIB2 169.IBEditorWindowLastContentRect 169.IBPluginDependency 169.ImportedFromIB2 171.IBPluginDependency 171.ImportedFromIB2 172.IBPluginDependency 172.ImportedFromIB2 196.IBPluginDependency 196.ImportedFromIB2 197.IBEditorWindowLastContentRect 197.IBPluginDependency 197.ImportedFromIB2 198.IBEditorWindowLastContentRect 198.IBPluginDependency 198.ImportedFromIB2 199.IBPluginDependency 199.ImportedFromIB2 2.IBPluginDependency 2.ImportedFromIB2 201.IBPluginDependency 201.ImportedFromIB2 202.IBPluginDependency 202.ImportedFromIB2 203.IBPluginDependency 203.ImportedFromIB2 205.CustomClassName 205.IBPluginDependency 205.ImportedFromIB2 209.ImportedFromIB2 21.IBEditorWindowLastContentRect 21.IBPluginDependency 21.IBWindowTemplateEditedContentRect 21.ImportedFromIB2 21.windowTemplate.hasMinSize 21.windowTemplate.minSize 217.ImportedFromIB2 234.IBEditorWindowLastContentRect 234.IBPluginDependency 234.IBWindowTemplateEditedContentRect 234.ImportedFromIB2 234.windowTemplate.hasMinSize 234.windowTemplate.minSize 235.IBPluginDependency 235.ImportedFromIB2 236.CustomClassName 236.IBPluginDependency 236.ImportedFromIB2 237.IBPluginDependency 237.ImportedFromIB2 238.IBPluginDependency 238.ImportedFromIB2 239.IBPluginDependency 239.ImportedFromIB2 253.IBPluginDependency 253.ImportedFromIB2 254.IBEditorWindowLastContentRect 254.IBPluginDependency 254.ImportedFromIB2 255.IBPluginDependency 255.ImportedFromIB2 256.IBPluginDependency 256.ImportedFromIB2 257.IBPluginDependency 257.ImportedFromIB2 261.IBPluginDependency 261.ImportedFromIB2 262.IBEditorWindowLastContentRect 262.IBPluginDependency 262.ImportedFromIB2 263.IBPluginDependency 263.ImportedFromIB2 266.IBPluginDependency 266.ImportedFromIB2 267.IBPluginDependency 267.ImportedFromIB2 268.IBPluginDependency 268.ImportedFromIB2 269.IBPluginDependency 269.ImportedFromIB2 281.IBPluginDependency 281.ImportedFromIB2 284.IBPluginDependency 284.ImportedFromIB2 29.IBEditorWindowLastContentRect 29.IBPluginDependency 29.ImportedFromIB2 307.IBEditorWindowLastContentRect 307.IBPluginDependency 307.ImportedFromIB2 321.IBPluginDependency 321.ImportedFromIB2 323.IBPluginDependency 323.ImportedFromIB2 329.IBPluginDependency 329.ImportedFromIB2 330.IBPluginDependency 330.ImportedFromIB2 331.ImportedFromIB2 362.IBPluginDependency 362.ImportedFromIB2 363.IBPluginDependency 363.ImportedFromIB2 364.IBPluginDependency 364.ImportedFromIB2 365.IBPluginDependency 365.ImportedFromIB2 366.IBPluginDependency 366.ImportedFromIB2 367.IBPluginDependency 367.ImportedFromIB2 368.IBPluginDependency 368.ImportedFromIB2 369.IBPluginDependency 369.ImportedFromIB2 370.IBPluginDependency 370.ImportedFromIB2 371.IBPluginDependency 371.ImportedFromIB2 372.IBPluginDependency 372.ImportedFromIB2 401.IBPluginDependency 401.ImportedFromIB2 402.IBEditorWindowLastContentRect 402.IBPluginDependency 402.IBWindowTemplateEditedContentRect 402.ImportedFromIB2 402.windowTemplate.hasMinSize 402.windowTemplate.minSize 406.IBPluginDependency 406.ImportedFromIB2 407.IBPluginDependency 407.ImportedFromIB2 409.IBPluginDependency 409.ImportedFromIB2 410.IBPluginDependency 410.ImportedFromIB2 411.IBPluginDependency 411.ImportedFromIB2 414.IBPluginDependency 414.ImportedFromIB2 417.IBPluginDependency 417.ImportedFromIB2 419.IBPluginDependency 419.ImportedFromIB2 420.IBPluginDependency 420.ImportedFromIB2 423.IBEditorWindowLastContentRect 423.IBPluginDependency 423.ImportedFromIB2 428.IBPluginDependency 428.ImportedFromIB2 430.IBPluginDependency 430.ImportedFromIB2 437.ImportedFromIB2 475.IBEditorWindowLastContentRect 475.IBPluginDependency 475.IBWindowTemplateEditedContentRect 475.ImportedFromIB2 475.windowTemplate.hasMinSize 475.windowTemplate.minSize 476.IBPluginDependency 476.ImportedFromIB2 477.IBPluginDependency 477.ImportedFromIB2 478.IBPluginDependency 478.ImportedFromIB2 481.IBPluginDependency 481.ImportedFromIB2 484.IBPluginDependency 484.ImportedFromIB2 486.IBPluginDependency 486.ImportedFromIB2 488.IBEditorWindowLastContentRect 488.IBPluginDependency 488.IBWindowTemplateEditedContentRect 488.ImportedFromIB2 488.windowTemplate.hasMinSize 488.windowTemplate.minSize 489.IBPluginDependency 489.ImportedFromIB2 491.IBPluginDependency 491.ImportedFromIB2 493.IBPluginDependency 493.ImportedFromIB2 494.IBPluginDependency 494.ImportedFromIB2 495.IBPluginDependency 495.ImportedFromIB2 496.IBPluginDependency 496.ImportedFromIB2 515.IBPluginDependency 515.ImportedFromIB2 527.IBPluginDependency 528.IBPluginDependency 529.IBPluginDependency 531.IBPluginDependency 532.IBPluginDependency 533.IBPluginDependency 534.IBPluginDependency 535.IBPluginDependency 536.IBPluginDependency 537.IBPluginDependency 538.IBPluginDependency 539.IBPluginDependency 540.IBPluginDependency 541.IBPluginDependency 542.IBPluginDependency 543.IBPluginDependency 544.IBPluginDependency 545.IBPluginDependency 546.IBPluginDependency 547.IBPluginDependency 548.IBPluginDependency 549.IBPluginDependency 551.IBPluginDependency 552.IBPluginDependency 553.IBPluginDependency 554.IBPluginDependency 555.IBPluginDependency 556.IBPluginDependency 557.IBPluginDependency 557.IBShouldRemoveOnLegacySave 56.IBPluginDependency 56.ImportedFromIB2 561.IBPluginDependency 561.IBShouldRemoveOnLegacySave 562.IBPluginDependency 562.IBShouldRemoveOnLegacySave 563.IBPluginDependency 563.IBShouldRemoveOnLegacySave 569.IBPluginDependency 569.IBShouldRemoveOnLegacySave 57.IBEditorWindowLastContentRect 57.IBPluginDependency 57.ImportedFromIB2 570.IBPluginDependency 570.IBShouldRemoveOnLegacySave 576.IBPluginDependency 583.IBPluginDependency 584.IBPluginDependency 586.IBPluginDependency 589.IBPluginDependency 590.IBPluginDependency 590.ImportedFromIB2 591.IBPluginDependency 591.IBShouldRemoveOnLegacySave 592.IBPluginDependency 592.IBShouldRemoveOnLegacySave 593.IBPluginDependency 593.IBShouldRemoveOnLegacySave 594.CustomClassName 594.IBPluginDependency 594.ImportedFromIB2 595.IBPluginDependency 595.ImportedFromIB2 596.IBPluginDependency 596.ImportedFromIB2 597.IBPluginDependency 597.ImportedFromIB2 598.IBPluginDependency 598.ImportedFromIB2 599.IBPluginDependency 599.ImportedFromIB2 600.IBPluginDependency 600.ImportedFromIB2 601.IBPluginDependency 601.ImportedFromIB2 602.IBPluginDependency 602.IBShouldRemoveOnLegacySave 603.IBPluginDependency 603.IBShouldRemoveOnLegacySave 604.IBPluginDependency 604.IBShouldRemoveOnLegacySave 607.IBPluginDependency 608.IBPluginDependency 618.IBEditorWindowLastContentRect 618.IBPluginDependency 618.IBWindowTemplateEditedContentRect 618.NSWindowTemplate.visibleAtLaunch 619.IBPluginDependency 620.IBEditorWindowLastContentRect 620.IBPluginDependency 622.IBPluginDependency 624.IBPluginDependency 626.IBPluginDependency 627.IBPluginDependency 628.IBPluginDependency 629.IBPluginDependency 630.IBPluginDependency 631.IBPluginDependency 632.IBPluginDependency 633.IBPluginDependency 634.IBPluginDependency 636.IBPluginDependency 637.IBPluginDependency 638.IBPluginDependency 639.IBPluginDependency 640.IBPluginDependency 641.IBPluginDependency 642.IBPluginDependency 643.IBPluginDependency 644.IBPluginDependency 645.IBPluginDependency 646.IBPluginDependency 647.IBPluginDependency 653.IBPluginDependency 678.IBPluginDependency 681.IBPluginDependency 682.IBPluginDependency 683.IBPluginDependency YES com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin {{582, 1091}, {202, 23}} com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin {{407, 1011}, {179, 103}} com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin {{345, 795}, {363, 281}} com.apple.InterfaceBuilder.CocoaPlugin {{289, 361}, {730, 546}} com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin ProfileTableView com.apple.InterfaceBuilder.CocoaPlugin {{717, 719}, {480, 360}} com.apple.InterfaceBuilder.CocoaPlugin {{717, 719}, {480, 360}} {213, 107} {{345, 994}, {227, 128}} com.apple.InterfaceBuilder.CocoaPlugin {{345, 994}, {227, 128}} {213, 107} com.apple.InterfaceBuilder.CocoaPlugin NSSecureTextField com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin {{520, 1051}, {191, 63}} com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin {{451, 881}, {323, 233}} com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin {{326, 1114}, {317, 20}} com.apple.InterfaceBuilder.CocoaPlugin {{345, 803}, {534, 250}} com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin {{345, 879}, {262, 266}} com.apple.InterfaceBuilder.CocoaPlugin {{345, 879}, {262, 266}} {213, 107} com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin {{443, 288}, {871, 577}} com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin {{345, 792}, {505, 342}} com.apple.InterfaceBuilder.CocoaPlugin {{345, 792}, {505, 342}} {213, 107} com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin {{345, 916}, {400, 229}} com.apple.InterfaceBuilder.CocoaPlugin {{345, 916}, {400, 229}} {213, 107} com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin {{338, 941}, {266, 173}} com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.brandonwalkin.BWToolkit com.brandonwalkin.BWToolkit com.brandonwalkin.BWToolkit com.brandonwalkin.BWToolkit com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin ReconTableView com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.brandonwalkin.BWToolkit com.brandonwalkin.BWToolkit {{446, 645}, {446, 84}} com.apple.InterfaceBuilder.CocoaPlugin {{446, 645}, {446, 84}} com.apple.InterfaceBuilder.CocoaPlugin {{466, 530}, {616, 0}} com.brandonwalkin.BWToolkit com.brandonwalkin.BWToolkit com.brandonwalkin.BWToolkit com.brandonwalkin.BWToolkit com.brandonwalkin.BWToolkit com.brandonwalkin.BWToolkit com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.apple.InterfaceBuilder.CocoaPlugin com.brandonwalkin.BWToolkit com.brandonwalkin.BWToolkit com.brandonwalkin.BWToolkit YES YES YES YES 684 YES FirstResponder NSObject YES YES copyLR: copyRL: forceNewer: forceOlder: ignoreExt: ignoreName: ignorePath: leaveAlone: merge: revert: selectConflicts: showDiff: YES id id id id id id id id id id id id YES YES copyLR: copyRL: forceNewer: forceOlder: ignoreExt: ignoreName: ignorePath: leaveAlone: merge: revert: selectConflicts: showDiff: YES copyLR: id copyRL: id forceNewer: id forceOlder: id ignoreExt: id ignoreName: id ignorePath: id leaveAlone: id merge: id revert: id selectConflicts: id showDiff: id IBUserSource MyController NSObject YES YES cancelProfileButton: checkOpenProfileChanged: chooseFont: cltoolNoButton: cltoolYesButton: createButton: endPasswordWindow: installCommandLineTool: onlineHelp: openButton: raiseAboutWindow: raiseCltoolWindow: raiseWindow: rescan: restartButton: saveProfileButton: showPreferences: syncButton: tableModeChanged: YES id id id id id id id id id id id id NSWindow id id id id id id YES YES cancelProfileButton: checkOpenProfileChanged: chooseFont: cltoolNoButton: cltoolYesButton: createButton: endPasswordWindow: installCommandLineTool: onlineHelp: openButton: raiseAboutWindow: raiseCltoolWindow: raiseWindow: rescan: restartButton: saveProfileButton: showPreferences: syncButton: tableModeChanged: YES cancelProfileButton: id checkOpenProfileChanged: id chooseFont: id cltoolNoButton: id cltoolYesButton: id createButton: id endPasswordWindow: id installCommandLineTool: id onlineHelp: id openButton: id raiseAboutWindow: id raiseCltoolWindow: id raiseWindow: NSWindow rescan: id restartButton: id saveProfileButton: id showPreferences: id syncButton: id tableModeChanged: id YES YES ConnectingView aboutWindow checkOpenProfile chooseDetailsFont chooseDiffFont chooseProfileView cltoolPref cltoolWindow connectingAnimation detailsFontLabel detailsTextView diffFontLabel diffView diffWindow fontChangeTarget mainWindow notificationController passwordCancelButton passwordPrompt passwordText passwordWindow preferencesController preferencesView preferencesWindow profileBox profileController progressBar splitView statusText tableModeSelector tableView updatesText updatesView versionText YES NSView NSWindow NSButton NSButton NSButton NSView NSButton NSWindow NSProgressIndicator NSTextField NSTextField NSTextField NSTextView NSWindow id NSWindow NotificationController NSButton NSTextField NSTextField NSWindow PreferencesController NSView NSWindow NSComboBox ProfileController NSProgressIndicator NSSplitView NSTextField NSSegmentedControl ReconTableView NSTextField NSView NSTextField YES YES ConnectingView aboutWindow checkOpenProfile chooseDetailsFont chooseDiffFont chooseProfileView cltoolPref cltoolWindow connectingAnimation detailsFontLabel detailsTextView diffFontLabel diffView diffWindow fontChangeTarget mainWindow notificationController passwordCancelButton passwordPrompt passwordText passwordWindow preferencesController preferencesView preferencesWindow profileBox profileController progressBar splitView statusText tableModeSelector tableView updatesText updatesView versionText YES ConnectingView NSView aboutWindow NSWindow checkOpenProfile NSButton chooseDetailsFont NSButton chooseDiffFont NSButton chooseProfileView NSView cltoolPref NSButton cltoolWindow NSWindow connectingAnimation NSProgressIndicator detailsFontLabel NSTextField detailsTextView NSTextField diffFontLabel NSTextField diffView NSTextView diffWindow NSWindow fontChangeTarget id mainWindow NSWindow notificationController NotificationController passwordCancelButton NSButton passwordPrompt NSTextField passwordText NSTextField passwordWindow NSWindow preferencesController PreferencesController preferencesView NSView preferencesWindow NSWindow profileBox NSComboBox profileController ProfileController progressBar NSProgressIndicator splitView NSSplitView statusText NSTextField tableModeSelector NSSegmentedControl tableView ReconTableView updatesText NSTextField updatesView NSView versionText NSTextField IBProjectSource MyController.h MyController NSObject IBUserSource NSOutlineView IBProjectSource ReconTableView.h NSOutlineView NSTableView IBUserSource NSSegmentedControl NSControl IBUserSource NotificationController NSObject IBProjectSource NotificationController.h NotificationController NSObject IBUserSource PreferencesController NSObject YES YES anyEnter: localClick: remoteClick: YES id id id YES YES anyEnter: localClick: remoteClick: YES anyEnter: id localClick: id remoteClick: id YES YES firstRootText localButtonCell profileNameText remoteButtonCell secondRootHost secondRootText secondRootUser YES NSTextField NSButtonCell NSTextField NSButtonCell NSTextField NSTextField NSTextField YES YES firstRootText localButtonCell profileNameText remoteButtonCell secondRootHost secondRootText secondRootUser YES firstRootText NSTextField localButtonCell NSButtonCell profileNameText NSTextField remoteButtonCell NSButtonCell secondRootHost NSTextField secondRootText NSTextField secondRootUser NSTextField IBProjectSource PreferencesController.h PreferencesController NSObject IBUserSource ProfileController NSObject tableView NSTableView tableView tableView NSTableView IBProjectSource ProfileController.h ProfileController NSObject IBUserSource ProfileTableView NSTableView myController MyController myController myController MyController IBProjectSource ProfileTableView.h ProfileTableView NSTableView IBUserSource ReconTableView NSOutlineView YES YES copyLR: copyRL: forceNewer: forceOlder: ignoreExt: ignoreName: ignorePath: leaveAlone: merge: revert: selectConflicts: showDiff: YES id id id id id id id id id id id id YES YES copyLR: copyRL: forceNewer: forceOlder: ignoreExt: ignoreName: ignorePath: leaveAlone: merge: revert: selectConflicts: showDiff: YES copyLR: id copyRL: id forceNewer: id forceOlder: id ignoreExt: id ignoreName: id ignorePath: id leaveAlone: id merge: id revert: id selectConflicts: id showDiff: id ReconTableView NSOutlineView IBUserSource YES BWGradientBox NSView IBFrameworkSource BWToolkitFramework.framework/Headers/BWGradientBox.h BWInsetTextField NSTextField IBFrameworkSource BWToolkitFramework.framework/Headers/BWInsetTextField.h BWSelectableToolbar NSToolbar IBFrameworkSource BWToolkitFramework.framework/Headers/BWSelectableToolbar.h BWSplitView NSSplitView toggleCollapse: id toggleCollapse: toggleCollapse: id IBFrameworkSource BWToolkitFramework.framework/Headers/BWSplitView.h BWToolbarShowFontsItem NSToolbarItem IBFrameworkSource BWToolkitFramework.framework/Headers/BWToolbarShowFontsItem.h NSApplication IBFrameworkSource BWToolkitFramework.framework/Headers/NSApplication+BWAdditions.h NSObject IBFrameworkSource ExceptionHandling.framework/Headers/NSExceptionHandler.h NSObject IBFrameworkSource Growl.framework/Headers/GrowlApplicationBridge.h NSView IBFrameworkSource BWToolkitFramework.framework/Headers/NSView+BWAdditions.h NSWindow IBFrameworkSource BWToolkitFramework.framework/Headers/NSWindow+BWAdditions.h 0 IBCocoaFramework com.apple.InterfaceBuilder.CocoaPlugin.macosx com.apple.InterfaceBuilder.CocoaPlugin.macosx com.apple.InterfaceBuilder.CocoaPlugin.InterfaceBuilder3 YES ../uimacnew.xcodeproj 3 YES YES NSMenuCheckmark NSMenuMixedState NSPreferencesGeneral NSSwitch Outline-Deep Outline-Flat Outline-Flattened Unison YES {9, 8} {7, 2} {32, 32} {15, 15} {24, 16} {24, 16} {24, 16} {128, 128} unison-2.40.102/uimacnew09/English.lproj/InfoPlist.strings0000644006131600613160000000013211361646373023424 0ustar bcpiercebcpierce/* Localized versions of Info.plist keys */ unison-2.40.102/uimacnew09/cltool.c0000644006131600613160000000410411361646373017027 0ustar bcpiercebcpierce/* cltool.c This is a command-line tool for Mac OS X that looks up the unison application, where ever it has been installed, and runs it. This is intended to be installed in a standard place (e.g., /usr/bin/unison) to make it easy to invoke unison as a server, or to use unison from the command line when it has been installed with a GUI. */ #import #import #include #define BUFSIZE 1024 #define EXECPATH "/Contents/MacOS/Unison" int main(int argc, char **argv) { /* Look up the application by its bundle identifier, which is given in the Info.plist file. This will continue to work even if the user changes the name of the application, unlike fullPathForApplication. */ FSRef fsref; OSStatus status; int len; char buf[BUFSIZE]; status = LSFindApplicationForInfo(kLSUnknownCreator,CFSTR("edu.upenn.cis.Unison"),NULL,&fsref,NULL); if (status) { if (status == kLSApplicationNotFoundErr) { fprintf(stderr,"Error: can't find the Unison application using the Launch Services database.\n"); fprintf(stderr,"Try launching Unison from the Finder, and then try this again.\n",status); } else fprintf(stderr,"Error: can't find Unison application (%ld).\n",status); exit(1); } status = FSRefMakePath(&fsref,(UInt8 *)buf,BUFSIZE); if (status) { fprintf(stderr,"Error: problem building path to Unison application (%ld).\n",status); exit(1); } len = strlen(buf); if (len + strlen(EXECPATH) + 1 > BUFSIZE) { fprintf(stderr,"Error: path to Unison application exceeds internal buffer size (%d).\n",BUFSIZE); exit(1); } strcat(buf,EXECPATH); /* It's important to pass the absolute path on to the GUI, that's how it knows where to find the bundle, e.g., the Info.plist file. */ argv[0] = buf; // printf("The Unison executable is at %s\n",argv[0]); // printf("Running...\n"); execv(argv[0],argv); /* If we get here the execv has failed; print an error message to stderr */ perror("unison"); exit(1); } unison-2.40.102/uimacnew09/ReconItem.h0000644006131600613160000000357111361646373017434 0ustar bcpiercebcpierce/* ReconItem */ #import @class OCamlValue; @interface ReconItem : NSObject { ReconItem *parent; NSString *path; NSString *fullPath; BOOL selected; NSImage *direction; NSString *directionSortString; double fileSize; double bytesTransferred; BOOL resolved; } - (BOOL)selected; - (void)setSelected:(BOOL)x; - (NSString *)path; - (NSString *)fullPath; - (NSString *)left; - (NSString *)right; - (NSImage *)direction; - (NSImage *)fileIcon; - (long)fileCount; - (double)fileSize; - (NSString *)fileSizeString; - (double)bytesTransferred; - (NSString *)bytesTransferredString; - (void)setDirection:(char *)d; - (void) doAction:(unichar)action; - (void) doIgnore:(unichar)action; - (NSString *)progress; - (NSString *)progressString; - (void)resetProgress; - (NSString *)details; - (NSString *)updateDetails; - (BOOL)isConflict; - (BOOL)changedFromDefault; - (void)revertDirection; - (BOOL)canDiff; - (void)showDiffs; - (NSString *)leftSortKey; - (NSString *)rightSortKey; - (NSString *)replicaSortKey:(NSString *)sortString; - (NSString *)directionSortKey; - (NSString *)progressSortKey; - (NSString *)pathSortKey; - (NSArray *)children; - (ReconItem *)collapseParentsWithSingleChildren:(BOOL)isRoot; - (ReconItem *)parent; - (void)setPath:(NSString *)aPath; - (void)setFullPath:(NSString *)p; - (void)setParent:(ReconItem *)p; - (void)willChange; @end @interface LeafReconItem : ReconItem { NSString *left; NSString *right; NSString *progress; NSString *details; OCamlValue *ri; // an ocaml Common.reconItem long index; // index in Ri list } - initWithRiAndIndex:(OCamlValue *)v index:(long)i; @end @interface ParentReconItem : ReconItem { NSMutableArray *_children; long fileCount; } - (void)addChild:(ReconItem *)item nested:(BOOL)useNesting; - (void)sortUsingDescriptors:(NSArray *)sortDescriptors; - (BOOL)hasConflictedChildren; @end unison-2.40.102/uimacnew09/Unison.icns0000644006131600613160000010742111361646373017526 0ustar bcpiercebcpierceicnsis323ݹ;׺нж<ߑÒf5qTWWЂ\cikhd ˵|ze֜cqx|yjrv~w{dstiqrqiңkubszxtcswhzeMO٩OO̷nf:®wDLXPTZVTV] ඨ~leʻU}{AzE/Zrdt_3'j6?C;]$S j=F8JncNC(d?f 2i[A J_a!# ec_kKB (=ZFgk=-}ve" ` 5m|g2 1B    MP:8;Ws8mk3`o\,9+^F<$4 dGvZeH5 <$^G:,3era,il32 ҽ潽Ż ҫ ~ |ysvoe|cfRHTINE@;:RDivV4 34_W(o2  h d t= ?.rd\  zۣŪt|vx]д}`lcǼɫPFsīMl Mm۪F{yOÍ俛<06Ya騇|A4؃}vs@F邂;5Jc{}{󫁇Fw6u{ꂁ~{]S"}x}~~||{j2%}zvЭowstqrqtrpg5!~rwohfkqqpnsrtryid3}x|}y{zz{z|tsa/*ktz{txHSFJ{z{~(!쎃[~oL6g"{ b57;͢[ kõaf_ @ { e ERzBib ۦxwsX]|tW^:hWA W2 ".9~űa 8-ozqӎsruuswaliaܦ\ R_^`Z;PaWPUHEKZGc >YCKBLPRNN8b?_$)PJHEFLEDCD;FM;R@=R7nu6G;AA@C;}8GJwH+=;9:98;A49:=>??7FK#B)&90343286734387A(&wy"i0 +  a *4C;:39: M@" *#Z ""WJ R"%^ ! 5 z`'% @"'N\ TjžjT=8961 :;:EcΏ bE89: 8::Mpˁ̐ˀ ˺pL::89Dfā‚ĻfB>5>@X±W@;?GffE?7@SzyR@7>C\\C> ?H``G? AJf~zwuuwz~ eIA@MgǴfM@@Ni £hN@BMhǠ gM@@Mdܛܰ dL@?Ka~㲉 }aJ?9H]vݣݧv\F9CYmɧɔ lXC CUh~~ gTCANbx xaLA *G]l̯̏l\E* DXf}ױוu |fWD =NbqݳȄqaM= F\gݽ g[E ASfsג˸ seRAF_iːعi^F BUhu|ʤthUBG`j͡ i`G@ThsݯݑrhT@ F_j}ƍ˘ː }i_F8Pho ngP8C]kwۋ򹆂wj\C Idkp kcG;Vlrn qlU; D^mxɆn wl^DJem~؊ڗm ~leI 3SlpmpkS3 @\ntŠȄl tm[@ Fbny힁l xnaDKgo|Ák|pgJ RmoulR6Zpo܉р yoY6?^pp{p^?BbqppbBFeqq؂qeF Jiqq‰~qhJLlrq҉qlL PnrqqnORqrsspRUrtsUVVUVWssSUtv zwvvttssrqqponmlmmnooppqpqrssttuvwyzttUVututux{{zxywvtrponnononnopouuwxyz{}~}ytutV UtvuutuututsrqrrqqrqpqpopopqpqrqqvstutuutuU Stvvuvuuvuututtstsstsrssrqrqpqpqrqrssu tuuvuuvuvtSRsvvwvwvvuvvutuutuuttuttssttsrssrssrsttssuvvuvvwvwvrRNpwvwwvwvuvvuvvuvututtuutststuuttutuuwvwwvwpNLnxxwxwwxwwxwvvwvvwvvwvuvuuvuvuvuvuuvuvwwxwwxwwxwxoK Gmxxyxyyxyx yyxxyxxwxxwxwwxwxwxvvwvwvvxwxwxwp҉yyxyxyyxyxlHAizyyzyyzyzyyzyyzyyzyyzyxxyyxyxyxyyxxyyyzyyzyzyyzyyjA9fz{zz{z{z{z{z{yyzyy{z{zz{zz{zf9-bz{{z{ |{|RQRRQRRQQRQRQRQRRQQf{|{|{||{|{|qƉ|{z{{a-Yy{{|{||{||{|}||}|}}|}|}||}||}|{||{||{|{xYOs}||}||}~}}~}}~~~~u~}}~}||}||tOEn}~~~}nF7i}~~}~r~}~~h7!^|~~{~|^! Nv„Ҋ܉ vO@nÁrn@+dÆs䕄d+OwtwP ?ossߖp? $`rr ~`$Hv}}ЍvJ1jԖsrԍ馊 j1NyuuzO 4n븈p}~pʌn4 Nzˢ~oxxo~֜ {N1kֺzmddmzߧk3Jz䮁zK(`䱑b( Awɓ᱔wA R~ɓگګ~R ,eʀѭң f,>w ʔĘx>K~ʔ٧ڲ~LXʔÝX*bʔ̪c*3j˭j59pq9?ABCG3 5EBA@=щ??>=<=>?>?@AE5% 7C@@?>>X=<;<=>>=>?@C7) 9@>>=u[;:9:;<=<=>@9-  :=<::98789:;:<;<=:0  ;<;:876789:9:;<:3 ;;:9É7656789:9:;5 ;998778׉i5456787789;576R44323456794,355454@2112112!"4454558/(03423$  $23243  "#"!$&'&%7PӀp :b  s=  ̀ Ki G5   cg6'  :v uu8 x66# ccS HH| LL s;;s9 ˜rR8%%8RrM Yͳ] [ű[ NN;;  ~۩~!  VV  'ẓz'  =՟Պ=   !@ʛʆ@!!    !.ll.!    !KZgpy²ypgZK>1#  "-8BLVahnsw{}}{wsnhaVLB8-"  !)19?DIMQTVWWVTQMID?91)!  "$&''''&$"  icnV Bunison-2.40.102/uimacnew09/uimacnew.xcodeproj/0000755006131600613160000000000012050210654021155 5ustar bcpiercebcpierceunison-2.40.102/uimacnew09/uimacnew.xcodeproj/project.pbxproj0000644006131600613160000013200711611314427024241 0ustar bcpiercebcpierce// !$*UTF8*$! { archiveVersion = 1; classes = { }; objectVersion = 45; objects = { /* Begin PBXAggregateTarget section */ 2A124E780DE1C48400524237 /* Create ExternalSettings */ = { isa = PBXAggregateTarget; buildConfigurationList = 2A124E7C0DE1C4A200524237 /* Build configuration list for PBXAggregateTarget "Create ExternalSettings" */; buildPhases = ( 2A124E7E0DE1C4BE00524237 /* Run Script (version, ocaml lib dir) */, ); dependencies = ( ); name = "Create ExternalSettings"; productName = "Create ExternalSettings"; }; /* End PBXAggregateTarget section */ /* Begin PBXBuildFile section */ 2A3C3F7D09922D4900E404E9 /* NotificationController.m in Sources */ = {isa = PBXBuildFile; fileRef = 2A3C3F7B09922D4900E404E9 /* NotificationController.m */; }; 2E282CC80D9AE2B000439D01 /* unison-blob.o in Frameworks */ = {isa = PBXBuildFile; fileRef = 2E282CC70D9AE2B000439D01 /* unison-blob.o */; }; 44042CB60BE4FC9B00A6BBB2 /* ProgressCell.m in Sources */ = {isa = PBXBuildFile; fileRef = 44042CB40BE4FC9B00A6BBB2 /* ProgressCell.m */; }; 44042D1B0BE52AED00A6BBB2 /* ProgressBarAdvanced.png in Resources */ = {isa = PBXBuildFile; fileRef = 44042D100BE52AED00A6BBB2 /* ProgressBarAdvanced.png */; }; 44042D1C0BE52AEE00A6BBB2 /* ProgressBarBlue.png in Resources */ = {isa = PBXBuildFile; fileRef = 44042D110BE52AED00A6BBB2 /* ProgressBarBlue.png */; }; 44042D1D0BE52AEE00A6BBB2 /* ProgressBarEndAdvanced.png in Resources */ = {isa = PBXBuildFile; fileRef = 44042D120BE52AED00A6BBB2 /* ProgressBarEndAdvanced.png */; }; 44042D1E0BE52AEE00A6BBB2 /* ProgressBarEndBlue.png in Resources */ = {isa = PBXBuildFile; fileRef = 44042D130BE52AED00A6BBB2 /* ProgressBarEndBlue.png */; }; 44042D1F0BE52AEE00A6BBB2 /* ProgressBarEndGray.png in Resources */ = {isa = PBXBuildFile; fileRef = 44042D140BE52AED00A6BBB2 /* ProgressBarEndGray.png */; }; 44042D200BE52AEE00A6BBB2 /* ProgressBarEndGreen.png in Resources */ = {isa = PBXBuildFile; fileRef = 44042D150BE52AED00A6BBB2 /* ProgressBarEndGreen.png */; }; 44042D210BE52AEE00A6BBB2 /* ProgressBarEndWhite.png in Resources */ = {isa = PBXBuildFile; fileRef = 44042D160BE52AED00A6BBB2 /* ProgressBarEndWhite.png */; }; 44042D220BE52AEE00A6BBB2 /* ProgressBarGray.png in Resources */ = {isa = PBXBuildFile; fileRef = 44042D170BE52AED00A6BBB2 /* ProgressBarGray.png */; }; 44042D230BE52AEE00A6BBB2 /* ProgressBarGreen.png in Resources */ = {isa = PBXBuildFile; fileRef = 44042D180BE52AED00A6BBB2 /* ProgressBarGreen.png */; }; 44042D240BE52AEE00A6BBB2 /* ProgressBarLightGreen.png in Resources */ = {isa = PBXBuildFile; fileRef = 44042D190BE52AED00A6BBB2 /* ProgressBarLightGreen.png */; }; 44042D250BE52AEE00A6BBB2 /* ProgressBarWhite.png in Resources */ = {isa = PBXBuildFile; fileRef = 44042D1A0BE52AED00A6BBB2 /* ProgressBarWhite.png */; }; 440EEAF30C03EC3D00ACAAB0 /* Change_Created.png in Resources */ = {isa = PBXBuildFile; fileRef = 440EEAF20C03EC3D00ACAAB0 /* Change_Created.png */; }; 440EEAF90C03F0B800ACAAB0 /* Change_Deleted.png in Resources */ = {isa = PBXBuildFile; fileRef = 440EEAF60C03F0B800ACAAB0 /* Change_Deleted.png */; }; 440EEAFA0C03F0B800ACAAB0 /* Change_Modified.png in Resources */ = {isa = PBXBuildFile; fileRef = 440EEAF70C03F0B800ACAAB0 /* Change_Modified.png */; }; 440EEAFB0C03F0B800ACAAB0 /* Change_PropsChanged.png in Resources */ = {isa = PBXBuildFile; fileRef = 440EEAF80C03F0B800ACAAB0 /* Change_PropsChanged.png */; }; 445A291B0BFA5B3300E4E641 /* Outline-Deep.png in Resources */ = {isa = PBXBuildFile; fileRef = 445A291A0BFA5B3300E4E641 /* Outline-Deep.png */; }; 445A29270BFA5C1200E4E641 /* Outline-Flat.png in Resources */ = {isa = PBXBuildFile; fileRef = 445A29260BFA5C1200E4E641 /* Outline-Flat.png */; }; 445A29290BFA5C1B00E4E641 /* Outline-Flattened.png in Resources */ = {isa = PBXBuildFile; fileRef = 445A29280BFA5C1B00E4E641 /* Outline-Flattened.png */; }; 445A2A5E0BFAB6C300E4E641 /* ImageAndTextCell.m in Sources */ = {isa = PBXBuildFile; fileRef = 445A2A5D0BFAB6C300E4E641 /* ImageAndTextCell.m */; }; 449F03E10BE00DE9003F15C8 /* Bridge.m in Sources */ = {isa = PBXBuildFile; fileRef = 449F03DF0BE00DE9003F15C8 /* Bridge.m */; }; 44A794A10BE16C380069680C /* ExceptionHandling.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 44A794A00BE16C380069680C /* ExceptionHandling.framework */; }; 44A797F40BE3F9B70069680C /* table-mixed.tif in Resources */ = {isa = PBXBuildFile; fileRef = 44A797F10BE3F9B70069680C /* table-mixed.tif */; }; 44F472B10C0DB735006428EF /* Change_Absent.png in Resources */ = {isa = PBXBuildFile; fileRef = 44F472AF0C0DB735006428EF /* Change_Absent.png */; }; 44F472B20C0DB735006428EF /* Change_Unmodified.png in Resources */ = {isa = PBXBuildFile; fileRef = 44F472B00C0DB735006428EF /* Change_Unmodified.png */; }; 69C625E70664EC3300B3C46A /* InfoPlist.strings in Resources */ = {isa = PBXBuildFile; fileRef = 089C165CFE840E0CC02AAC07 /* InfoPlist.strings */; }; 69C625E80664EC3300B3C46A /* Unison.icns in Resources */ = {isa = PBXBuildFile; fileRef = 69C625CA0664E94E00B3C46A /* Unison.icns */; }; 69C625EA0664EC3300B3C46A /* main.m in Sources */ = {isa = PBXBuildFile; fileRef = 29B97316FDCFA39411CA2CEA /* main.m */; settings = {ATTRIBUTES = (); }; }; 69C625EB0664EC3300B3C46A /* MyController.m in Sources */ = {isa = PBXBuildFile; fileRef = 69660DC704F08CC100CF23A4 /* MyController.m */; }; 69C625EC0664EC3300B3C46A /* ProfileController.m in Sources */ = {isa = PBXBuildFile; fileRef = 690F564504F11EC300CF23A4 /* ProfileController.m */; }; 69C625ED0664EC3300B3C46A /* ReconItem.m in Sources */ = {isa = PBXBuildFile; fileRef = 69D3C6F904F1CC3700CF23A4 /* ReconItem.m */; }; 69C625EE0664EC3300B3C46A /* ReconTableView.m in Sources */ = {isa = PBXBuildFile; fileRef = 69BA7DA904FD695200CF23A4 /* ReconTableView.m */; }; 69C625EF0664EC3300B3C46A /* PreferencesController.m in Sources */ = {isa = PBXBuildFile; fileRef = 697985CE050CFA2D00CF23A4 /* PreferencesController.m */; }; 69C625F00664EC3300B3C46A /* ProfileTableView.m in Sources */ = {isa = PBXBuildFile; fileRef = 691CE181051BB44A00CF23A4 /* ProfileTableView.m */; }; 69C625F20664EC3300B3C46A /* Cocoa.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 1058C7A1FEA54F0111CA2CBB /* Cocoa.framework */; }; 69E407BA07EB95AA00D37AA1 /* Security.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 69E407B907EB95AA00D37AA1 /* Security.framework */; }; B518071C09D6652100B1B21F /* add.tif in Resources */ = {isa = PBXBuildFile; fileRef = B518071209D6652100B1B21F /* add.tif */; }; B518071D09D6652100B1B21F /* diff.tif in Resources */ = {isa = PBXBuildFile; fileRef = B518071309D6652100B1B21F /* diff.tif */; }; B518071E09D6652100B1B21F /* go.tif in Resources */ = {isa = PBXBuildFile; fileRef = B518071409D6652100B1B21F /* go.tif */; }; B518071F09D6652100B1B21F /* left.tif in Resources */ = {isa = PBXBuildFile; fileRef = B518071509D6652100B1B21F /* left.tif */; }; B518072009D6652100B1B21F /* merge.tif in Resources */ = {isa = PBXBuildFile; fileRef = B518071609D6652100B1B21F /* merge.tif */; }; B518072109D6652100B1B21F /* quit.tif in Resources */ = {isa = PBXBuildFile; fileRef = B518071709D6652100B1B21F /* quit.tif */; }; B518072209D6652100B1B21F /* restart.tif in Resources */ = {isa = PBXBuildFile; fileRef = B518071809D6652100B1B21F /* restart.tif */; }; B518072309D6652100B1B21F /* right.tif in Resources */ = {isa = PBXBuildFile; fileRef = B518071909D6652100B1B21F /* right.tif */; }; B518072409D6652100B1B21F /* save.tif in Resources */ = {isa = PBXBuildFile; fileRef = B518071A09D6652100B1B21F /* save.tif */; }; B518072509D6652100B1B21F /* skip.tif in Resources */ = {isa = PBXBuildFile; fileRef = B518071B09D6652100B1B21F /* skip.tif */; }; B554004109C4E5AA0089E1C3 /* UnisonToolbar.m in Sources */ = {isa = PBXBuildFile; fileRef = B554004009C4E5AA0089E1C3 /* UnisonToolbar.m */; }; B5B44C1909DF61A4000DC7AF /* table-conflict.tif in Resources */ = {isa = PBXBuildFile; fileRef = B5B44C1109DF61A4000DC7AF /* table-conflict.tif */; }; B5B44C1A09DF61A4000DC7AF /* table-error.tif in Resources */ = {isa = PBXBuildFile; fileRef = B5B44C1209DF61A4000DC7AF /* table-error.tif */; }; B5B44C1B09DF61A4000DC7AF /* table-left-blue.tif in Resources */ = {isa = PBXBuildFile; fileRef = B5B44C1309DF61A4000DC7AF /* table-left-blue.tif */; }; B5B44C1C09DF61A4000DC7AF /* table-left-green.tif in Resources */ = {isa = PBXBuildFile; fileRef = B5B44C1409DF61A4000DC7AF /* table-left-green.tif */; }; B5B44C1D09DF61A4000DC7AF /* table-merge.tif in Resources */ = {isa = PBXBuildFile; fileRef = B5B44C1509DF61A4000DC7AF /* table-merge.tif */; }; B5B44C1E09DF61A4000DC7AF /* table-right-blue.tif in Resources */ = {isa = PBXBuildFile; fileRef = B5B44C1609DF61A4000DC7AF /* table-right-blue.tif */; }; B5B44C1F09DF61A4000DC7AF /* table-right-green.tif in Resources */ = {isa = PBXBuildFile; fileRef = B5B44C1709DF61A4000DC7AF /* table-right-green.tif */; }; B5B44C2009DF61A4000DC7AF /* table-skip.tif in Resources */ = {isa = PBXBuildFile; fileRef = B5B44C1809DF61A4000DC7AF /* table-skip.tif */; }; B5E03B3909E38B9E0058C7B9 /* rescan.tif in Resources */ = {isa = PBXBuildFile; fileRef = B5E03B3809E38B9E0058C7B9 /* rescan.tif */; }; BB1ADE25114AEB1100575BFC /* BWToolkitFramework.framework in CopyFiles */ = {isa = PBXBuildFile; fileRef = BBE2BCAB11355CDD00B187F2 /* BWToolkitFramework.framework */; }; BB1ADE26114AEB1100575BFC /* Growl.framework in CopyFiles */ = {isa = PBXBuildFile; fileRef = BBE2BCAC11355CDD00B187F2 /* Growl.framework */; }; BBE2BCAD11355CDD00B187F2 /* BWToolkitFramework.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = BBE2BCAB11355CDD00B187F2 /* BWToolkitFramework.framework */; }; BBE2BCAE11355CDD00B187F2 /* Growl.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = BBE2BCAC11355CDD00B187F2 /* Growl.framework */; }; DE2444D610C294EA007E1546 /* MainMenu.xib in Resources */ = {isa = PBXBuildFile; fileRef = DE2444D410C294EA007E1546 /* MainMenu.xib */; }; /* End PBXBuildFile section */ /* Begin PBXContainerItemProxy section */ 2A124E7F0DE1C4E400524237 /* PBXContainerItemProxy */ = { isa = PBXContainerItemProxy; containerPortal = 29B97313FDCFA39411CA2CEA /* Project object */; proxyType = 1; remoteGlobalIDString = 2A124E780DE1C48400524237; remoteInfo = "Create ExternalSettings"; }; /* End PBXContainerItemProxy section */ /* Begin PBXCopyFilesBuildPhase section */ 2A3C3F3709922AA600E404E9 /* CopyFiles */ = { isa = PBXCopyFilesBuildPhase; buildActionMask = 2147483647; dstPath = ""; dstSubfolderSpec = 10; files = ( BB1ADE25114AEB1100575BFC /* BWToolkitFramework.framework in CopyFiles */, BB1ADE26114AEB1100575BFC /* Growl.framework in CopyFiles */, ); runOnlyForDeploymentPostprocessing = 0; }; BB6E50CF10CAA57600E23F8A /* CopyFiles */ = { isa = PBXCopyFilesBuildPhase; buildActionMask = 2147483647; dstPath = ""; dstSubfolderSpec = 7; files = ( ); runOnlyForDeploymentPostprocessing = 0; }; /* End PBXCopyFilesBuildPhase section */ /* Begin PBXFileReference section */ 089C165DFE840E0CC02AAC07 /* English */ = {isa = PBXFileReference; fileEncoding = 10; lastKnownFileType = text.plist.strings; name = English; path = English.lproj/InfoPlist.strings; sourceTree = ""; }; 1058C7A1FEA54F0111CA2CBB /* Cocoa.framework */ = {isa = PBXFileReference; lastKnownFileType = wrapper.framework; name = Cocoa.framework; path = /System/Library/Frameworks/Cocoa.framework; sourceTree = ""; }; 29B97316FDCFA39411CA2CEA /* main.m */ = {isa = PBXFileReference; fileEncoding = 30; lastKnownFileType = sourcecode.c.objc; path = main.m; sourceTree = ""; }; 2A3C3F7A09922D4900E404E9 /* NotificationController.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = NotificationController.h; sourceTree = ""; }; 2A3C3F7B09922D4900E404E9 /* NotificationController.m */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.objc; path = NotificationController.m; sourceTree = ""; }; 2E282CC70D9AE2B000439D01 /* unison-blob.o */ = {isa = PBXFileReference; lastKnownFileType = "compiled.mach-o.objfile"; name = "unison-blob.o"; path = "../unison-blob.o"; sourceTree = SOURCE_ROOT; }; 2E282CCC0D9AE2E800439D01 /* ExternalSettings.xcconfig */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text.xcconfig; path = ExternalSettings.xcconfig; sourceTree = ""; }; 44042CB30BE4FC9B00A6BBB2 /* ProgressCell.h */ = {isa = PBXFileReference; fileEncoding = 30; lastKnownFileType = sourcecode.c.h; path = ProgressCell.h; sourceTree = ""; }; 44042CB40BE4FC9B00A6BBB2 /* ProgressCell.m */ = {isa = PBXFileReference; fileEncoding = 30; lastKnownFileType = sourcecode.c.objc; path = ProgressCell.m; sourceTree = ""; }; 44042D100BE52AED00A6BBB2 /* ProgressBarAdvanced.png */ = {isa = PBXFileReference; lastKnownFileType = image.png; name = ProgressBarAdvanced.png; path = progressicons/ProgressBarAdvanced.png; sourceTree = ""; }; 44042D110BE52AED00A6BBB2 /* ProgressBarBlue.png */ = {isa = PBXFileReference; lastKnownFileType = image.png; name = ProgressBarBlue.png; path = progressicons/ProgressBarBlue.png; sourceTree = ""; }; 44042D120BE52AED00A6BBB2 /* ProgressBarEndAdvanced.png */ = {isa = PBXFileReference; lastKnownFileType = image.png; name = ProgressBarEndAdvanced.png; path = progressicons/ProgressBarEndAdvanced.png; sourceTree = ""; }; 44042D130BE52AED00A6BBB2 /* ProgressBarEndBlue.png */ = {isa = PBXFileReference; lastKnownFileType = image.png; name = ProgressBarEndBlue.png; path = progressicons/ProgressBarEndBlue.png; sourceTree = ""; }; 44042D140BE52AED00A6BBB2 /* ProgressBarEndGray.png */ = {isa = PBXFileReference; lastKnownFileType = image.png; name = ProgressBarEndGray.png; path = progressicons/ProgressBarEndGray.png; sourceTree = ""; }; 44042D150BE52AED00A6BBB2 /* ProgressBarEndGreen.png */ = {isa = PBXFileReference; lastKnownFileType = image.png; name = ProgressBarEndGreen.png; path = progressicons/ProgressBarEndGreen.png; sourceTree = ""; }; 44042D160BE52AED00A6BBB2 /* ProgressBarEndWhite.png */ = {isa = PBXFileReference; lastKnownFileType = image.png; name = ProgressBarEndWhite.png; path = progressicons/ProgressBarEndWhite.png; sourceTree = ""; }; 44042D170BE52AED00A6BBB2 /* ProgressBarGray.png */ = {isa = PBXFileReference; lastKnownFileType = image.png; name = ProgressBarGray.png; path = progressicons/ProgressBarGray.png; sourceTree = ""; }; 44042D180BE52AED00A6BBB2 /* ProgressBarGreen.png */ = {isa = PBXFileReference; lastKnownFileType = image.png; name = ProgressBarGreen.png; path = progressicons/ProgressBarGreen.png; sourceTree = ""; }; 44042D190BE52AED00A6BBB2 /* ProgressBarLightGreen.png */ = {isa = PBXFileReference; lastKnownFileType = image.png; name = ProgressBarLightGreen.png; path = progressicons/ProgressBarLightGreen.png; sourceTree = ""; }; 44042D1A0BE52AED00A6BBB2 /* ProgressBarWhite.png */ = {isa = PBXFileReference; lastKnownFileType = image.png; name = ProgressBarWhite.png; path = progressicons/ProgressBarWhite.png; sourceTree = ""; }; 440EEAF20C03EC3D00ACAAB0 /* Change_Created.png */ = {isa = PBXFileReference; lastKnownFileType = image.png; path = Change_Created.png; sourceTree = ""; }; 440EEAF60C03F0B800ACAAB0 /* Change_Deleted.png */ = {isa = PBXFileReference; lastKnownFileType = image.png; path = Change_Deleted.png; sourceTree = ""; }; 440EEAF70C03F0B800ACAAB0 /* Change_Modified.png */ = {isa = PBXFileReference; lastKnownFileType = image.png; path = Change_Modified.png; sourceTree = ""; }; 440EEAF80C03F0B800ACAAB0 /* Change_PropsChanged.png */ = {isa = PBXFileReference; lastKnownFileType = image.png; path = Change_PropsChanged.png; sourceTree = ""; }; 445A291A0BFA5B3300E4E641 /* Outline-Deep.png */ = {isa = PBXFileReference; lastKnownFileType = image.png; path = "Outline-Deep.png"; sourceTree = ""; }; 445A29260BFA5C1200E4E641 /* Outline-Flat.png */ = {isa = PBXFileReference; lastKnownFileType = image.png; path = "Outline-Flat.png"; sourceTree = ""; }; 445A29280BFA5C1B00E4E641 /* Outline-Flattened.png */ = {isa = PBXFileReference; lastKnownFileType = image.png; path = "Outline-Flattened.png"; sourceTree = ""; }; 445A2A5B0BFAB6A100E4E641 /* ImageAndTextCell.h */ = {isa = PBXFileReference; fileEncoding = 30; lastKnownFileType = sourcecode.c.h; path = ImageAndTextCell.h; sourceTree = ""; }; 445A2A5D0BFAB6C300E4E641 /* ImageAndTextCell.m */ = {isa = PBXFileReference; fileEncoding = 30; lastKnownFileType = sourcecode.c.objc; path = ImageAndTextCell.m; sourceTree = ""; }; 449F03DE0BE00DE9003F15C8 /* Bridge.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = Bridge.h; sourceTree = ""; }; 449F03DF0BE00DE9003F15C8 /* Bridge.m */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.objc; path = Bridge.m; sourceTree = ""; }; 44A794A00BE16C380069680C /* ExceptionHandling.framework */ = {isa = PBXFileReference; lastKnownFileType = wrapper.framework; name = ExceptionHandling.framework; path = /System/Library/Frameworks/ExceptionHandling.framework; sourceTree = ""; }; 44A797F10BE3F9B70069680C /* table-mixed.tif */ = {isa = PBXFileReference; lastKnownFileType = image.tiff; path = "table-mixed.tif"; sourceTree = ""; }; 44F472AF0C0DB735006428EF /* Change_Absent.png */ = {isa = PBXFileReference; lastKnownFileType = image.png; path = Change_Absent.png; sourceTree = ""; }; 44F472B00C0DB735006428EF /* Change_Unmodified.png */ = {isa = PBXFileReference; lastKnownFileType = image.png; path = Change_Unmodified.png; sourceTree = ""; }; 690F564404F11EC300CF23A4 /* ProfileController.h */ = {isa = PBXFileReference; fileEncoding = 30; lastKnownFileType = sourcecode.c.h; path = ProfileController.h; sourceTree = ""; }; 690F564504F11EC300CF23A4 /* ProfileController.m */ = {isa = PBXFileReference; fileEncoding = 30; lastKnownFileType = sourcecode.c.objc; path = ProfileController.m; sourceTree = ""; }; 691CE180051BB44A00CF23A4 /* ProfileTableView.h */ = {isa = PBXFileReference; fileEncoding = 30; lastKnownFileType = sourcecode.c.h; path = ProfileTableView.h; sourceTree = ""; }; 691CE181051BB44A00CF23A4 /* ProfileTableView.m */ = {isa = PBXFileReference; fileEncoding = 30; lastKnownFileType = sourcecode.c.objc; path = ProfileTableView.m; sourceTree = ""; }; 69660DC604F08CC100CF23A4 /* MyController.h */ = {isa = PBXFileReference; fileEncoding = 30; lastKnownFileType = sourcecode.c.h; path = MyController.h; sourceTree = ""; }; 69660DC704F08CC100CF23A4 /* MyController.m */ = {isa = PBXFileReference; fileEncoding = 30; lastKnownFileType = sourcecode.c.objc; path = MyController.m; sourceTree = ""; }; 697985CD050CFA2D00CF23A4 /* PreferencesController.h */ = {isa = PBXFileReference; fileEncoding = 30; lastKnownFileType = sourcecode.c.h; path = PreferencesController.h; sourceTree = ""; }; 697985CE050CFA2D00CF23A4 /* PreferencesController.m */ = {isa = PBXFileReference; fileEncoding = 30; lastKnownFileType = sourcecode.c.objc; path = PreferencesController.m; sourceTree = ""; }; 69BA7DA804FD695200CF23A4 /* ReconTableView.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = ReconTableView.h; sourceTree = ""; }; 69BA7DA904FD695200CF23A4 /* ReconTableView.m */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.objc; path = ReconTableView.m; sourceTree = ""; }; 69C625CA0664E94E00B3C46A /* Unison.icns */ = {isa = PBXFileReference; lastKnownFileType = image.icns; path = Unison.icns; sourceTree = ""; }; 69C625F40664EC3300B3C46A /* Info.plist */ = {isa = PBXFileReference; lastKnownFileType = text.plist.xml; path = Info.plist; sourceTree = ""; }; 69C625F50664EC3300B3C46A /* Unison.app */ = {isa = PBXFileReference; explicitFileType = wrapper.application; includeInIndex = 0; path = Unison.app; sourceTree = BUILT_PRODUCTS_DIR; }; 69D3C6F904F1CC3700CF23A4 /* ReconItem.m */ = {isa = PBXFileReference; fileEncoding = 30; lastKnownFileType = sourcecode.c.objc; path = ReconItem.m; sourceTree = ""; }; 69D3C6FA04F1CC3700CF23A4 /* ReconItem.h */ = {isa = PBXFileReference; fileEncoding = 30; lastKnownFileType = sourcecode.c.h; path = ReconItem.h; sourceTree = ""; }; 69E407B907EB95AA00D37AA1 /* Security.framework */ = {isa = PBXFileReference; lastKnownFileType = wrapper.framework; name = Security.framework; path = /System/Library/Frameworks/Security.framework; sourceTree = ""; }; B518071209D6652100B1B21F /* add.tif */ = {isa = PBXFileReference; lastKnownFileType = image.tiff; path = add.tif; sourceTree = ""; }; B518071309D6652100B1B21F /* diff.tif */ = {isa = PBXFileReference; lastKnownFileType = image.tiff; path = diff.tif; sourceTree = ""; }; B518071409D6652100B1B21F /* go.tif */ = {isa = PBXFileReference; lastKnownFileType = image.tiff; path = go.tif; sourceTree = ""; }; B518071509D6652100B1B21F /* left.tif */ = {isa = PBXFileReference; lastKnownFileType = image.tiff; path = left.tif; sourceTree = ""; }; B518071609D6652100B1B21F /* merge.tif */ = {isa = PBXFileReference; lastKnownFileType = image.tiff; path = merge.tif; sourceTree = ""; }; B518071709D6652100B1B21F /* quit.tif */ = {isa = PBXFileReference; lastKnownFileType = image.tiff; path = quit.tif; sourceTree = ""; }; B518071809D6652100B1B21F /* restart.tif */ = {isa = PBXFileReference; lastKnownFileType = image.tiff; path = restart.tif; sourceTree = ""; }; B518071909D6652100B1B21F /* right.tif */ = {isa = PBXFileReference; lastKnownFileType = image.tiff; path = right.tif; sourceTree = ""; }; B518071A09D6652100B1B21F /* save.tif */ = {isa = PBXFileReference; lastKnownFileType = image.tiff; path = save.tif; sourceTree = ""; }; B518071B09D6652100B1B21F /* skip.tif */ = {isa = PBXFileReference; lastKnownFileType = image.tiff; path = skip.tif; sourceTree = ""; }; B554003E09C4E5A00089E1C3 /* UnisonToolbar.h */ = {isa = PBXFileReference; fileEncoding = 30; lastKnownFileType = sourcecode.c.h; path = UnisonToolbar.h; sourceTree = ""; }; B554004009C4E5AA0089E1C3 /* UnisonToolbar.m */ = {isa = PBXFileReference; fileEncoding = 30; lastKnownFileType = sourcecode.c.objc; path = UnisonToolbar.m; sourceTree = ""; }; B5B44C1109DF61A4000DC7AF /* table-conflict.tif */ = {isa = PBXFileReference; lastKnownFileType = image.tiff; path = "table-conflict.tif"; sourceTree = ""; }; B5B44C1209DF61A4000DC7AF /* table-error.tif */ = {isa = PBXFileReference; lastKnownFileType = image.tiff; path = "table-error.tif"; sourceTree = ""; }; B5B44C1309DF61A4000DC7AF /* table-left-blue.tif */ = {isa = PBXFileReference; lastKnownFileType = image.tiff; path = "table-left-blue.tif"; sourceTree = ""; }; B5B44C1409DF61A4000DC7AF /* table-left-green.tif */ = {isa = PBXFileReference; lastKnownFileType = image.tiff; path = "table-left-green.tif"; sourceTree = ""; }; B5B44C1509DF61A4000DC7AF /* table-merge.tif */ = {isa = PBXFileReference; lastKnownFileType = image.tiff; path = "table-merge.tif"; sourceTree = ""; }; B5B44C1609DF61A4000DC7AF /* table-right-blue.tif */ = {isa = PBXFileReference; lastKnownFileType = image.tiff; path = "table-right-blue.tif"; sourceTree = ""; }; B5B44C1709DF61A4000DC7AF /* table-right-green.tif */ = {isa = PBXFileReference; lastKnownFileType = image.tiff; path = "table-right-green.tif"; sourceTree = ""; }; B5B44C1809DF61A4000DC7AF /* table-skip.tif */ = {isa = PBXFileReference; lastKnownFileType = image.tiff; path = "table-skip.tif"; sourceTree = ""; }; B5E03B3809E38B9E0058C7B9 /* rescan.tif */ = {isa = PBXFileReference; lastKnownFileType = image.tiff; path = rescan.tif; sourceTree = ""; }; BBE2BCAB11355CDD00B187F2 /* BWToolkitFramework.framework */ = {isa = PBXFileReference; lastKnownFileType = wrapper.framework; name = BWToolkitFramework.framework; path = Frameworks/BWToolkitFramework.framework; sourceTree = ""; }; BBE2BCAC11355CDD00B187F2 /* Growl.framework */ = {isa = PBXFileReference; lastKnownFileType = wrapper.framework; name = Growl.framework; path = Frameworks/Growl.framework; sourceTree = ""; }; DE2444D510C294EA007E1546 /* English */ = {isa = PBXFileReference; lastKnownFileType = file.xib; name = English; path = English.lproj/MainMenu.xib; sourceTree = ""; }; /* End PBXFileReference section */ /* Begin PBXFrameworksBuildPhase section */ 69C625F10664EC3300B3C46A /* Frameworks */ = { isa = PBXFrameworksBuildPhase; buildActionMask = 2147483647; files = ( 69C625F20664EC3300B3C46A /* Cocoa.framework in Frameworks */, 69E407BA07EB95AA00D37AA1 /* Security.framework in Frameworks */, 44A794A10BE16C380069680C /* ExceptionHandling.framework in Frameworks */, 2E282CC80D9AE2B000439D01 /* unison-blob.o in Frameworks */, BBE2BCAD11355CDD00B187F2 /* BWToolkitFramework.framework in Frameworks */, BBE2BCAE11355CDD00B187F2 /* Growl.framework in Frameworks */, ); runOnlyForDeploymentPostprocessing = 0; }; /* End PBXFrameworksBuildPhase section */ /* Begin PBXGroup section */ 19C28FACFE9D520D11CA2CBB /* Products */ = { isa = PBXGroup; children = ( 69C625F50664EC3300B3C46A /* Unison.app */, ); name = Products; sourceTree = ""; }; 29B97314FDCFA39411CA2CEA /* uimac */ = { isa = PBXGroup; children = ( 44042D0F0BE52AD700A6BBB2 /* progressicons */, B5B44C1009DF61A4000DC7AF /* tableicons */, B518071109D6652000B1B21F /* toolbar */, 44A795C90BE2B91B0069680C /* Classes */, 29B97315FDCFA39411CA2CEA /* Other Sources */, 29B97317FDCFA39411CA2CEA /* Resources */, 29B97323FDCFA39411CA2CEA /* Frameworks */, 19C28FACFE9D520D11CA2CBB /* Products */, 69C625F40664EC3300B3C46A /* Info.plist */, 2E282CCC0D9AE2E800439D01 /* ExternalSettings.xcconfig */, 2E282CB80D9AE16300439D01 /* External objects */, ); name = uimac; sourceTree = ""; }; 29B97315FDCFA39411CA2CEA /* Other Sources */ = { isa = PBXGroup; children = ( 29B97316FDCFA39411CA2CEA /* main.m */, ); name = "Other Sources"; sourceTree = ""; }; 29B97317FDCFA39411CA2CEA /* Resources */ = { isa = PBXGroup; children = ( DE2444D410C294EA007E1546 /* MainMenu.xib */, 089C165CFE840E0CC02AAC07 /* InfoPlist.strings */, 69C625CA0664E94E00B3C46A /* Unison.icns */, ); name = Resources; sourceTree = ""; }; 29B97323FDCFA39411CA2CEA /* Frameworks */ = { isa = PBXGroup; children = ( 1058C7A1FEA54F0111CA2CBB /* Cocoa.framework */, BBE2BCAB11355CDD00B187F2 /* BWToolkitFramework.framework */, BBE2BCAC11355CDD00B187F2 /* Growl.framework */, 44A794A00BE16C380069680C /* ExceptionHandling.framework */, 69E407B907EB95AA00D37AA1 /* Security.framework */, ); name = Frameworks; sourceTree = ""; }; 2E282CB80D9AE16300439D01 /* External objects */ = { isa = PBXGroup; children = ( 2E282CC70D9AE2B000439D01 /* unison-blob.o */, ); name = "External objects"; sourceTree = ""; }; 44042D0F0BE52AD700A6BBB2 /* progressicons */ = { isa = PBXGroup; children = ( 44042D100BE52AED00A6BBB2 /* ProgressBarAdvanced.png */, 44042D110BE52AED00A6BBB2 /* ProgressBarBlue.png */, 44042D120BE52AED00A6BBB2 /* ProgressBarEndAdvanced.png */, 44042D130BE52AED00A6BBB2 /* ProgressBarEndBlue.png */, 44042D140BE52AED00A6BBB2 /* ProgressBarEndGray.png */, 44042D150BE52AED00A6BBB2 /* ProgressBarEndGreen.png */, 44042D160BE52AED00A6BBB2 /* ProgressBarEndWhite.png */, 44042D170BE52AED00A6BBB2 /* ProgressBarGray.png */, 44042D180BE52AED00A6BBB2 /* ProgressBarGreen.png */, 44042D190BE52AED00A6BBB2 /* ProgressBarLightGreen.png */, 44042D1A0BE52AED00A6BBB2 /* ProgressBarWhite.png */, ); name = progressicons; sourceTree = ""; }; 44A795C90BE2B91B0069680C /* Classes */ = { isa = PBXGroup; children = ( 69660DC604F08CC100CF23A4 /* MyController.h */, 69660DC704F08CC100CF23A4 /* MyController.m */, 2A3C3F7A09922D4900E404E9 /* NotificationController.h */, 2A3C3F7B09922D4900E404E9 /* NotificationController.m */, 69BA7DA804FD695200CF23A4 /* ReconTableView.h */, 69BA7DA904FD695200CF23A4 /* ReconTableView.m */, 69D3C6FA04F1CC3700CF23A4 /* ReconItem.h */, 69D3C6F904F1CC3700CF23A4 /* ReconItem.m */, 445A2A5B0BFAB6A100E4E641 /* ImageAndTextCell.h */, 445A2A5D0BFAB6C300E4E641 /* ImageAndTextCell.m */, 44042CB30BE4FC9B00A6BBB2 /* ProgressCell.h */, 44042CB40BE4FC9B00A6BBB2 /* ProgressCell.m */, 690F564404F11EC300CF23A4 /* ProfileController.h */, 690F564504F11EC300CF23A4 /* ProfileController.m */, 697985CD050CFA2D00CF23A4 /* PreferencesController.h */, 697985CE050CFA2D00CF23A4 /* PreferencesController.m */, 691CE180051BB44A00CF23A4 /* ProfileTableView.h */, 691CE181051BB44A00CF23A4 /* ProfileTableView.m */, B554003E09C4E5A00089E1C3 /* UnisonToolbar.h */, B554004009C4E5AA0089E1C3 /* UnisonToolbar.m */, 449F03DE0BE00DE9003F15C8 /* Bridge.h */, 449F03DF0BE00DE9003F15C8 /* Bridge.m */, ); name = Classes; sourceTree = ""; }; B518071109D6652000B1B21F /* toolbar */ = { isa = PBXGroup; children = ( B5E03B3809E38B9E0058C7B9 /* rescan.tif */, B518071209D6652100B1B21F /* add.tif */, B518071309D6652100B1B21F /* diff.tif */, B518071409D6652100B1B21F /* go.tif */, B518071509D6652100B1B21F /* left.tif */, B518071609D6652100B1B21F /* merge.tif */, B518071709D6652100B1B21F /* quit.tif */, B518071809D6652100B1B21F /* restart.tif */, B518071909D6652100B1B21F /* right.tif */, B518071A09D6652100B1B21F /* save.tif */, B518071B09D6652100B1B21F /* skip.tif */, ); path = toolbar; sourceTree = ""; }; B5B44C1009DF61A4000DC7AF /* tableicons */ = { isa = PBXGroup; children = ( 44F472AF0C0DB735006428EF /* Change_Absent.png */, 44F472B00C0DB735006428EF /* Change_Unmodified.png */, 440EEAF60C03F0B800ACAAB0 /* Change_Deleted.png */, 440EEAF70C03F0B800ACAAB0 /* Change_Modified.png */, 440EEAF80C03F0B800ACAAB0 /* Change_PropsChanged.png */, 440EEAF20C03EC3D00ACAAB0 /* Change_Created.png */, 44A797F10BE3F9B70069680C /* table-mixed.tif */, B5B44C1109DF61A4000DC7AF /* table-conflict.tif */, B5B44C1209DF61A4000DC7AF /* table-error.tif */, B5B44C1309DF61A4000DC7AF /* table-left-blue.tif */, B5B44C1409DF61A4000DC7AF /* table-left-green.tif */, B5B44C1509DF61A4000DC7AF /* table-merge.tif */, B5B44C1609DF61A4000DC7AF /* table-right-blue.tif */, B5B44C1709DF61A4000DC7AF /* table-right-green.tif */, B5B44C1809DF61A4000DC7AF /* table-skip.tif */, 445A291A0BFA5B3300E4E641 /* Outline-Deep.png */, 445A29260BFA5C1200E4E641 /* Outline-Flat.png */, 445A29280BFA5C1B00E4E641 /* Outline-Flattened.png */, ); path = tableicons; sourceTree = ""; }; /* End PBXGroup section */ /* Begin PBXNativeTarget section */ 69C625DD0664EC3300B3C46A /* uimac */ = { isa = PBXNativeTarget; buildConfigurationList = 2A3C3F280992245300E404E9 /* Build configuration list for PBXNativeTarget "uimac" */; buildPhases = ( 2E282CBA0D9AE17300439D01 /* Run Script (make unison-blob.o) */, 69C625E50664EC3300B3C46A /* Resources */, 69C625E90664EC3300B3C46A /* Sources */, 69C625F10664EC3300B3C46A /* Frameworks */, 2A3C3F3709922AA600E404E9 /* CopyFiles */, BB6E50CF10CAA57600E23F8A /* CopyFiles */, ); buildRules = ( ); dependencies = ( 2A124E800DE1C4E400524237 /* PBXTargetDependency */, ); name = uimac; productInstallPath = "$(HOME)/Applications"; productName = uimac; productReference = 69C625F50664EC3300B3C46A /* Unison.app */; productType = "com.apple.product-type.application"; }; /* End PBXNativeTarget section */ /* Begin PBXProject section */ 29B97313FDCFA39411CA2CEA /* Project object */ = { isa = PBXProject; buildConfigurationList = 2A3C3F2C0992245300E404E9 /* Build configuration list for PBXProject "uimacnew" */; compatibilityVersion = "Xcode 3.1"; developmentRegion = English; hasScannedForEncodings = 1; knownRegions = ( English, Japanese, French, German, ); mainGroup = 29B97314FDCFA39411CA2CEA /* uimac */; projectDirPath = ""; projectRoot = ""; targets = ( 69C625DD0664EC3300B3C46A /* uimac */, 2A124E780DE1C48400524237 /* Create ExternalSettings */, ); }; /* End PBXProject section */ /* Begin PBXResourcesBuildPhase section */ 69C625E50664EC3300B3C46A /* Resources */ = { isa = PBXResourcesBuildPhase; buildActionMask = 2147483647; files = ( 69C625E70664EC3300B3C46A /* InfoPlist.strings in Resources */, 69C625E80664EC3300B3C46A /* Unison.icns in Resources */, B518071C09D6652100B1B21F /* add.tif in Resources */, B518071D09D6652100B1B21F /* diff.tif in Resources */, B518071E09D6652100B1B21F /* go.tif in Resources */, B518071F09D6652100B1B21F /* left.tif in Resources */, B518072009D6652100B1B21F /* merge.tif in Resources */, B518072109D6652100B1B21F /* quit.tif in Resources */, B518072209D6652100B1B21F /* restart.tif in Resources */, B518072309D6652100B1B21F /* right.tif in Resources */, B518072409D6652100B1B21F /* save.tif in Resources */, B518072509D6652100B1B21F /* skip.tif in Resources */, B5B44C1909DF61A4000DC7AF /* table-conflict.tif in Resources */, B5B44C1A09DF61A4000DC7AF /* table-error.tif in Resources */, B5B44C1B09DF61A4000DC7AF /* table-left-blue.tif in Resources */, B5B44C1C09DF61A4000DC7AF /* table-left-green.tif in Resources */, B5B44C1D09DF61A4000DC7AF /* table-merge.tif in Resources */, B5B44C1E09DF61A4000DC7AF /* table-right-blue.tif in Resources */, B5B44C1F09DF61A4000DC7AF /* table-right-green.tif in Resources */, B5B44C2009DF61A4000DC7AF /* table-skip.tif in Resources */, B5E03B3909E38B9E0058C7B9 /* rescan.tif in Resources */, 44A797F40BE3F9B70069680C /* table-mixed.tif in Resources */, 44042D1B0BE52AED00A6BBB2 /* ProgressBarAdvanced.png in Resources */, 44042D1C0BE52AEE00A6BBB2 /* ProgressBarBlue.png in Resources */, 44042D1D0BE52AEE00A6BBB2 /* ProgressBarEndAdvanced.png in Resources */, 44042D1E0BE52AEE00A6BBB2 /* ProgressBarEndBlue.png in Resources */, 44042D1F0BE52AEE00A6BBB2 /* ProgressBarEndGray.png in Resources */, 44042D200BE52AEE00A6BBB2 /* ProgressBarEndGreen.png in Resources */, 44042D210BE52AEE00A6BBB2 /* ProgressBarEndWhite.png in Resources */, 44042D220BE52AEE00A6BBB2 /* ProgressBarGray.png in Resources */, 44042D230BE52AEE00A6BBB2 /* ProgressBarGreen.png in Resources */, 44042D240BE52AEE00A6BBB2 /* ProgressBarLightGreen.png in Resources */, 44042D250BE52AEE00A6BBB2 /* ProgressBarWhite.png in Resources */, 445A291B0BFA5B3300E4E641 /* Outline-Deep.png in Resources */, 445A29270BFA5C1200E4E641 /* Outline-Flat.png in Resources */, 445A29290BFA5C1B00E4E641 /* Outline-Flattened.png in Resources */, 440EEAF30C03EC3D00ACAAB0 /* Change_Created.png in Resources */, 440EEAF90C03F0B800ACAAB0 /* Change_Deleted.png in Resources */, 440EEAFA0C03F0B800ACAAB0 /* Change_Modified.png in Resources */, 440EEAFB0C03F0B800ACAAB0 /* Change_PropsChanged.png in Resources */, 44F472B10C0DB735006428EF /* Change_Absent.png in Resources */, 44F472B20C0DB735006428EF /* Change_Unmodified.png in Resources */, DE2444D610C294EA007E1546 /* MainMenu.xib in Resources */, ); runOnlyForDeploymentPostprocessing = 0; }; /* End PBXResourcesBuildPhase section */ /* Begin PBXShellScriptBuildPhase section */ 2A124E7E0DE1C4BE00524237 /* Run Script (version, ocaml lib dir) */ = { isa = PBXShellScriptBuildPhase; buildActionMask = 2147483647; files = ( ); inputPaths = ( ); name = "Run Script (version, ocaml lib dir)"; outputPaths = ( ); runOnlyForDeploymentPostprocessing = 0; shellPath = /bin/sh; shellScript = "if [ -x /usr/libexec/path_helper ]; then\n eval `/usr/libexec/path_helper -s`\nfi\nif [ ! -x ${PROJECT_DIR}/../Makefile.ProjectInfo ]; then\n if [ ! -x ${PROJECT_DIR}/../mkProjectInfo ]; then\n cd ${PROJECT_DIR}/..; ocamlc -o mkProjectInfo unix.cma str.cma mkProjectInfo.ml\n fi\n cd ${PROJECT_DIR}/..; ./mkProjectInfo > Makefile.ProjectInfo\nfi\nOCAMLLIBDIR=`ocamlc -v | tail -n -1 | sed -e 's/.* //g' | sed -e 's/\\\\\\/\\\\//g' | tr -d '\\r'`\nsource ${PROJECT_DIR}/../Makefile.ProjectInfo\necho MARKETING_VERSION = $VERSION > ${PROJECT_DIR}/ExternalSettings.xcconfig\necho OCAMLLIBDIR = $OCAMLLIBDIR >> ${PROJECT_DIR}/ExternalSettings.xcconfig"; }; 2E282CBA0D9AE17300439D01 /* Run Script (make unison-blob.o) */ = { isa = PBXShellScriptBuildPhase; buildActionMask = 2147483647; files = ( ); inputPaths = ( ); name = "Run Script (make unison-blob.o)"; outputPaths = ( ); runOnlyForDeploymentPostprocessing = 0; shellPath = /bin/sh; shellScript = "echo \"Building unison-blob.o...\"\nif [ -x /usr/libexec/path_helper ]; then\n eval `/usr/libexec/path_helper -s`\nfi\ncd ${PROJECT_DIR}/..\nmake unison-blob.o\necho \"done\""; }; /* End PBXShellScriptBuildPhase section */ /* Begin PBXSourcesBuildPhase section */ 69C625E90664EC3300B3C46A /* Sources */ = { isa = PBXSourcesBuildPhase; buildActionMask = 2147483647; files = ( 69C625EA0664EC3300B3C46A /* main.m in Sources */, 69C625EB0664EC3300B3C46A /* MyController.m in Sources */, 69C625EC0664EC3300B3C46A /* ProfileController.m in Sources */, 69C625ED0664EC3300B3C46A /* ReconItem.m in Sources */, 69C625EE0664EC3300B3C46A /* ReconTableView.m in Sources */, 69C625EF0664EC3300B3C46A /* PreferencesController.m in Sources */, 69C625F00664EC3300B3C46A /* ProfileTableView.m in Sources */, 2A3C3F7D09922D4900E404E9 /* NotificationController.m in Sources */, B554004109C4E5AA0089E1C3 /* UnisonToolbar.m in Sources */, 449F03E10BE00DE9003F15C8 /* Bridge.m in Sources */, 44042CB60BE4FC9B00A6BBB2 /* ProgressCell.m in Sources */, 445A2A5E0BFAB6C300E4E641 /* ImageAndTextCell.m in Sources */, ); runOnlyForDeploymentPostprocessing = 0; }; /* End PBXSourcesBuildPhase section */ /* Begin PBXTargetDependency section */ 2A124E800DE1C4E400524237 /* PBXTargetDependency */ = { isa = PBXTargetDependency; target = 2A124E780DE1C48400524237 /* Create ExternalSettings */; targetProxy = 2A124E7F0DE1C4E400524237 /* PBXContainerItemProxy */; }; /* End PBXTargetDependency section */ /* Begin PBXVariantGroup section */ 089C165CFE840E0CC02AAC07 /* InfoPlist.strings */ = { isa = PBXVariantGroup; children = ( 089C165DFE840E0CC02AAC07 /* English */, ); name = InfoPlist.strings; sourceTree = ""; }; DE2444D410C294EA007E1546 /* MainMenu.xib */ = { isa = PBXVariantGroup; children = ( DE2444D510C294EA007E1546 /* English */, ); name = MainMenu.xib; sourceTree = ""; }; /* End PBXVariantGroup section */ /* Begin XCBuildConfiguration section */ 2A124E790DE1C48400524237 /* Development */ = { isa = XCBuildConfiguration; buildSettings = { COPY_PHASE_STRIP = NO; GCC_DYNAMIC_NO_PIC = NO; GCC_OPTIMIZATION_LEVEL = 0; PRODUCT_NAME = "Create ExternalSettings"; }; name = Development; }; 2A124E7A0DE1C48400524237 /* Deployment */ = { isa = XCBuildConfiguration; buildSettings = { COPY_PHASE_STRIP = YES; DEBUG_INFORMATION_FORMAT = "dwarf-with-dsym"; GCC_ENABLE_FIX_AND_CONTINUE = NO; PRODUCT_NAME = "Create ExternalSettings"; ZERO_LINK = NO; }; name = Deployment; }; 2A124E7B0DE1C48400524237 /* Default */ = { isa = XCBuildConfiguration; buildSettings = { PRODUCT_NAME = "Create ExternalSettings"; }; name = Default; }; 2A3C3F290992245300E404E9 /* Development */ = { isa = XCBuildConfiguration; buildSettings = { COPY_PHASE_STRIP = NO; FRAMEWORK_SEARCH_PATHS = ( "$(FRAMEWORK_SEARCH_PATHS)", "$(SRCROOT)", "$(FRAMEWORK_SEARCH_PATHS_QUOTED_FOR_TARGET_1)", "\"$(SRCROOT)/Frameworks\"", ); FRAMEWORK_SEARCH_PATHS_QUOTED_FOR_TARGET_1 = "\"$(SRCROOT)/Frameworks\""; GCC_DYNAMIC_NO_PIC = NO; GCC_ENABLE_FIX_AND_CONTINUE = YES; GCC_ENABLE_OBJC_EXCEPTIONS = YES; GCC_GENERATE_DEBUGGING_SYMBOLS = YES; GCC_OPTIMIZATION_LEVEL = 0; GCC_PRECOMPILE_PREFIX_HEADER = YES; INFOPLIST_FILE = Info.plist; INSTALL_PATH = "$(HOME)/Applications"; LIBRARY_SEARCH_PATHS = ""; NSZombieEnabled = YES; OTHER_CFLAGS = ""; OTHER_LDFLAGS = ( "-L$(OCAMLLIBDIR)", "-lunix", "-lthreadsnat", "-lstr", "-lbigarray", "-lasmrun", ); PREBINDING = NO; PRODUCT_NAME = Unison; SECTORDER_FLAGS = ""; WARNING_CFLAGS = ( "-Wmost", "-Wno-four-char-constants", "-Wno-unknown-pragmas", ); WRAPPER_EXTENSION = app; ZERO_LINK = YES; }; name = Development; }; 2A3C3F2A0992245300E404E9 /* Deployment */ = { isa = XCBuildConfiguration; buildSettings = { COPY_PHASE_STRIP = YES; FRAMEWORK_SEARCH_PATHS = ( "$(FRAMEWORK_SEARCH_PATHS)", "$(SRCROOT)", "$(FRAMEWORK_SEARCH_PATHS_QUOTED_FOR_TARGET_1)", "\"$(SRCROOT)/Frameworks\"", ); FRAMEWORK_SEARCH_PATHS_QUOTED_FOR_TARGET_1 = "\"$(SRCROOT)/Frameworks\""; GCC_ENABLE_FIX_AND_CONTINUE = NO; GCC_ENABLE_OBJC_EXCEPTIONS = YES; GCC_PRECOMPILE_PREFIX_HEADER = YES; GCC_WARN_FOUR_CHARACTER_CONSTANTS = YES; INFOPLIST_FILE = Info.plist; INSTALL_PATH = "$(HOME)/Applications"; LIBRARY_SEARCH_PATHS = ""; OTHER_CFLAGS = ""; OTHER_LDFLAGS = ( "-L$(OCAMLLIBDIR)", "-lunix", "-lthreadsnat", "-lstr", "-lbigarray", "-lasmrun", ); PREBINDING = NO; PRODUCT_NAME = Unison; SECTORDER_FLAGS = ""; WARNING_CFLAGS = ( "-Wmost", "-Wno-four-char-constants", "-Wno-unknown-pragmas", ); WRAPPER_EXTENSION = app; ZERO_LINK = NO; }; name = Deployment; }; 2A3C3F2B0992245300E404E9 /* Default */ = { isa = XCBuildConfiguration; buildSettings = { FRAMEWORK_SEARCH_PATHS = ( "$(FRAMEWORK_SEARCH_PATHS)", "$(SRCROOT)", "$(FRAMEWORK_SEARCH_PATHS_QUOTED_FOR_TARGET_1)", "\"$(SRCROOT)/Frameworks\"", ); FRAMEWORK_SEARCH_PATHS_QUOTED_FOR_TARGET_1 = "\"$(SRCROOT)/Frameworks\""; GCC_ENABLE_OBJC_EXCEPTIONS = YES; GCC_PRECOMPILE_PREFIX_HEADER = YES; INFOPLIST_FILE = Info.plist; INSTALL_PATH = "$(HOME)/Applications"; LIBRARY_SEARCH_PATHS = ""; OTHER_CFLAGS = ""; OTHER_LDFLAGS = ( "-L$(OCAMLLIBDIR)", "-lunix", "-lthreadsnat", "-lstr", "-lbigarray", "-lasmrun", ); PREBINDING = NO; PRODUCT_NAME = Unison; SECTORDER_FLAGS = ""; WARNING_CFLAGS = ( "-Wmost", "-Wno-four-char-constants", "-Wno-unknown-pragmas", ); WRAPPER_EXTENSION = app; ZERO_LINK = NO; }; name = Default; }; 2A3C3F2D0992245300E404E9 /* Development */ = { isa = XCBuildConfiguration; baseConfigurationReference = 2E282CCC0D9AE2E800439D01 /* ExternalSettings.xcconfig */; buildSettings = { ARCHS = "$(ARCHS_STANDARD_64_BIT)"; FRAMEWORK_SEARCH_PATHS = "Frameworks/**"; LIBRARY_SEARCH_PATHS = ""; SDKROOT = macosx10.5; USER_HEADER_SEARCH_PATHS = $OCAMLLIBDIR; }; name = Development; }; 2A3C3F2E0992245300E404E9 /* Deployment */ = { isa = XCBuildConfiguration; baseConfigurationReference = 2E282CCC0D9AE2E800439D01 /* ExternalSettings.xcconfig */; buildSettings = { ARCHS = "$(ARCHS_STANDARD_64_BIT)"; FRAMEWORK_SEARCH_PATHS = "Frameworks/**"; LIBRARY_SEARCH_PATHS = ""; SDKROOT = macosx10.5; USER_HEADER_SEARCH_PATHS = $OCAMLLIBDIR; }; name = Deployment; }; 2A3C3F2F0992245300E404E9 /* Default */ = { isa = XCBuildConfiguration; baseConfigurationReference = 2E282CCC0D9AE2E800439D01 /* ExternalSettings.xcconfig */; buildSettings = { ARCHS = "$(ARCHS_STANDARD_64_BIT)"; FRAMEWORK_SEARCH_PATHS = "Frameworks/**"; LIBRARY_SEARCH_PATHS = ""; SDKROOT = macosx10.5; USER_HEADER_SEARCH_PATHS = $OCAMLLIBDIR; }; name = Default; }; /* End XCBuildConfiguration section */ /* Begin XCConfigurationList section */ 2A124E7C0DE1C4A200524237 /* Build configuration list for PBXAggregateTarget "Create ExternalSettings" */ = { isa = XCConfigurationList; buildConfigurations = ( 2A124E790DE1C48400524237 /* Development */, 2A124E7A0DE1C48400524237 /* Deployment */, 2A124E7B0DE1C48400524237 /* Default */, ); defaultConfigurationIsVisible = 0; defaultConfigurationName = Default; }; 2A3C3F280992245300E404E9 /* Build configuration list for PBXNativeTarget "uimac" */ = { isa = XCConfigurationList; buildConfigurations = ( 2A3C3F290992245300E404E9 /* Development */, 2A3C3F2A0992245300E404E9 /* Deployment */, 2A3C3F2B0992245300E404E9 /* Default */, ); defaultConfigurationIsVisible = 0; defaultConfigurationName = Default; }; 2A3C3F2C0992245300E404E9 /* Build configuration list for PBXProject "uimacnew" */ = { isa = XCConfigurationList; buildConfigurations = ( 2A3C3F2D0992245300E404E9 /* Development */, 2A3C3F2E0992245300E404E9 /* Deployment */, 2A3C3F2F0992245300E404E9 /* Default */, ); defaultConfigurationIsVisible = 0; defaultConfigurationName = Default; }; /* End XCConfigurationList section */ }; rootObject = 29B97313FDCFA39411CA2CEA /* Project object */; } unison-2.40.102/uimacnew09/progressicons/0000755006131600613160000000000012050210654020251 5ustar bcpiercebcpierceunison-2.40.102/uimacnew09/progressicons/ProgressBarWhite.png0000644006131600613160000000023011361646373024223 0ustar bcpiercebcpiercePNG  IHDR ,@gAMAOX2tEXtSoftwareAdobe ImageReadyqe<*IDATc8q,ϟQOΞpM{2yj fyIENDB`unison-2.40.102/uimacnew09/progressicons/ProgressBarGreen.png0000644006131600613160000000022711361646373024211 0ustar bcpiercebcpiercePNG  IHDR ,@gAMAOX2tEXtSoftwareAdobe ImageReadyqe<)IDATcZgP8gbf`rșH0{))IENDB`unison-2.40.102/uimacnew09/progressicons/ProgressBarEndBlue.png0000644006131600613160000000017511361646373024471 0ustar bcpiercebcpiercePNG  IHDR ,@gAMAOX2tEXtSoftwareAdobe ImageReadyqe<IDATcpz@?IENDB`unison-2.40.102/uimacnew09/progressicons/ProgressBarEndAdvanced.png0000644006131600613160000000017311361646373025305 0ustar bcpiercebcpiercePNG  IHDR  gAMAOX2tEXtSoftwareAdobe ImageReadyqe< IDATc`Pc PIENDB`unison-2.40.102/uimacnew09/progressicons/ProgressBarEndGray.png0000644006131600613160000000017311361646373024502 0ustar bcpiercebcpiercePNG  IHDR gAMAOX2tEXtSoftwareAdobe ImageReadyqe< IDATc€SXIIENDB`unison-2.40.102/uimacnew09/progressicons/ProgressBarLightGreen.png0000644006131600613160000000542411361646373025205 0ustar bcpiercebcpiercePNG  IHDR ,@ pHYs   OiCCPPhotoshop ICC profilexڝSgTS=BKKoR RB&*! J!QEEȠQ, !{kּ> H3Q5 B.@ $pd!s#~<<+"x M0B\t8K@zB@F&S`cbP-`'{[! eDh;VEX0fK9-0IWfH  0Q){`##xFW<+*x<$9E[-qWW.(I+6aa@.y24x6_-"bbϫp@t~,/;m%h^ uf@Wp~<5j>{-]cK'Xto(hw?G%fIq^D$.Tʳ?D*A, `6B$BB dr`)B(Ͱ*`/@4Qhp.U=pa( Aa!ڈbX#!H$ ɈQ"K5H1RT UH=r9\F;2G1Q= C7F dt1r=6Ыhڏ>C03l0.B8, c˱" VcϱwE 6wB aAHXLXNH $4 7 Q'"K&b21XH,#/{C7$C2'ITFnR#,4H#dk9, +ȅ3![ b@qS(RjJ4e2AURݨT5ZBRQ4u9̓IKhhitݕNWGw Ljg(gwLӋT071oUX**| J&*/Tު UUT^S}FU3S ԖUPSSg;goT?~YYLOCQ_ cx,!k u5&|v*=9C3J3WRf?qtN (~))4L1e\kXHQG6EYAJ'\'GgSSݧ M=:.kDwn^Loy}/TmG X $ <5qo</QC]@Caaᄑ.ȽJtq]zۯ6iܟ4)Y3sCQ? 0k߬~OCOg#/c/Wװwa>>r><72Y_7ȷOo_C#dz%gA[z|!?:eAAA!h쐭!ΑiP~aa~ 'W?pX15wCsDDDޛg1O9-J5*>.j<74?.fYXXIlK9.*6nl {/]py.,:@LN8A*%w% yg"/6шC\*NH*Mz쑼5y$3,幄'L Lݛ:v m2=:1qB!Mggfvˬen/kY- BTZ(*geWf͉9+̳ې7ᒶKW-X潬j9(xoʿܔĹdff-[n ڴ VE/(ۻCɾUUMfeI?m]Nmq#׹=TR+Gw- 6 U#pDy  :v{vg/jBFS[b[O>zG499?rCd&ˮ/~јѡ򗓿m|x31^VwwO| (hSЧc3-gAMA|Q cHRMz%u0`:o_F/IDATxbZgư ^!uC U1h3 ,IENDB`unison-2.40.102/uimacnew09/progressicons/ProgressBarEndWhite.png0000644006131600613160000000017511361646373024662 0ustar bcpiercebcpiercePNG  IHDR ,@gAMAOX2tEXtSoftwareAdobe ImageReadyqe<IDATc8q, uL{1IENDB`unison-2.40.102/uimacnew09/progressicons/ProgressBarEndGreen.png0000644006131600613160000000017511361646373024642 0ustar bcpiercebcpiercePNG  IHDR ,@gAMAOX2tEXtSoftwareAdobe ImageReadyqe<IDATcZg@/o mCkIENDB`unison-2.40.102/uimacnew09/progressicons/ProgressBarBlue.png0000644006131600613160000000022711361646373024040 0ustar bcpiercebcpiercePNG  IHDR ,@gAMAOX2tEXtSoftwareAdobe ImageReadyqe<)IDATcpzǐ _CO Qk2d @(g+XIENDB`unison-2.40.102/uimacnew09/progressicons/ProgressBarAdvanced.png0000644006131600613160000000021611361646373024654 0ustar bcpiercebcpiercePNG  IHDR  gAMAOX2tEXtSoftwareAdobe ImageReadyqe< IDATc`PcR1Wbo? nIENDB`unison-2.40.102/uimacnew09/progressicons/ProgressBarGray.png0000644006131600613160000000021011361646373024043 0ustar bcpiercebcpiercePNG  IHDR gAMAOX2tEXtSoftwareAdobe ImageReadyqe<IDATc° 0`ǰa=N`5{~IENDB`unison-2.40.102/uimacnew09/PreferencesController.m0000644006131600613160000000545311361646373022062 0ustar bcpiercebcpierce#import "PreferencesController.h" #import "Bridge.h" @implementation PreferencesController - (void)reset { [profileNameText setStringValue:@""]; [firstRootText setStringValue:@""]; [secondRootUser setStringValue:@""]; [secondRootHost setStringValue:@""]; [secondRootText setStringValue:@""]; [remoteButtonCell setState:NSOnState]; [localButtonCell setState:NSOffState]; [secondRootUser setSelectable:YES]; [secondRootUser setEditable:YES]; [secondRootHost setSelectable:YES]; [secondRootHost setEditable:YES]; } - (BOOL)validatePrefs { NSString *profileName = [profileNameText stringValue]; if (profileName == nil | [profileName isEqualTo:@""]) { // FIX: should check for already existing names too NSRunAlertPanel(@"Error",@"You must enter a profile name",@"OK",nil,nil); return NO; } NSString *firstRoot = [firstRootText stringValue]; if (firstRoot == nil | [firstRoot isEqualTo:@""]) { NSRunAlertPanel(@"Error",@"You must enter a first root",@"OK",nil,nil); return NO; } NSString *secondRoot; if ([remoteButtonCell state] == NSOnState) { NSString *user = [secondRootUser stringValue]; if (user == nil | [user isEqualTo:@""]) { NSRunAlertPanel(@"Error",@"You must enter a user",@"OK",nil,nil); return NO; } NSString *host = [secondRootHost stringValue]; if (host == nil | [host isEqualTo:@""]) { NSRunAlertPanel(@"Error",@"You must enter a host",@"OK",nil,nil); return NO; } NSString *file = [secondRootText stringValue]; // OK for empty file, e.g., ssh://foo@bar/ secondRoot = [NSString stringWithFormat:@"ssh://%@@%@/%@",user,host,file]; } else { secondRoot = [secondRootText stringValue]; if (secondRoot == nil | [secondRoot isEqualTo:@""]) { NSRunAlertPanel(@"Error",@"You must enter a second root file",@"OK",nil,nil); return NO; } } ocamlCall("xSSS", "unisonProfileInit", profileName, firstRoot, secondRoot); return YES; } /* The target when enter is pressed in any of the text fields */ // FIX: this is broken, it takes tab, mouse clicks, etc. - (IBAction)anyEnter:(id)sender { NSLog(@"enter"); [self validatePrefs]; } - (IBAction)localClick:(id)sender { NSLog(@"local"); [secondRootUser setStringValue:@""]; [secondRootHost setStringValue:@""]; [secondRootUser setSelectable:NO]; [secondRootUser setEditable:NO]; [secondRootHost setSelectable:NO]; [secondRootHost setEditable:NO]; } - (IBAction)remoteClick:(id)sender { NSLog(@"remote"); [secondRootUser setSelectable:YES]; [secondRootUser setEditable:YES]; [secondRootHost setSelectable:YES]; [secondRootHost setEditable:YES]; } @end unison-2.40.102/uimacnew09/ProgressCell.m0000644006131600613160000001453511361646373020162 0ustar bcpiercebcpierce/****************************************************************************** * Copyright 2008 (see file COPYING for more information) * * Loosely based on TorrentCell from Transmission (.png files are from * the original). *****************************************************************************/ #import "ProgressCell.h" #define BAR_HEIGHT 12.0 static NSImage *_ProgressWhite, *_ProgressBlue, *_ProgressGray, *_ProgressGreen, *_ProgressAdvanced, *_ProgressEndWhite, *_ProgressEndBlue, *_ProgressEndGray, *_ProgressEndGreen, *_ProgressLightGreen, *_ProgressEndAdvanced, * _ErrorImage; static NSSize ZeroSize; @implementation ProgressCell + (void) initialize { NSSize startSize = NSMakeSize(100.0, BAR_HEIGHT); ZeroSize = NSMakeSize(0.0, 0.0); _ProgressWhite = [NSImage imageNamed: @"ProgressBarWhite.png"]; [_ProgressWhite setScalesWhenResized: YES]; _ProgressBlue = [NSImage imageNamed: @"ProgressBarBlue.png"]; [_ProgressBlue setScalesWhenResized: YES]; [_ProgressBlue setSize: startSize]; _ProgressGray = [NSImage imageNamed: @"ProgressBarGray.png"]; [_ProgressGray setScalesWhenResized: YES]; [_ProgressGray setSize: startSize]; _ProgressGreen = [NSImage imageNamed: @"ProgressBarGreen.png"]; [_ProgressGreen setScalesWhenResized: YES]; _ProgressLightGreen = [NSImage imageNamed: @"ProgressBarLightGreen.png"]; [_ProgressLightGreen setScalesWhenResized: YES]; _ProgressAdvanced = [NSImage imageNamed: @"ProgressBarAdvanced.png"]; [_ProgressAdvanced setScalesWhenResized: YES]; _ProgressEndWhite = [NSImage imageNamed: @"ProgressBarEndWhite.png"]; _ProgressEndBlue = [NSImage imageNamed: @"ProgressBarEndBlue.png"]; _ProgressEndGray = [NSImage imageNamed: @"ProgressBarEndGray.png"]; _ProgressEndGreen = [NSImage imageNamed: @"ProgressBarEndGreen.png"]; _ProgressEndAdvanced = [NSImage imageNamed: @"ProgressBarEndAdvanced.png"]; _ErrorImage = [[NSImage imageNamed: @"Error.tiff"] copy]; [_ErrorImage setFlipped: YES]; } - (id)init { self = [super init]; _minVal = 0.0; _maxVal = 100.0; _isActive = YES; return self; } // BCP: Removed (11/09) per Onne Gorter // - (void)dealloc // { // [_icon release]; // [_statusString release]; // [super dealloc]; // } - (void)setStatusString:(NSString *)string { // BCP: Removed (11/09) per Onne Gorter // [_statusString autorelease]; // _statusString = [string retain]; // Added: _statusString = string; } - (void)setIcon:(NSImage *)image { // BCP: Removed (11/09) per Onne Gorter // [_icon autorelease]; // _icon = [image retain]; // Added: _icon = image; } - (void)setIsActive:(BOOL)yn { _isActive = yn; } - (void)drawBarImage:(NSImage *)barImage width:(float)width point:(NSPoint)point { if (width <= 0.0) return; if ([barImage size].width < width) [barImage setSize: NSMakeSize(width * 2.0, BAR_HEIGHT)]; [barImage compositeToPoint: point fromRect: NSMakeRect(0, 0, width, BAR_HEIGHT) operation: NSCompositeSourceOver]; } - (void)drawBar:(float)width point:(NSPoint)point { id objectValue = [self objectValue]; if (!objectValue) return; float value = [objectValue floatValue]; float progress = (value - _minVal)/ (_maxVal - _minVal); width -= 2.0; float completedWidth, remainingWidth = 0.0; //bar images and widths NSImage * barLeftEnd, * barRightEnd, * barComplete, * barRemaining; if (progress >= 1.0) { completedWidth = width; barLeftEnd = _ProgressEndGreen; barRightEnd = _ProgressEndGreen; barComplete = _ProgressGreen; barRemaining = _ProgressLightGreen; } else { completedWidth = progress * width; remainingWidth = width - completedWidth; barLeftEnd = (remainingWidth == width) ? _ProgressEndWhite : ((_isActive) ? _ProgressEndBlue : _ProgressEndGray); barRightEnd = (completedWidth < width) ? _ProgressEndWhite : ((_isActive) ? _ProgressEndBlue : _ProgressEndGray); barComplete = _isActive ? _ProgressBlue : _ProgressGray; barRemaining = _ProgressWhite; } [barLeftEnd compositeToPoint: point operation: NSCompositeSourceOver]; point.x += 1.0; [self drawBarImage: barComplete width: completedWidth point: point]; point.x += completedWidth; [self drawBarImage: barRemaining width: remainingWidth point: point]; point.x += remainingWidth; [barRightEnd compositeToPoint: point operation: NSCompositeSourceOver]; } - (void)drawWithFrame:(NSRect)cellFrame inView:(NSView *)view { NSPoint pen = cellFrame.origin; const float PADDING = 3.0; // progress bar pen.y += PADDING + BAR_HEIGHT; float mainWidth = cellFrame.size.width; float barWidth = mainWidth; [self drawBar: barWidth point: pen]; //icon NSImage * image = _isError ? _ErrorImage : _icon; if (image) { NSSize imageSize = [image size]; NSRect imageFrame; imageFrame.origin = cellFrame.origin; imageFrame.size = imageSize; imageFrame.origin.x += ceil((cellFrame.size.width - imageSize.width) / 2); imageFrame.origin.y += [view isFlipped] ? ceil((cellFrame.size.height + imageSize.height) / 2) : ceil((cellFrame.size.height - imageSize.height) / 2); [image compositeToPoint:imageFrame.origin operation:NSCompositeSourceOver]; } // status string if (_statusString) { BOOL highlighted = [self isHighlighted] && [[self highlightColorWithFrame: cellFrame inView: view] isEqual: [NSColor alternateSelectedControlColor]]; NSMutableParagraphStyle * paragraphStyle = [[NSParagraphStyle defaultParagraphStyle] mutableCopy]; [paragraphStyle setLineBreakMode: NSLineBreakByTruncatingTail]; NSDictionary * statusAttributes = [[NSDictionary alloc] initWithObjectsAndKeys: highlighted ? [NSColor whiteColor] : [NSColor darkGrayColor], NSForegroundColorAttributeName, [NSFont boldSystemFontOfSize: 9.0], NSFontAttributeName, paragraphStyle, NSParagraphStyleAttributeName, nil]; [paragraphStyle release]; NSSize statusSize = [_statusString sizeWithAttributes: statusAttributes]; pen = cellFrame.origin; pen.x += (cellFrame.size.width - statusSize.width) * 0.5; pen.y += (cellFrame.size.height - statusSize.height) * 0.5; [_statusString drawInRect: NSMakeRect(pen.x, pen.y, statusSize.width, statusSize.height) withAttributes: statusAttributes]; [statusAttributes release]; } } @end unison-2.40.102/uimacnew09/ProfileController.m0000644006131600613160000000451311361646373021215 0ustar bcpiercebcpierce/* Copyright (c) 2003, see file COPYING for details. */ #import "ProfileController.h" #import "Bridge.h" @implementation ProfileController NSString *unisonDirectory() { return (NSString *)ocamlCall("S", "unisonDirectory"); } - (void)initProfiles { NSString *directory = unisonDirectory(); #if MAC_OS_X_VERSION_MIN_REQUIRED < MAC_OS_X_VERSION_10_5 NSArray *files = [[NSFileManager defaultManager] directoryContentsAtPath:directory]; #else NSArray *files = [[NSFileManager defaultManager] contentsOfDirectoryAtPath:directory error:nil]; #endif unsigned int count = [files count]; unsigned int i,j; [profiles release]; profiles = [[NSMutableArray alloc] init]; defaultIndex = -1; for (i = j = 0; i < count; i++) { NSString *file = [files objectAtIndex:i]; if ([[file pathExtension] isEqualTo:@"prf"]) { NSString *withoutExtension = [file stringByDeletingPathExtension]; [profiles insertObject:withoutExtension atIndex:j]; if ([@"default" isEqualTo:withoutExtension]) defaultIndex = j; j++; } } if (j > 0) [tableView selectRowIndexes:[NSIndexSet indexSetWithIndex:0] byExtendingSelection:NO]; } - (void)awakeFromNib { // start with the default profile selected [self initProfiles]; if (defaultIndex >= 0) [tableView selectRowIndexes:[NSIndexSet indexSetWithIndex:defaultIndex] byExtendingSelection:NO]; // on awake the scroll bar is inactive, but after adding profiles we might need it; // reloadData makes it happen. Q: is setNeedsDisplay more efficient? [tableView reloadData]; } - (int)numberOfRowsInTableView:(NSTableView *)aTableView { if (!profiles) return 0; else return [profiles count]; } - (id)tableView:(NSTableView *)aTableView objectValueForTableColumn:(NSTableColumn *)aTableColumn row:(int)rowIndex { if (rowIndex >= 0 && rowIndex < [profiles count]) return [profiles objectAtIndex:rowIndex]; else return @"[internal error!]"; } - (NSString *)selected { int rowIndex = [tableView selectedRow]; if (rowIndex >= 0 && rowIndex < [profiles count]) return [profiles objectAtIndex:rowIndex]; else return @"[internal error!]"; } - (NSTableView *)tableView { return tableView; } - (NSMutableArray*)getProfiles { return profiles; } @end unison-2.40.102/uimacnew09/Info.plist.template0000644006131600613160000000211711361646373021153 0ustar bcpiercebcpierce CFBundleName Unison CFBundleDevelopmentRegion English CFBundleExecutable Unison CFBundleIconFile Unison.icns CFBundleIdentifier edu.upenn.cis.Unison CFBundleInfoDictionaryVersion 6.0 CFBundlePackageType APPL CFBundleSignature ???? CFBundleVersion @@VERSION@@ CFBundleShortVersionString @@VERSION@@ CFBundleGetInfoString @@VERSION@@. ©1999-2007, licensed under GNU GPL. NSHumanReadableCopyright ©1999-2006, licensed under GNU GPL. NSMainNibFile MainMenu NSPrincipalClass NSApplication unison-2.40.102/uimacnew09/ProfileTableView.m0000644006131600613160000000160111361646373020747 0ustar bcpiercebcpierce#import "MyController.h" #import "ProfileTableView.h" @implementation ProfileTableView - (void)keyDown:(NSEvent *)event { /* some keys return zero-length strings */ if ([[event characters] length] == 0) { [super keyDown:event]; return; } unichar c = [[event characters] characterAtIndex:0]; switch (c) { case '\r': [myController openButton:self]; break; default: [super keyDown:event]; break; } } /* Override default highlight colour to match ReconTableView */ - (id)_highlightColorForCell:(NSCell *)cell { if(([[self window] firstResponder] == self) && [[self window] isMainWindow] && [[self window] isKeyWindow]) return [NSColor colorWithCalibratedRed:0.7 green:0.75 blue:0.8 alpha:1.0]; else return [NSColor colorWithCalibratedRed:0.8 green:0.8 blue:0.8 alpha:1.0]; } @end unison-2.40.102/uimacnew09/PreferencesController.h0000644006131600613160000000104411361646373022045 0ustar bcpiercebcpierce/* PreferencesController */ #import @interface PreferencesController : NSObject { IBOutlet NSTextField *firstRootText; IBOutlet NSButtonCell *localButtonCell; IBOutlet NSTextField *profileNameText; IBOutlet NSButtonCell *remoteButtonCell; IBOutlet NSTextField *secondRootHost; IBOutlet NSTextField *secondRootText; IBOutlet NSTextField *secondRootUser; } - (IBAction)anyEnter:(id)sender; - (IBAction)localClick:(id)sender; - (IBAction)remoteClick:(id)sender; - (BOOL)validatePrefs; - (void)reset; @end unison-2.40.102/uimacnew09/ProfileController.h0000644006131600613160000000120411361646373021202 0ustar bcpiercebcpierce/* ProfileController */ /* Copyright (c) 2003, see file COPYING for details. */ #import @interface ProfileController : NSObject { IBOutlet NSTableView *tableView; NSMutableArray *profiles; int defaultIndex; // -1 if no default, else the index in profiles of @"default" } - (void)initProfiles; - (int)numberOfRowsInTableView:(NSTableView *)aTableView; - (id)tableView:(NSTableView *)aTableView objectValueForTableColumn:(NSTableColumn *)aTableColumn row:(int)rowIndex; - (NSString *)selected; - (NSTableView *)tableView; // allows MyController to set up firstResponder - (NSMutableArray*) getProfiles; @end unison-2.40.102/uimacnew09/ProgressCell.h0000644006131600613160000000056111361646373020147 0ustar bcpiercebcpierce#import @interface ProgressCell : NSCell { float _minVal, _maxVal; // defaults to 0.0, 100.0 BOOL _isActive; BOOL _useFullView; // default: NO BOOL _isError; // default: NO NSImage *_icon; NSString *_statusString; } - (void)setStatusString:(NSString *)string; - (void)setIcon:(NSImage *)image; - (void)setIsActive:(BOOL)yn; @end unison-2.40.102/uimacnew09/ProfileTableView.h0000644006131600613160000000024311361646373020743 0ustar bcpiercebcpierce/* ProfileTableView */ #import @class MyController; @interface ProfileTableView : NSTableView { IBOutlet MyController *myController; } @end unison-2.40.102/uimacnew09/UnisonToolbar.m0000644006131600613160000002010411361646373020341 0ustar bcpiercebcpierce// // UnisonToolbar.h // // Extended NSToolbar with several views // // Created by Ben Willmore on Sun March 12 2006. // Copyright (c) 2006, licensed under GNU GPL. // #import "UnisonToolbar.h" #import "MyController.h" static NSString* QuitItemIdentifier = @"Quit"; static NSString* OpenItemIdentifier = @"Open"; static NSString* NewItemIdentifier = @"New"; static NSString* GoItemIdentifier = @"Go"; static NSString* CancelItemIdentifier = @"Cancel"; static NSString* SaveItemIdentifier = @"Save"; static NSString* RestartItemIdentifier = @"Restart"; static NSString* RescanItemIdentifier = @"Rescan"; static NSString* RToLItemIdentifier = @"RToL"; static NSString* MergeItemIdentifier = @"Merge"; static NSString* LToRItemIdentifier = @"LToR"; static NSString* SkipItemIdentifier = @"Skip"; static NSString* DiffItemIdentifier = @"Diff"; static NSString* TableModeIdentifier = @"TableMode"; @implementation UnisonToolbar - initWithIdentifier:(NSString *) identifier :(MyController *) aController :(ReconTableView *) aTableView { if ((self = [super initWithIdentifier: identifier])) { [self setAllowsUserCustomization: NO]; [self setAutosavesConfiguration: NO]; [self setDelegate: self]; myController = aController; tableView = aTableView; currentView = @""; } return self; } - (void)takeTableModeView:(NSView *)view { tableModeView = [view retain]; [view setHidden:YES]; } - (NSToolbarItem *) toolbar: (NSToolbar *)toolbar itemForItemIdentifier: (NSString *) itemIdent willBeInsertedIntoToolbar:(BOOL) willBeInserted { NSToolbarItem *toolbarItem = [[[NSToolbarItem alloc] initWithItemIdentifier: itemIdent] autorelease]; if ([itemIdent isEqual: QuitItemIdentifier]) { [toolbarItem setLabel: @"Quit"]; [toolbarItem setImage: [NSImage imageNamed: @"quit.tif"]]; [toolbarItem setTarget:NSApp]; [toolbarItem setAction:@selector(terminate:)]; } else if ([itemIdent isEqual: OpenItemIdentifier]) { [toolbarItem setLabel: @"Open"]; [toolbarItem setImage: [NSImage imageNamed: @"go.tif"]]; [toolbarItem setTarget:myController]; [toolbarItem setAction:@selector(openButton:)]; } else if ([itemIdent isEqual: NewItemIdentifier]) { [toolbarItem setLabel: @"New"]; [toolbarItem setImage: [NSImage imageNamed: @"add.tif"]]; [toolbarItem setTarget:myController]; [toolbarItem setAction:@selector(createButton:)]; } else if ([itemIdent isEqual: CancelItemIdentifier]) { [toolbarItem setLabel: @"Cancel"]; [toolbarItem setImage: [NSImage imageNamed: @"restart.tif"]]; [toolbarItem setTarget:myController]; [toolbarItem setAction:@selector(chooseProfiles)]; } else if ([itemIdent isEqual: SaveItemIdentifier]) { [toolbarItem setLabel: @"Save"]; [toolbarItem setImage: [NSImage imageNamed: @"save.tif"]]; [toolbarItem setTarget:myController]; [toolbarItem setAction:@selector(saveProfileButton:)]; } else if ([itemIdent isEqual: GoItemIdentifier]) { [toolbarItem setLabel: @"Go"]; [toolbarItem setImage: [NSImage imageNamed: @"go.tif"]]; [toolbarItem setTarget:myController]; [toolbarItem setAction:@selector(syncButton:)]; } else if ([itemIdent isEqual: RestartItemIdentifier]) { [toolbarItem setLabel: @"Restart"]; [toolbarItem setImage: [NSImage imageNamed: @"restart.tif"]]; [toolbarItem setTarget:myController]; [toolbarItem setAction:@selector(restartButton:)]; } else if ([itemIdent isEqual: RescanItemIdentifier]) { [toolbarItem setLabel: @"Rescan"]; [toolbarItem setImage: [NSImage imageNamed: @"rescan.tif"]]; [toolbarItem setTarget:myController]; [toolbarItem setAction:@selector(rescan:)]; } else if ([itemIdent isEqual: RToLItemIdentifier]) { [toolbarItem setLabel: @"Right to left"]; [toolbarItem setImage: [NSImage imageNamed: @"left.tif"]]; [toolbarItem setTarget:tableView]; [toolbarItem setAction:@selector(copyRL:)]; } else if ([itemIdent isEqual: MergeItemIdentifier]) { [toolbarItem setLabel: @"Merge"]; [toolbarItem setImage: [NSImage imageNamed: @"merge.tif"]]; [toolbarItem setTarget:tableView]; [toolbarItem setAction:@selector(merge:)]; } else if ([itemIdent isEqual: LToRItemIdentifier]) { [toolbarItem setLabel: @"Left to right"]; [toolbarItem setImage: [NSImage imageNamed: @"right.tif"]]; [toolbarItem setTarget:tableView]; [toolbarItem setAction:@selector(copyLR:)]; } else if ([itemIdent isEqual: SkipItemIdentifier]) { [toolbarItem setLabel: @"Skip"]; [toolbarItem setImage: [NSImage imageNamed: @"skip.tif"]]; [toolbarItem setTarget:tableView]; [toolbarItem setAction:@selector(leaveAlone:)]; } else if ([itemIdent isEqual: DiffItemIdentifier]) { [toolbarItem setLabel: @"Diff"]; [toolbarItem setImage: [NSImage imageNamed: @"diff.tif"]]; [toolbarItem setTarget:tableView]; [toolbarItem setAction:@selector(showDiff:)]; } else if ([itemIdent isEqual: TableModeIdentifier]) { [toolbarItem setLabel:@"Layout"]; [toolbarItem setToolTip:@"Switch table nesting"]; [tableModeView setHidden:NO]; [toolbarItem setView:tableModeView]; //[toolbarItem setMinSize:NSMakeSize(NSWidth([tableModeView frame]),NSHeight([tableModeView frame])+10)]; //[toolbarItem setMaxSize:NSMakeSize(NSWidth([tableModeView frame]),NSHeight([tableModeView frame])+10)]; } return toolbarItem; } - (NSArray *) itemIdentifiersForView: (NSString *) whichView { if ([whichView isEqual: @"chooseProfileView"]) { return [NSArray arrayWithObjects: QuitItemIdentifier, NewItemIdentifier, OpenItemIdentifier, nil]; } else if ([whichView isEqual: @"preferencesView"]) { return [NSArray arrayWithObjects: QuitItemIdentifier, SaveItemIdentifier, CancelItemIdentifier, nil]; } else if ([whichView isEqual: @"ConnectingView"]) { return [NSArray arrayWithObjects: QuitItemIdentifier, nil]; } else if ([whichView isEqual: @"updatesView"]) { return [NSArray arrayWithObjects: QuitItemIdentifier, RestartItemIdentifier, NSToolbarSeparatorItemIdentifier, GoItemIdentifier, RescanItemIdentifier, NSToolbarSeparatorItemIdentifier, RToLItemIdentifier, MergeItemIdentifier, LToRItemIdentifier, SkipItemIdentifier, NSToolbarSeparatorItemIdentifier, DiffItemIdentifier, TableModeIdentifier, nil]; } else { return [NSArray arrayWithObjects: QuitItemIdentifier, Nil]; } } - (NSArray *) toolbarDefaultItemIdentifiers: (NSToolbar *) toolbar { return [NSArray arrayWithObjects: QuitItemIdentifier, NewItemIdentifier, OpenItemIdentifier, nil]; } - (NSArray *) toolbarAllowedItemIdentifiers: (NSToolbar *) toolbar { return [NSArray arrayWithObjects: QuitItemIdentifier, OpenItemIdentifier, NewItemIdentifier, CancelItemIdentifier, SaveItemIdentifier, GoItemIdentifier, RestartItemIdentifier, RescanItemIdentifier, RToLItemIdentifier, MergeItemIdentifier, LToRItemIdentifier, SkipItemIdentifier, DiffItemIdentifier, NSToolbarSeparatorItemIdentifier, nil]; } - (void) setView: (NSString *) whichView { if ([whichView isEqual:currentView]) return; currentView = whichView; int i; NSArray *identifiers; NSString *oldIdentifier; NSString *newIdentifier; identifiers=[self itemIdentifiersForView:whichView]; for (i=0; i<[identifiers count]; i++) { newIdentifier = [identifiers objectAtIndex:i]; if (i<[[self items] count]) { oldIdentifier = [[[self items] objectAtIndex:i] itemIdentifier]; if ([newIdentifier isEqual: oldIdentifier] ) { [[[self items] objectAtIndex:i] setEnabled:YES]; } else { [self removeItemAtIndex:i]; [self insertItemWithItemIdentifier:newIdentifier atIndex:i]; } } else { [self insertItemWithItemIdentifier:newIdentifier atIndex:i]; } } while ([[self items] count] > [identifiers count]) { [self removeItemAtIndex:[identifiers count]]; } } @end unison-2.40.102/uimacnew09/UnisonToolbar.h0000644006131600613160000000177311361646373020347 0ustar bcpiercebcpierce// // UnisonToolbar.h // // Extended NSToolbar with several views // // Created by Ben Willmore on Sun March 12 2006. // Copyright (c) 2006, licensed under GNU GPL. // #import @class ReconTableView, MyController; @interface UnisonToolbar : NSToolbar #if (MAC_OS_X_VERSION_MAX_ALLOWED >= 1060) #endif { ReconTableView* tableView; MyController* myController; NSString* currentView; NSView* tableModeView; } - initWithIdentifier:(NSString *) identifier :(MyController *) aController :(ReconTableView *) aTableView; - (NSToolbarItem *) toolbar: (NSToolbar *)toolbar itemForItemIdentifier: (NSString *) itemIdent willBeInsertedIntoToolbar:(BOOL) willBeInserted; - (NSArray *) itemIdentifiersForView: (NSString *) whichView; - (NSArray *) toolbarDefaultItemIdentifiers: (NSToolbar *) toolbar; - (NSArray *) toolbarAllowedItemIdentifiers: (NSToolbar *) toolbar; - (void) setView: (NSString *) whichView; - (void)takeTableModeView:(NSView *)view; @end unison-2.40.102/uimacnew09/main.m0000644006131600613160000000305311361646373016473 0ustar bcpiercebcpierce// // main.m // uimac // // Created by Trevor Jim on Sun Aug 17 2003. // Copyright (c) 2003, see file COPYING for details. // #import #import "Bridge.h" int main(int argc, const char *argv[]) { NSAutoreleasePool *pool = [[NSAutoreleasePool alloc] init]; int i; /* When you click-start or use the open command, the program is invoked with a command-line arg of the form -psn_XXXXXXXXX. The XXXXXXXX is a "process serial number" and it seems to be important for Carbon programs. We need to get rid of it if it's there so the ocaml code won't exit. Note, the extra arg is not added if the binary is invoked directly from the command line without using the open command. */ if (argc == 2 && strncmp(argv[1],"-psn_",5) == 0) { argc--; argv[1] = NULL; } [Bridge startup:argv]; /* Check for invocations that don't start up the gui */ for (i=1; i