+
+
+
+ Io Programming Guide
+
+ |
+
+
+ | |
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ |
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ |
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ |
+
+
+
+
+
+ |
+
+
+
+ Introduction
+ |
+
+
+ |
+
+
+
+
+
+
+ |
|
+Overview
+ | |
+
+Io is a dynamic prototype-based programming language. The ideas in Io are mostly inspired by Smalltalk[1] (all values are objects), Self[2] (prototype-based), NewtonScript[3] (differential inheritance), Act1[4] (actors and futures for concurrency), Lisp[5] (code is a runtime inspectable / modifiable tree) and Lua[6] (small, embeddable).
+
+ |
|
+Perspective
+ | |
+
+
+
+
+The focus of programming language research for the last thirty years has been to combine the expressive power of high level languages like Smalltalk and the performance of low level language like C with little attention paid to advancing expressive power itself. The result has been a series of languages which are neither as fast as C or as expressive as Smalltalk. Io's purpose is to refocus attention on expressiveness by exploring higher level dynamic programming features with greater levels of runtime flexibility and simplified programming syntax and semantics.
+
+
+
+In Io, all values are objects (of which, anything can change at runtime, including slots, methods and inheritance), all code is made up of expressions (which are runtime inspectable and modifiable) and all expressions are made up of dynamic message sends (including assignment and control structures). Execution contexts themselves are objects and activatable objects such as methods/blocks and functions are unified into blocks with assignable scope. Concurrency is made more easily manageable through actors and implemented using coroutines for scalability.
+
+ |
|
+Goals | |
+
+To be a language that is:
+
+
+simple
+
+- conceptually simple and consistent
+
- easily embedded and extended
+
+powerful
+
+- highly dynamic and introspective
+
- highly concurrent (via coroutines and async i/o)
+
+practical
+
+- fast enough
+
- multi-platform
+
- unrestrictive BSD/MIT license
+
- comprehensive standard packages in distro
+
+
+
+
+ |
|
+
+ Downloading
+ | |
+
+ |
|
+
+
+
+
+ Installing
+ | |
+
+
+ Follow the README.txt file in the download to compile and install io.
+
+
+ |
|
+
+
+ Running Scripts
+ | |
+
+
+An example of running a script:
+
+
+io samples/misc/HelloWorld.io
+
+
+There is no main() function or object that gets executed first in Io. Scripts are executed when compiled.
+
+
+ |
|
+
+
+ Interactive Mode
+ | |
+
+
+Running:
+
+
+./_build/binaries/io
+
+
+Or, if Io is installed, running:
+
+
+io
+
+
+will open the Io interpreter prompt.
+
+You can evaluate code by entering it directly. Example:
+
+
+Io> "Hello world!" println
+==> Hello world!
+
+
+Expressions are evaluated in the context of the Lobby:
+
+
+Io> print
+[printout of lobby contents]
+
+
+If you have a .iorc file in your home folder, it will be evaled before the interactive prompt starts.
+
+
+ |
|
+
+
+
+
+
+ Inspecting objects
+ | |
+
+You can get a list of the slots of an object like this:
+
+
+Io> someObject slotNames
+
+
+To show them in sorted order:
+
+
+Io> someObject slotNames sort
+
+
+For a nicely formatted description of an object, the slotSummary method is handy:
+
+
+Io> slotSummary
+==> Object_0x20c4e0:
+ Lobby = Object_0x20c4e0
+ Protos = Object_0x20bff0
+ exit = method(...)
+ forward = method(...)
+
+
+Exploring further:
+
+
+Io> Protos
+==> Object_0x20bff0:
+ Addons = Object_0x20c6f0
+ Core = Object_0x20c4b0
+
+Io> Protos Addons
+==> Object_0x20c6f0:
+ ReadLine = Object_0x366a10
+
+
+Only ReadLine is seen in the Addons since no other Addons have been loaded yet.
+
+Inspecting a method will print a decompiled version of it:
+
+
+Io> Lobby getSlot("forward")
+==> # io/Z_Importer.io:65
+method(
+ Importer import(call)
+)
+
+
+
+
+doFile and doString
+
+A script can be run from the interactive mode using the doFile method:
+
+
+doFile("scriptName.io")
+
+
+The evaluation context of doFile is the receiver, which in this case would be the lobby. To evaluate the script in the context of some other object, simply send the doFile message to it:
+
+
+someObject doFile("scriptName.io")
+
+
+The doString method can be used to evaluate a string:
+
+
+Io> doString("1+1")
+==> 2
+
+
+And to evaluate a string in the context of a particular object:
+
+
+someObject doString("1 + 1")
+
+
+Command Line Arguments
+
+Example of printing out command line arguments:
+
+
+System args foreach(k, v, write("'", v, "'\n"))
+
+
+launchPath
+
+The System "launchPath" slot is set to the location of the initial source file that is executed; when the interactive prompt is started (without specifying a source file to execute), the launchPath is the current working directory:
+
+
+System launchPath
+
+
+
+
+
+
+ |
|
+
+ Syntax
+ | |
+
+
+
+
+
+
+
+
+ |
|
+
+
+ Expressions
+ | |
+
+Io has no keywords or statements. Everything is an expression composed entirely of messages, each of which is a runtime accessible object. The informal BNF description:
+
+
+exp ::= { message | terminator }
+message ::= symbol [arguments]
+arguments ::= "(" [exp [ { "," exp } ]] ")"
+symbol ::= identifier | number | string
+terminator ::= "\n" | ";"
+
+
+For performance reasons, String and Number literal messages have their results cached in their message objects.
+
+
+ |
|
+
+
+ Messages
+ | |
+
+
+Message arguments are passed as expressions and evaluated by the receiver. Selective evaluation of arguments can be used to implement control flow. Examples:
+
+
+for(i, 1, 10, i println)
+a := if(b == 0, c + 1, d)
+
+
+In the above code, "for" and "if" are just normal messages, not special forms or keywords.
+
+
+Likewise, dynamic evaluation can be used with enumeration without the need to wrap the expression in a block. Examples:
+
+
+people select(person, person age < 30)
+names := people map(person, person name)
+
+
+Methods like map and select will typically apply the expression directly to the values if only the expression is provided:
+
+
+people select(age < 30)
+names := people map(name)
+
+
+There is also some syntax sugar for operators (including assignment), which are handled by an Io macro executed on the expression after it is compiled into a message tree. Some sample source code:
+
+
+Account := Object clone
+Account balance := 0
+Account deposit := method(amount,
+ balance = balance + amount
+)
+
+account := Account clone
+account deposit(10.00)
+account balance println
+
+
+Like Self[2], Io's syntax does not distinguish between accessing a slot containing a method from one containing a variable.
+
+
+ |
|
+
+
+
+
+
+ Operators
+ | |
+
+
+An operator is just a message whose name contains no alphanumeric characters (other than ";", "_", '"' or ".") or is one of the following words: or, and, return. Example:
+
+
+1 + 2
+
+
+This just gets compiled into the normal message:
+
+
+1 +(2)
+
+
+Which is the form you can use if you need to do grouping:
+
+
+1 +(2 * 4)
+
+
+Standard operators follow C's precedence order, so:
+
+
+1 + 2 * 3 + 4
+
+
+Is parsed as:
+
+
+1 +(2 *(3)) +(4)
+
+
+User defined operators (that don't have a standard operator name) are performed left to right.
+
+
+ |
|
+
+
+ Assignment
+ | |
+
+Io has three assignment operators:
+
+
+
+
+
+operator
+ |
+
+action
+ |
+
+
+
+
+::=
+ |
+
+Creates slot, creates setter, assigns value
+ |
+
+
+
+
+:=
+ |
+
+Creates slot, assigns value
+ |
+
+
+
+
+=
+ |
+
+Assigns value to slot if it exists, otherwise raises exception
+ |
+
+
+
+
+
+These operators are compiled to normal messages whose methods can be overridden. For example:
+
+
+
+
+
+
+source
+ |
+
+compiles to
+ |
+
+
+
+
+a ::= 1
+ |
+
+newSlot("a", 1)
+ |
+
+
+
+
+a := 1
+ |
+
+setSlot("a", 1)
+ |
+
+
+
+
+a = 1
+ |
+
+updateSlot("a", 1)
+ |
+
+
+
+
+
+On Locals objects, updateSlot is overridden so it will update the slot in the object in which the method was activated if the slot is not found the locals. This is done so update assignments in methods don't require self to be an explicit target.
+
+
+ |
|
+
+
+
+
+
+ Numbers
+ | |
+
+
+The following are examples of valid number formats:
+
+
+123
+123.456
+0.456
+.456
+123e-4
+123e4
+123.456e-7
+123.456e2
+
+
+Hex numbers are also supported (in any casing):
+
+
+0x0
+0x0F
+0XeE
+
+
+
+ |
|
+
+
+
+ Strings
+ | |
+
+
+Strings can be defined surrounded by a single set of double quotes with escaped quotes (and other escape characters) within.
+
+
+s := "this is a \"test\".\nThis is only a test."
+
+
+Or for strings with non-escaped characters and/or spanning many lines, triple quotes can be used.
+
+
+s := """this is a "test".
+This is only a test."""
+
+
+ |
|
+
+
+ Comments
+ | |
+
+
+Comments of the //, /**/ and # style are supported. Examples:
+
+
+a := b // add a comment to a line
+
+/* comment out a group
+a := 1
+b := 2
+*/
+
+
+The "#" style is useful for unix scripts:
+
+
+#!/usr/local/bin/io
+
+
+That's it! You now know everything there is to know about Io's syntax. Control flow, objects, methods, exceptions are expressed with the syntax and semantics described above.
+
+
+
+
+
+
+
+ |
|
+
+ Objects
+
+ | |
+
+
+
+
+
+ |
|
+
+
+ Overview
+ | |
+
+
+
+Io's guiding design principle is simplicity and power through conceptual unification.
+
+
+
+
+
+concept
+ |
+
+unifies
+ |
+
+
+
+
+scopable blocks
+ |
+
+functions, methods, closures
+ |
+
+
+
+
+prototypes
+ |
+
+objects, classes, namespaces, locals
+ |
+
+
+
+
+messages
+ |
+
+operators, calls, assigns, var access
+ |
+
+
+
+
+ |
|
+
+
+ Prototypes
+ | |
+
+
+In Io, everything is an object (including the locals storage of a block and the namespace itself) and all actions are messages (including assignment). Objects are composed of a list of key/value pairs called slots, and an internal list of objects from which it inherits called protos. A slot's key is a symbol (a unique immutable sequence) and its value can be any type of object.
+
+clone and init
+New objects are made by cloning existing ones. A clone is an empty object that has the parent in its list of protos. A new instance's init slot will be activated which gives the object a chance to initialize itself. Like NewtonScript[3], slots in Io are create-on-write.
+
+
+me := Person clone
+
+
+To add an instance variable or method, simply set it:
+
+
+myDog name := "rover"
+myDog sit := method("I'm sitting\n" print)
+
+
+When an object is cloned, its "init" slot will be called if it has one.
+
+
+ |
|
+
+
+ Inheritance
+ | |
+
+
+When an object receives a message it looks for a matching slot, if not found, the lookup continues depth first recursively in its protos. Lookup loops are detected (at runtime) and avoided. If the matching slot contains an activatable object, such as a Block or CFunction, it is activated, if it contains any other type of value it returns the value. Io has no globals and the root object in the Io namespace is called the Lobby.
+
+Since there are no classes, there's no difference between a subclass and an instance. Here's an example of creating the equivalent of a subclass:
+
+
+Io> Dog := Object clone
+==> Object_0x4a7c0
+
+
+The above code sets the Lobby slot "Dog" to a clone of the Object object; the protos list of this new object contains only a reference to Object, essentially indicating that a subclass of Object has been created. Instance variables and methods are inherited from the objects referenced in the protos list. If a slot is set, it creates a new slot in our object instead of changing the protos:
+
+
+ Io> Dog color := "red"
+ Io> Dog
+ ==> Object_0x4a7c0:
+ color := "red"
+
+
+
+
+
+ Multiple Inheritance
+
+
+You can add any number of protos to an object's protos list. When responding to a message, the lookup mechanism does a depth first search of the proto chain.
+
+
+
+ |
|
+
+
+ Methods
+ | |
+
+
+A method is an anonymous function which, when called, creates an object to store its locals and sets the local's proto pointer and its self slot to the target of the message. The Object method method() can be used to create methods. Example:
+
+
+method((2 + 2) print)
+
+
+An example of using a method in an object:
+
+
+Dog := Object clone
+Dog bark := method("woof!" print)
+
+
+The above code creates a new "subclass" of object named Dog and adds a bark slot containing a block that prints "woof!". Example of calling this method:
+
+
+Dog bark
+
+
+The default return value of a block is the result of the last expression.
+
+Arguments
+
+Methods can also be defined to take arguments. Example:
+
+
+add := method(a, b, a + b)
+
+
+The general form is:
+
+
+method(<arg name 0>, <arg name 1>, ..., <do message>)
+
+
+
+ |
|
+
+
+ Blocks
+ | |
+
+
+
+
+A block is the same as a method except it is lexically scoped. That is, variable lookups continue in the context of where the block was created instead of the target of the message which activated the block. A block can be created using the Object method block(). Example of creating a block:
+
+
+b := block(a, a + b)
+
+
+Blocks vs. Methods
+
+This is sometimes a source of confusion so it's worth explaining in detail. Both methods and blocks create an object to hold their locals when they are called. The difference is what the "proto" and "self" slots of that locals object are set to. In a method, those slots are set to the target of the message. In a block, they're set to the locals object where the block was created. So a failed variable lookup in a block's locals continue in the locals where it was created. And a failed variable lookup in a method's locals continue in the object to which the message that activated it was sent.
+
+call and self slots
+
+When a locals object is created, its self slot is set (to the target of the message, in the case of a method, or to the creation context, in the case of a block) and its call slot is set to a Call object that can be used to access information about the block activation:
+
+
+
+
+
+slot
+ |
+
+returns
+ |
+
+
+
+call sender
+ |
+
+locals object of caller
+ |
+
+
+
+call message
+ |
+
+message used to call this method/block
+ |
+
+
+
+call activated
+ |
+the activated method/block
+ |
+
+
+
+call slotContext
+ |
+context in which slot was found
+ |
+
+
+
+call target
+ |
+
+current object
+ |
+
+
+
+Variable Arguments
+
+The "call message" slot in locals can be used to access the unevaluated argument messages. Example of implementing if() within Io:
+
+
+myif := method(
+ (call sender doMessage(call message argAt(0))) ifTrue(
+ call sender doMessage(call message argAt(1))) ifFalse(
+ call sender doMessage(call message argAt(2)))
+)
+
+myif(foo == bar, write("true\n"), write("false\n"))
+
+
+The doMessage() method evaluates the argument in the context of the receiver.
+
+A shorter way to express this is to use the evalArgAt() method on the call object:
+
+
+myif := method(
+ call evalArgAt(0) ifTrue(
+ call evalArgAt(1)) ifFalse(
+ call evalArgAt(2))
+)
+
+myif(foo == bar, write("true\n"), write("false\n"))
+
+
+ |
|
+
+
+ Forward
+ | |
+
+
+If an object doesn't respond to a message, it will invoke its "forward" method if it has one. Here's an example of how to print the information related lookup that failed:
+
+
+MyObject forward := method(
+ write("sender = ", call sender, "\n")
+ write("message name = ", call message name, "\n")
+ args := call message argsEvaluatedIn(call sender)
+ args foreach(i, v, write("arg", i, " = ", v, "\n") )
+)
+
+
+ |
|
+
+
+ Resend
+ | |
+
+Sends the current message to the receiver's protos with self as the context. Example:
+
+
+A := Object clone
+A m := method(write("in A\n"))
+B := A clone
+B m := method(write("in B\n"); resend)
+B m
+
+
+will print:
+
+
+in B
+in A
+
+
+For sending other messages to the receiver's proto, super is used.
+
+
+ |
|
+
+
+
+
+
+ Super
+ | |
+
+
+Sometimes it's necessary to send a message directly to a proto. Example:
+
+
+Dog := Object clone
+Dog bark := method(writeln("woof!"))
+
+fido := Dog clone
+fido bark := method(
+ writeln("ruf!")
+ super(bark)
+)
+
+
+Both resend and super are implemented in Io.
+
+
+ |
|
+
+
+ Introspection
+ | |
+
+
+Using the following methods you can introspect the entire Io namespace. There are also methods for modifying any and all of these attributes at runtime.
+
+slotNames
+
+The slotNames method returns a list of the names of an object's slots:
+
+
+Io> Dog slotNames
+==> list("bark")
+
+
+protos
+
+The protos method returns a list of the objects which an object inherits from:
+
+
+Io> Dog protos map(type)
+==> list(Object)
+
+
+getSlot
+
+The "getSlot" method can be used to get the value of a block in a slot without activating it:
+
+
+myMethod := Dog getSlot("bark")
+
+
+Above, we've set the locals object's "myMethod" slot to the bark method. It's important to remember that if you then want use the myMethod without activating it, you'll need to use the getSlot method:
+
+
+otherObject newMethod := getSlot("myMethod")
+
+
+Here, the target of the getSlot method is the locals object.
+
+code
+
+The arguments and expressions of methods are open to introspection. A useful convenience method is "code", which returns a string representation of the source code of the method in a normalized form.
+
+
+Io> method(a, a * 2) code
+==> "method(a, a *(2))"
+
+
+
+
+
+
+ |
|
+
+ Control Flow
+ | |
+
+
+
+
+
+
+
+ |
|
+
+
+ true, false and nil
+ | |
+
+
+
+There are singletons for true, false and nil. nil is typically used to indicate an unset or missing value.
+
+ |
|
+
+
+ Comparison
+ | |
+
+The comparison methods:
+
+
+==, !=, >=, <=, >, <
+
+
+return either the true or false. The compare() method is used to implement the comparison methods and returns -1, 0 or 1 which mean less-than, equal-to or greater-than, respectively.
+
+ |
|
+
+
+ if, then, else
+ | |
+
+The if() method can be used in the form:
+
+
+if(<condition>, <do message>, <else do message>)
+
+
+Example:
+
+
+if(a == 10, "a is 10" print)
+
+
+The else argument is optional. The condition is considered false if the condition expression evaluates to false or nil, and true otherwise.
+
+The result of the evaluated message is returned, so:
+
+
+if(y < 10, x := y, x := 0)
+
+
+is the same as:
+
+
+x := if(y < 10, y, 0)
+
+
+Conditions can also be used in this form:
+
+
+if(y < 10) then(x := y) else(x := 2)
+
+
+elseif() is supported:
+
+
+if(y < 10) then(x := y) elseif(y == 11) then(x := 0) else(x := 2)
+
+
+ |
|
+
+
+ ifTrue, ifFalse
+ | |
+
+Also supported are Smalltalk style ifTrue, ifFalse, ifNil and ifNonNil methods:
+
+
+(y < 10) ifTrue(x := y) ifFalse(x := 2)
+
+
+Notice that the condition expression must have parentheses surrounding it.
+
+
+
+ |
|
+
+
+ loop
+ | |
+
+
+The loop method can be used for "infinite" loops:
+
+
+loop("foo" println)
+
+
+ |
|
+
+
+
+
+
+ repeat
+ | |
+
+The Number repeat method can be used to repeat a loop a given number of times.
+
+
+3 repeat("foo" print)
+==> foofoofoo
+
+
+
+ |
|
+
+
+ while
+ | |
+
+Arguments:
+
+
+while(<condition>, <do message>)
+
+Example:
+
+
+a := 1
+while(a < 10,
+ a print
+ a = a + 1
+)
+
+
+ |
|
+
+
+ for
+ | |
+
+Arguments:
+
+for(<counter>, <start>, <end>, <optional step>, <do message>)
+
+The start and end messages are only evaluated once, when the loop starts.
+
+Example:
+
+
+for(a, 0, 10,
+ a println
+)
+
+
+Example with a step:
+
+
+for(x, 0, 10, 3, x println)
+
+
+Which would print:
+
+
+0
+3
+6
+9
+
+
+To reverse the order of the loop, add a negative step:
+
+
+for(a, 10, 0, -1, a println)
+
+
+Note: the first value will be the first value of the loop variable and the last will be the last value on the final pass through the loop. So a loop of 1 to 10 will loop 10 times and a loop of 0 to 10 will loop 11 times.
+
+ |
|
+
+
+ break, continue
+ | |
+
+loop, repeat, while and for support the break and continue methods. Example:
+
+
+for(i, 1, 10,
+ if(i == 3, continue)
+ if(i == 7, break)
+ i print
+)
+
+
+Output:
+
+
+12456
+
+
+
+ |
|
+
+
+ return
+ | |
+
+Any part of a block can return immediately using the return method. Example:
+
+
+Io> test := method(123 print; return "abc"; 456 print)
+Io> test
+123
+==> abc
+
+
+Internally, break, continue and return all work by setting a IoState internal variable called "stopStatus" which is monitored by the loop and message evaluation code.
+
+
+
+
+ |
|
+
+ Importing
+ | |
+
+
+
+
+
+The Importer proto implements Io's built-in auto importer feature. If you put each of your proto's in their own file, and give the file the same name with and ".io" extension, the Importer will automatically import that file when the proto is first referenced. The Importer's default search path is the current working directory, but can add search paths using its addSearchPath() method.
+
+
+
+
+ |
|
+
+ Concurrency
+ | |
+
+
+
+
+ |
|
+
+
+ Coroutines
+ | |
+
+
+Io uses coroutines (user level cooperative threads), instead of preemptive OS level threads to implement concurrency. This avoids the substantial costs (memory, system calls, locking, caching issues, etc) associated with native threads and allows Io to support a very high level of concurrency with thousands of active threads.
+
+ |
|
+
+
+ Scheduler
+ | |
+
+
+
+The Scheduler object is responsible for resuming coroutines that are yielding. The current scheduling system uses a simple first-in-first-out policy with no priorities.
+
+
+ |
|
+
+
+ Actors
+ | |
+
+
+An actor is an object with its own thread (in our case, its own coroutine) which it uses to process its queue of asynchronous messages. Any object in Io can be sent an asynchronous message by placing using the asyncSend() or futureSend() messages.
+
+Examples:
+
+
+result := self foo // synchronous
+futureResult := self futureSend(foo) // async, immediately returns a Future
+self asyncSend(foo) // async, immediately returns nil
+
+
+When an object receives an asynchronous message it puts the message in its queue and, if it doesn't already have one, starts a coroutine to process the messages in its queue. Queued messages are processed sequentially in a first-in-first-out order. Control can be yielded to other coroutines by calling "yield". Example:
+
+
+obj1 := Object clone
+obj1 test := method(for(n, 1, 3, n print; yield))
+obj2 := obj1 clone
+obj1 asyncSend(test); obj2 asyncSend(test)
+while(Scheduler yieldingCoros size > 1, yield)
+
+
+This would print "112233".
+
+Here's a more real world example:
+
+
+HttpServer handleRequest := method(aSocket,
+ HttpRequestHandler clone asyncSend(handleRequest(aSocket))
+)
+
+
+ |
|
+
+
+
+
+
+ Futures
+ | |
+
+
+
+
+Io's futures are transparent. That is, when the result is ready, they become the result. If a message is sent to a future (besides the two methods it implements), it waits until it turns into the result before processing the message. Transparent futures are powerful because they allow programs to minimize blocking while also freeing the programmer from managing the fine details of synchronization.
+
+Auto Deadlock Detection
+
+An advantage of using futures is that when a future requires a wait, it will check to see if pausing to wait for the result would cause a deadlock and if so, avoid the deadlock and raise an exception. It performs this check by traversing the list of connected futures.
+
+Futures and the Command Line Interface
+
+The command line will attempt to print the result of expressions evaluated in it, so if the result is a Future, it will attempt to print it and this will wait on the result of Future. Example:
+
+
+Io> q := method(wait(1))
+Io> futureSend(q)
+[1-second delay]
+==> nil
+
+
+To avoid this, just make sure the Future isn't the result. Example:
+
+
+Io> futureSend(q); nil
+[no delay]
+==> nil
+
+
+
+ |
|
+
+
+ Yield
+ | |
+
+
+An object will automatically yield between processing each of its asynchronous messages. The yield method only needs to be called if a yield is required during an asynchronous message execution.
+
+Pause and Resume
+
+It's also possible to pause and resume an object. See the concurrency methods of the Object primitive for details and related methods.
+
+
+
+
+ |
|
+
+ Exceptions
+ | |
+
+
+
+
+ |
|
+
+
+ Raise
+ | |
+
+
+
+An exception can be raised by calling raise() on an exception proto.
+
+
+Exception raise("generic foo exception")
+
+
+
+
+
+ |
|
+
+
+ Try and Catch
+ | |
+
+
+
+To catch an exception, the try() method of the Object proto is used. try() will catch any exceptions that occur within it and return the caught exception or nil if no exception is caught.
+
+
+e := try(<doMessage>)
+
+
+To catch a particular exception, the Exception catch() method can be used. Example:
+
+
+e := try(
+ // ...
+)
+
+e catch(Exception,
+ writeln(e coroutine backTraceString)
+)
+
+
+
+The first argument to catch indicates which types of exceptions will be caught. catch() returns the exception if it doesn't match and nil if it does.
+
+
+ |
|
+
+
+ Pass
+ | |
+
+
+To re-raise an exception caught by try(), use the pass method. This is useful to pass the exception up to the next outer exception handler, usually after all catches failed to match the type of the current exception:
+
+
+e := try(
+ // ...
+)
+
+e catch(Error,
+ // ...
+) catch(Exception,
+ // ...
+) pass
+
+
+
+ |
|
+
+
+ Custom Exceptions
+ | |
+
+
+Custom exception types can be implemented by simply cloning an existing Exception type:
+
+
+MyErrorType := Error clone
+
+
+
+
+
+
+ |
|
+
+ Primitives
+ | |
+
+
+
+
+
+Primitives are objects built into Io whose methods are typically implemented in C and store some hidden data in their instances. For example, the Number primitive has a double precision floating point number as its hidden data and its methods that do arithmetic operations are C functions. All Io primitives inherit from the Object prototype and are mutable. That is, their methods can be changed. The reference docs contain more info on primitives.
+
+
+This document is not meant as a reference manual, but an overview of the base primitives and bindings is provided here to give the user a jump-start and a feel for what is available and where to look in the reference documentation for further details.
+
+
+ |
|
+
+
+ Object
+ | |
+
+
+
+The ? Operator
+
+Sometimes it's desirable to conditionally call a method only if it exists (to avoid raising an exception). Example:
+
+
+if(obj getSlot("foo"), obj foo)
+
+
+Putting a "?" before a message has the same effect:
+
+
+obj ?foo
+
+
+ |
|
+
+
+ List
+ | |
+
+
+
+A List is an array of references and supports all the standard array manipulation and enumeration methods. Examples:
+
+Create an empty list:
+
+
+a := List clone
+
+
+Create a list of arbitrary objects using the list() method:
+
+
+a := list(33, "a")
+
+
+Append an item:
+
+
+a append("b")
+==> list(33, "a", "b")
+
+
+Get the list size:
+
+
+a size
+==> 3
+
+
+Get the item at a given index (List indexes begin at zero):
+
+
+a at(1)
+==> "a"
+
+
+Note: List indexes begin at zero and nil is returned if the accessed index doesn't exist.
+
+Set the item at a given index:
+
+
+a atPut(2, "foo")
+==> list(33, "a", "foo")
+
+a atPut(6, "Fred")
+==> Exception: index out of bounds
+
+
+Remove the given item:
+
+
+a remove("foo")
+==> list(33, "a", "b")
+
+
+Inserting an item at a given index:
+
+
+a atInsert(2, "foo")
+==> list(33, "a", "foo", "b")
+
+
+foreach
+
+The foreach, map and select methods can be used in three forms:
+
+
+Io> a := list(65, 21, 122)
+
+
+In the first form, the first argument is used as an index variable, the second as a value variable and the 3rd as the expression to evaluate for each value.
+
+
+Io> a foreach(i, v, write(i, ":", v, ", "))
+==> 0:65, 1:21, 2:122,
+
+
+The second form removes the index argument:
+
+
+Io> a foreach(v, v println)
+==> 65
+21
+122
+
+
+The third form removes the value argument and simply sends the expression as a message to each value:
+
+
+Io> a foreach(println)
+==> 65
+21
+122
+
+
+map and select
+
+Io's map and select (known as filter in some other languages) methods allow arbitrary expressions as the map/select predicates.
+
+
+Io> numbers := list(1, 2, 3, 4, 5, 6)
+
+Io> numbers select(isOdd)
+==> list(1, 3, 5)
+
+Io> numbers select(x, x isOdd)
+==> list(1, 3, 5)
+
+Io> numbers select(i, x, x isOdd)
+==> list(1, 3, 5)
+
+Io> numbers map(x, x*2)
+==> list(2, 4, 6, 8, 10, 12)
+
+Io> numbers map(i, x, x+i)
+==> list(1, 3, 5, 7, 9, 11)
+
+Io> numbers map(*3)
+==> list(3, 6, 9, 12, 15, 18)
+
+
+The map and select methods return new lists. To do the same operations in-place, you can use selectInPlace() and mapInPlace() methods.
+
+
+ |
|
+
+
+
+
+
+ Sequence
+ | |
+
+
+
+In Io, an immutable Sequence is called a Symbol and a mutable Sequence is the equivalent of a Buffer or String. Literal strings(ones that appear in source code surrounded by quotes) are Symbols. Mutable operations cannot be performed on Symbols, but one can make mutable copy of a Symbol calling its asMutable method and then perform the mutation operations on the copy.
+Common string operations
+Getting the length of a string:
+
+
+"abc" size
+==> 3
+
+
+Checking if a string contains a substring:
+
+
+"apples" containsSeq("ppl")
+==> true
+
+
+Getting the character (byte) at position N:
+
+
+"Kavi" at(1)
+==> 97
+
+
+Slicing:
+
+
+"Kirikuro" exSlice(0, 2)
+==> "Ki"
+
+"Kirikuro" exSlice(-2) # NOT: exSlice(-2, 0)!
+==> "ro"
+
+Io> "Kirikuro" exSlice(0, -2)
+==> "Kiriku"
+
+
+Stripping whitespace:
+
+
+" abc " asMutable strip
+==> "abc"
+
+" abc " asMutable lstrip
+==> "abc "
+
+" abc " asMutable rstrip
+==> " abc"
+
+
+Converting to upper/lowercase:
+
+
+"Kavi" asUppercase
+==> "KAVI"
+"Kavi" asLowercase
+==> "kavi"
+
+
+Splitting a string:
+
+
+"the quick brown fox" split
+==> list("the", "quick", "brown", "fox")
+
+
+Splitting by other characters is possible as well.
+
+
+"a few good men" split("e")
+==> list("a f", "w good m", "n")
+
+
+Converting to number:
+
+
+"13" asNumber
+==> 13
+
+"a13" asNumber
+==> nan
+
+
+String interpolation:
+
+
+name := "Fred"
+==> Fred
+"My name is #{name}" interpolate
+==> My name is Fred
+
+
+Interpolate will eval anything with #{} as Io code in the local context. The code may include loops or anything else but needs to return an object that responds to asString.
+
+
+ |
|
+
+
+ Ranges
+ | |
+
+
+A range is a container containing a start and an end point, and instructions on how to get from the start to the end. Using Ranges is often convenient when creating large lists of sequential data as they can be easily converted to lists, or as a replacement for the for() method.
+
+The Range protocol
+
+Each object that can be used in Ranges needs to implement a "nextInSequence" method which takes a single optional argument (the number of items to skip in the sequence of objects), and return the next item after that skip value. The default skip value is 1. The skip value of 0 is undefined. An example:
+
+
+Number nextInSequence := method(skipVal,
+ if(skipVal isNil, skipVal = 1)
+ self + skipVal
+)
+
+
+With this method on Number (it's already there in the standard libraries), you can then use Numbers in Ranges, as demonstrated below:
+
+
+1 to(5) foreach(v, v println)
+
+
+The above will print 1 through 5, each on its own line.
+
+
+ |
|
+
+
+ File
+ | |
+
+
+
+The methods openForAppending, openForReading, or openForUpdating are used for opening files. To erase an existing file before opening a new open, the remove method can be used. Example:
+
+
+f := File with("foo.txt")
+f remove
+f openForUpdating
+f write("hello world!")
+f close
+
+
+
+ |
|
+
+
+ Directory
+ | |
+
+
+Creating a directory object:
+
+
+dir := Directory with("/Users/steve/")
+
+
+Get a list of file objects for all the files in a directory:
+
+
+files := dir files
+==> list(File_0x820c40, File_0x820c40, ...)
+
+
+Get a list of both the file and directory objects in a directory:
+
+
+items := dir items
+==> list(Directory_0x8446b0, File_0x820c40, ...)
+
+items at(4) name
+==> DarkSide-0.0.1 # a directory name
+
+
+Setting a Directory object to a certain directory and using it:
+
+
+root := Directory clone setPath("c:/")
+==> Directory_0x8637b8
+
+root fileNames
+==> list("AUTOEXEC.BAT", "boot.ini", "CONFIG.SYS", ...)
+
+
+Testing for existence:
+
+
+Directory clone setPath("q:/") exists
+==> false
+
+
+Getthing the current working directory:
+
+
+Directory currentWorkingDirectory
+==> "/cygdrive/c/lang/IoFull-Cygwin-2006-04-20"
+
+
+
+ |
|
+
+
+ Date
+ | |
+
+Creating a new date instance:
+
+
+d := Date clone
+
+
+Setting it to the current date/time:
+
+
+d now
+
+
+Getting the date/time as a number, in seconds:
+
+
+Date now asNumber
+==> 1147198509.417114
+
+Date now asNumber
+==> 1147198512.33313
+
+
+Getting individual parts of a Date object:
+
+
+d := Date now
+==> 2006-05-09 21:53:03 EST
+
+d
+==> 2006-05-09 21:53:03 EST
+
+d year
+==> 2006
+
+d month
+==> 5
+
+d day
+==> 9
+
+d hour
+==> 21
+
+d minute
+==> 53
+
+d second
+==> 3.747125
+
+
+Find how long it takes to execute some code:
+
+
+Date cpuSecondsToRun(100000 repeat(1+1))
+==> 0.02
+
+
+
+ |
|
+
+
+
+
+
+ Networking
+ | |
+
+
+All of Io's networking is done with asynchronous sockets underneath, but operations like reading and writing to a socket appear to be synchronous since the calling coroutine is unscheduled until the socket has completed the operation, or a timeout occurs. Note that you'll need to first reference the associated addon in order to cause it to load before using its objects. In these examples, you'll have to reference "Socket" to get the Socket addon to load first.
+
+Creating a URL object:
+
+
+url := URL with("http://example.com/")
+
+
+Fetching an URL:
+
+
+data := url fetch
+
+
+Streaming a URL to a file:
+
+
+url streamTo(File with("out.txt"))
+
+
+A simple whois client:
+
+
+whois := method(host,
+ socket := Socket clone \
+ setHost("rs.internic.net") setPort(43)
+ socket connect streamWrite(host, "\n")
+ while(socket streamReadNextChunk, nil)
+ return socket readBuffer
+)
+
+
+A minimal web server:
+
+
+WebRequest := Object clone do(
+ handleSocket := method(aSocket,
+ aSocket streamReadNextChunk
+ request := aSocket readBuffer \
+ betweenSeq("GET ", " HTTP")
+ f := File with(request)
+ if(f exists,
+ f streamTo(aSocket)
+ ,
+ aSocket streamWrite("not found")
+ )
+ aSocket close
+ )
+)
+
+WebServer := Server clone do(
+ setPort(8000)
+ handleSocket := method(aSocket,
+ WebRequest clone asyncSend(handleSocket(aSocket))
+ )
+)
+
+WebServer start
+
+
+
+ |
|
+
+
+
+
+
+ XML
+ | |
+
+Using the XML parser to find the links in a web page:
+
+
+SGML // reference this to load the SGML addon
+xml := URL with("http://www.yahoo.com/") fetch asXML
+links := xml elementsWithName("a") map(attributes at("href"))
+
+
+
+ |
|
+
+
+ Vector
+ | |
+
+
+Io's Vectors are built on its Sequence primitive and are defined as:
+
+
+Vector := Sequence clone setItemType("float32")
+
+
+The Sequence primitive supports SIMD acceleration on a number of float32 operations. Currently these include add, subtract, multiple and divide but in the future can be extended to support most math, logic and string manipulation related operations.
+
+Here's a small example:
+
+
+iters := 1000
+size := 1024
+ops := iters * size
+
+v1 := Vector clone setSize(size) rangeFill
+v2 := Vector clone setSize(size) rangeFill
+
+dt := Date secondsToRun(
+ iters repeat(v1 *= v2)
+)
+
+writeln((ops/(dt*1000000000)) asString(1, 3), " GFLOPS")
+
+
+Which when run on 2Ghz Mac Laptop, outputs:
+
+
+1.255 GFLOPS
+
+
+A similar bit of C code (without SIMD acceleration) outputs:
+
+
+0.479 GFLOPS
+
+
+So for this example, Io is about three times faster than plain C.
+
+
+
+
+
+
+
+ |
|
+
+ Unicode
+ | |
+
+
+
+
+
+
+ |
|
+
+
+ Sequences
+ | |
+
+
+
+
+In Io, symbols, strings, and vectors are unified into a single Sequence prototype which is an array of any available hardware data type such as:
+
+
+uint8, uint16, uint32, uint64
+int8, int16, int32, int64
+float32, float64
+
+
+
+ |
|
+
+
+ Encodings
+ | |
+
+
+
+Also, a Sequence has a encoding attribute, which can be:
+
+
+number, ascii, ucs2, ucs4, utf8
+
+
+UCS-2 and UCS-4 are the fixed character width versions of UTF-16 and UTF-32, respectively. A String is just a Sequence with a text encoding, a Symbol is an immutable String and a Vector is a Sequence with a number encoding.
+
+UTF encodings are assumed to be big endian.
+
+Except for input and output, all strings should be kept in a fixed character width encoding. This design allows for a simpler implementation, code sharing between vector and string ops, fast index-based access, and SIMD acceleration of Sequence operations. All Sequence methods will do automatic type conversions as needed.
+
+
+ |
|
+
+
+ Source Code
+ | |
+
+
+Io source files are assumed to be in UTF8 (of which ASCII is a subset). When a source file is read, its symbols and strings are stored in Sequences in their minimal fixed character width encoding. Examples:
+
+
+Io> "hello" encoding
+==> ascii
+
+Io> "π" encoding
+==> ucs2
+
+Io> "∞" encoding
+==> ucs2
+
+
+
+
+We can also inspect the internal representation:
+
+
+Io> "π" itemType
+==> uint16
+
+Io> "π" itemSize
+==> 2
+
+
+ |
|
+
+
+ Conversion
+ | |
+
+
+
+The Sequence object has a number of conversion methods:
+
+
+asUTF8
+asUCS2
+asUCS4
+
+
+
+
+
+
+
+
+
+ |
|
+
+ Embedding
+ | |
+
+
+
+
+
+
+
+ |
|
+
+
+ Conventions
+ | |
+
+
+
+Io's C code is written using object oriented style conventions where structures are treated as objects and functions as methods. Familiarity with these may help make the embedding APIs easier to understand.
+
+Structures
+
+Member names are words that begin with a lower case character with successive words each having their first character upper cased. Acronyms are capitalized. Structure names are words with their first character capitalized.
+
+Example:
+
+
+typdef struct
+{
+ char *firstName;
+ char *lastName;
+ char *address;
+} Person;
+
+
+Functions
+
+Function names begin with the name of structure they operate on followed by an underscore and the method name. Each structure has a new and free function.
+
+
+Example:
+
+
+List *List_new(void);
+void List_free(List *self);
+
+
+All methods (except new) have the structure (the "object") as the first argument the variable is named "self". Method names are in keyword format. That is, for each argument, the method name has a description followed by an underscore. The casing of the descriptions follow that of structure member names.
+
+Examples:
+
+
+int List_count(List *self); // no argument
+void List_add_(List *self, void *item); // one argument
+void Dictionary_key_value_(Dictionary *self,
+ char *key, char *value);
+
+
+File Names
+
+Each structure has its own separate .h and .c files. The names of the files are the same as the name of the structure. These files contain all the functions(methods) that operate on the given structure.
+
+
+ |
|
+
+
+
+
+
+ IoState
+ | |
+
+
+
+
+An IoState can be thought of as an instance of an Io "virtual machine", although "virtual machine" is a less appropriate term because it implies a particular type of implementation.
+
+Multiple states
+
+Io is multi-state, meaning that it is designed to support multiple state instances within the same process. These instances are isolated and share no memory so they can be safely accessed simultaneously by different os threads, though a given state should only be accessed by one os thread at a time.
+
+Creating a state
+Here's a simple example of creating a state, evaluating a string in it, and freeing the state:
+
+
+#include "IoState.h"
+
+int main(int argc, const char *argv[])
+{
+ IoState *self = IoState_new();
+ IoState_init(self);
+ IoState_doCString_(self, "writeln(\"hello world!\"");
+ IoState_free(self);
+ return 0;
+}
+
+
+
+ |
|
+
+
+ Values
+ | |
+
+
+
+We can also get return values and look at their types and print them:
+
+
+IoObject *v = IoState_doCString_(self, someString);
+char *name = IoObject_name(v);
+printf("return type is a ‘%s', name);
+IoObject_print(v);
+
+
+Checking value types
+
+There are some macro short cuts to help with quick type checks:
+
+
+if (ISNUMBER(v))
+{
+ printf("result is the number %f", IoNumber_asFloat(v));
+}
+else if(ISSEQ(v))
+{
+ printf("result is the string %s", IoSeq_asCString(v));
+}
+else if(ISLIST(v))
+{
+ printf("result is a list with %i elements",
+ IoList_rawSize(v));
+}
+
+
+Note that return values are always proper Io objects (as all values are objects in Io). You can find the C level methods (functions like IoList_rawSize()) for these objects in the header files in the folder Io/libs/iovm/source.
+
+
+
+
+
+
+ |
|
+
+ Bindings
+ | |
+
+
+
+
+
+
+Documentation on how to write bindings/addons forthcoming..
+
+
+
+
+
+
+ |
|
+
+ Appendix
+ | |
+
+
+
+
+
+
+ |
|
+
+
+ Grammar
+ | |
+
+
+
+messages
+
+expression ::= { message | sctpad }
+message ::= [wcpad] symbol [scpad] [arguments]
+arguments ::= Open [argument [ { Comma argument } ]] Close
+argument ::= [wcpad] expression [wcpad]
+
+
+symbols
+
+
+symbol ::= Identifier | number | Operator | quote
+Identifier ::= { letter | digit | "_" }
+Operator ::= { ":" | "." | "'" | "~" | "!" | "@" | "$" |
+"%" | "^" | "&" | "*" | "-" | "+" | "/" | "=" | "{" | "}" |
+"[" | "]" | "|" | "\" | "<" | ">" | "?" }
+
+
+quotes
+
+quote ::= MonoQuote | TriQuote
+MonoQuote ::= """ [ "\"" | not(""")] """
+TriQuote ::= """"" [ not(""""")] """""
+
+
+spans
+
+Terminator ::= { [separator] ";" | "\n" | "\r" [separator] }
+separator ::= { " " | "\f" | "\t" | "\v" }
+whitespace ::= { " " | "\f" | "\r" | "\t" | "\v" | "\n" }
+sctpad ::= { separator | Comment | Terminator }
+scpad ::= { separator | Comment }
+wcpad ::= { whitespace | Comment }
+
+
+comments
+
+Comment ::= slashStarComment | slashSlashComment | poundComment
+slashStarComment ::= "/*" [not("*/")] "*/"
+slashSlashComment ::= "//" [not("\n")] "\n"
+poundComment ::= "#" [not("\n")] "\n"
+
+
+numbers
+
+number ::= HexNumber | Decimal
+HexNumber ::= "0" anyCase("x") { [ digit | hexLetter ] }
+hexLetter ::= "a" | "b" | "c" | "d" | "e" | "f"
+Decimal ::= digits | "." digits |
+ digits "." digits ["e" [-] digits]
+
+
+characters
+
+Comma ::= ","
+Open ::= "(" | "[" | "{"
+Close ::= ")" | "]" | "}"
+letter ::= "a" ... "z" | "A" ... "Z"
+digit ::= "0" ... "9"
+digits ::= { digit }
+
+
+The uppercase words above designate elements the lexer treats as tokens.
+
+
+ |
|
+
+
+
+
+
+ Credits
+ | |
+
+
+Io is the product of all the talented folks who taken the time and interest to make a contribution. The complete list of contributors is difficult to keep track of, but some of the recent major contributors include; Jonathan Wright, Jeremy Tregunna, Mike Austin, Chris Double, Rich Collins, Oliver Ansaldi, James Burgess, Baptist Heyman, Ken Kerahone, Christian Thater, Brian Mitchell, Zachary Bir and many more. The mailing list archives, repo inventory and release history are probably the best sources for a more complete record of individual contributions.
+
+
+ |
|
+
+
+ References
+ | |
+
+
+
+
+
+
+
+1
+ |
+
+Goldberg, A et al.
+Smalltalk-80: The Language and Its Implementation
+Addison-Wesley, 1983
+ |
+
+
+ |
+
+
+
+2
+ |
+
+Ungar, D and Smith,
+RB. Self: The Power of Simplicity
+OOPSLA, 1987
+ |
+
+
+ |
+
+
+
+3
+ |
+
+Smith, W.
+Class-based NewtonScript Programming
+PIE Developers magazine, Jan 1994
+ |
+
+
+ |
+
+
+
+4
+ |
+
+Lieberman
+H. Concurrent Object-Oriented Programming in Act 1
+MIT AI Lab, 1987
+ |
+
+
+ |
+
+
+
+5
+ |
+
+McCarthy, J et al.
+LISP I programmer's manual
+MIT Press, 1960
+ |
+
+
+ |
+
+
+
+6
+ |
+
+Ierusalimschy, R, et al.
+Lua: an extensible extension language
+John Wiley & Sons, 1996
+ |
+
+
+
+
+ |
|
+
+
+ License
+ | |
+
+
+
+Copyright 2006-2010 Steve Dekorte. All rights reserved.
+
+Redistribution and use of this document with or without modification, are permitted provided that the copies reproduce the above copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution.
+
+This documentation is provided "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 authors 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 documentation, even if advised of the possibility of such damage.
+
+
+
+
+
|
+
+
+
+
+
+
diff --git a/io-master/docs/IoTutorial.html b/io-master/docs/IoTutorial.html
new file mode 100755
index 0000000..c92c243
--- /dev/null
+++ b/io-master/docs/IoTutorial.html
@@ -0,0 +1,239 @@
+
+
+
+
+Io Tutorial
+
+
+
+
+
+Io Tutorial
+
+
+
+
+
+
+
+
+
+ |
+ Math
+ | |
+
+
+
+Io> 1+1
+==> 2
+
+Io> 2 sin
+==> 0.909297
+
+Io> 2 sqrt
+==> 1.414214
+
+
+ |
|
+Variables
+ | |
+
+
+
+Io> a := 1
+==> 1
+
+Io> a
+==> 1
+
+Io> b := 2 * 3
+==> 6
+
+Io> a + b
+==> 7
+
+
+ |
|
+Conditions
+ | |
+
+
+Io> a := 2
+
+Io> if(a == 1) then(writeln("a is one")) else(writeln("a is not one"))
+a is not one
+
+Io> if(a == 1, writeln("a is one"), writeln("a is not one"))
+a is not one
+
+
+
+ |
|
+Lists
+ | |
+
+
+Io> d := List clone append(30, 10, 5, 20)
+==> list(30, 10, 5, 20)
+
+Io> d size
+==> 4
+
+Io> d print
+==> list(30, 10, 5, 20)
+
+Io> d := d sort
+==> list(5, 10, 20, 30)
+
+Io> d first
+==> 5
+
+Io> d last
+==> 30
+
+Io> d at(2)
+==> 20
+
+Io> d remove(30)
+==> list(5, 10, 20)
+
+Io> d atPut(1, 123)
+==> list(5, 123, 20)
+
+Io> list(30, 10, 5, 20) select(>10)
+==> list(30, 20)
+
+Io> list(30, 10, 5, 20) detect(>10)
+==> 30
+
+Io> list(30, 10, 5, 20) map(*2)
+==> list(60, 20, 10, 40)
+
+Io> list(30, 10, 5, 20) map(v, v*2)
+==> list(60, 20, 10, 40)
+
+
+ |
|
+Loops
+ | |
+
+
+Io> for(i, 1, 10, write(i, " "))
+1 2 3 4 5 6 7 8 9 10
+
+Io> d foreach(i, v, writeln(i, ": ", v))
+0: 5
+1: 123
+2: 20
+
+Io> list("abc", "def", "ghi") foreach(println)
+abc
+def
+ghi
+
+
+
+ |
|
+Strings
+ | |
+
+
+Io> a := "foo"
+==> "foo"
+
+Io> b := "bar"
+==> "bar"
+
+Io> c := a .. b
+==> "foobar"
+
+Io> c at(0)
+==> 102
+
+Io> c at(0) asCharacter
+==> "f"
+
+Io> s := "this is a test"
+==> "this is a test"
+
+Io> words := s split(" ", "\t") print
+"this", "is", "a", "test"
+
+Io> s findSeq("is")
+==> 2
+
+Io> s findSeq("test")
+==> 10
+
+Io> s exSlice(10)
+==> "test"
+
+Io> s exSlice(2, 10)
+==> "is is a "
+
+
+ |
+
+
+More |
+ |
+
+ Quag's Getting Started Tutorial
+
+ |
+
+
+
+
+
+
+
+
+
diff --git a/io-master/docs/docs.css b/io-master/docs/docs.css
new file mode 100755
index 0000000..6dd1109
--- /dev/null
+++ b/io-master/docs/docs.css
@@ -0,0 +1,336 @@
+html {
+ background: #fff;
+ color: #000;
+ font-family: 'Helvetica Neue', 'Helvetica', Arial, sans-serif;
+ padding: 0em;
+ margin: 0em;
+}
+
+a {
+ color: #777;
+ text-decoration: none;
+}
+
+a:active {
+ outline: 0;
+}
+
+body {
+ font-family: 'Helvetica Neue', 'Helvetica', sans-serif;
+ margin: 8px 8px 8px 4em;
+ font-size:13px;
+}
+
+ul {
+ padding: 0em 0em 0em 3.1em;
+}
+
+hr {
+ height:0em;
+}
+
+.Version {
+ color: #bbb;
+ text-align: left;
+}
+
+.indent {
+ margin-left: 0em;
+}
+
+h1 {
+ color: #000;
+ font-family: 'Helvetica-Bold', 'Helvetica';
+ font-size: 3em;
+ font-style: normal;
+ font-variant: normal;
+ font-weight: bold;
+ letter-spacing: 0;
+ line-height: 1.3;
+ margin: 1em 0 0.9em 9;
+ text-align: left;
+ text-decoration: none;
+ text-indent: 0.00em;
+ text-transform: none;
+ vertical-align: 0;
+ vertical-align: text-top;
+}
+
+h2 {
+ page-break-before: always;
+ color: #000;
+ font-family: 'Helvetica', 'Helvetica';
+ font-size: 2em;
+ font-style: normal;
+ font-variant: normal;
+ font-weight: bold;
+ letter-spacing: 0;
+ line-height: 1.21;
+ margin: 2em 0 1em 0;
+ padding: 0;
+ text-decoration: none;
+ text-indent: 0sem;
+ text-transform: none;
+ vertical-align:text-top;
+}
+
+h3 {
+ color: #000;
+ font-family: 'Helvetica-Bold', 'Helvetica';
+ font-size: 1em;
+ font-style: normal;
+ font-variant: normal;
+ font-weight: bold;
+ letter-spacing: 0;
+ margin-left: 0em;
+ margin-right: 0em;
+ text-decoration: none;
+ text-indent: 0.00em;
+ text-transform: none;
+ vertical-align:text-top;
+}
+
+h4 {
+ color: #000;
+ font-family: 'Helvetica-Bold', 'Helvetica';
+ font-size: 1em;
+ font-style: bold;
+ font-variant: normal;
+ font-weight: bold;
+ letter-spacing: 0;
+ line-height: 1.18em;
+ margin: 1.5em 0 0.7em 0;
+ text-align: left;
+ text-decoration: none;
+ text-indent: 0.00em;
+ text-transform: none;
+ vertical-align: text-top;
+}
+
+td
+{
+ vertical-align: text-top;
+}
+
+.indexSection
+{
+ line-height: 1.5em;
+ margin-top:1em;
+}
+
+.indexSection a
+{
+ font-weight: bold;
+ color: black;
+}
+
+.indexItem
+{
+ letter-spacing: 0;
+ line-height: 1.5em;
+ margin-top: 0em;
+ margin-bottom: 0em;
+ margin-left: 0em;
+ margin-right: 0em;
+ text-align: left;
+ text-indent: 0.00em;
+ text-transform: none;
+ vertical-align: 0;
+}
+
+.indexItemSelected a
+{
+ letter-spacing: 0;
+ line-height: 1.4em;
+ margin: 0;
+ text-align: left;
+ text-indent: 0;
+ text-transform: none;
+ vertical-align: 0;
+ color: black;
+ font-weight: bold;
+}
+
+.indexItem a
+{
+ color: #777;
+ font-family: 'Helvetica';
+ font-size: 1em;
+ font-style: normal;
+ font-variant: normal;
+ font-weight: normal;
+ letter-spacing: 0;
+ line-height: 1.4em;
+ text-decoration: none;
+}
+
+.sectionDivider
+{
+ padding-top:1.5em;
+}
+
+pre
+{
+ white-space: pre;
+ color: #333;
+ font-family: 'Inconsolata', 'Courier', monspace;
+ font-size: .95em;
+ font-style: normal;
+ font-variant: normal;
+ font-weight: normal;
+ letter-spacing: 0;
+ line-height: 1.22;
+
+ margin: 1.5em 0 1.5em 2em;
+
+ text-align: left;
+ text-decoration: none;
+ text-indent: 0em;
+ text-transform: none;
+ vertical-align: 0em;
+}
+
+.infoTable
+{
+ margin-left:1.5em;
+ margin-top:2em;
+ margin-bottom:2em;
+}
+
+.infoTable td
+{
+ font-weight:normal;
+ font-style:normal;
+ padding-right:1em;
+}
+
+.infoTable th
+{
+ text-align: left;
+ font-weight:bold;
+ font-style:normal;
+ padding-right:1em;
+}
+
+code {
+ font-family: 'Inconsolata', 'Courier', monospace;
+}
+
+.quote {
+ color: #777;
+ font-family: 'Helvetica';
+ font-size: 1em;
+ font-style: italic;
+ font-variant: normal;
+ font-weight: normal;
+ letter-spacing: 0;
+ line-height: 1.22;
+
+ margin: 1.5em 0;
+
+ text-align: left;
+ text-decoration: none;
+ text-indent: 0em;
+ text-transform: none;
+ vertical-align: 0em;
+}
+
+.error {
+ color: red;
+}
+
+.protoDescription {
+ margin: 1em 0 2.5em 0;
+}
+
+.slots {
+ margin: 4em 0 0 0;
+}
+
+.slotDescription {
+ margin: 1em 0 3em 2em;
+}
+
+#search {
+ position: fixed;
+ right: 4em;
+}
+
+#searchResults {
+ position: fixed;
+ right: 4em;
+ list-style: none;
+ min-width: 200px;
+ padding: 2px;
+ margin: 20px -6px 0 0;
+ text-indent: 0;
+ z-index: 2;
+ background: rgba(0, 0, 0, 0.9);
+ -webkit-box-shadow: 0 3px 10px rgba(0, 0, 0, 0.6);
+ -moz-box-shadow: 0 3px 10px rgba(0, 0, 0, 0.6);
+}
+
+#searchResults li a {
+ display: block;
+ padding: 2px;
+ color: #fff;
+}
+
+#searchResults span {
+ display: inline-block;
+ min-width: 8.5em;
+}
+
+#browser {
+ border: 0;
+ margin-left: 0;
+ line-height: 1.2em;
+}
+
+#browser td.column {
+ text-align: left;
+ width: 12em;
+}
+
+#slots {
+ width: auto !important;
+}
+
+#slots a:active {
+ font-weight: bold;
+ color: #000;
+}
+
+#protoDescription, #protoSlots {
+ margin: 0 0 0 8em;
+ line-height: 1.2em;
+ width: 40em;
+}
+
+#protoDescription {
+ margin-top: 6em;
+ padding-bottom: 1em;
+ border-bottom: 1px solid #ddd;
+}
+
+#protoSlots {
+ margin-top: 3em;
+}
+
+span.args {
+ font-weight: normal !important;
+}
+
+span.optionalArgs {
+ font-style: italic;
+}
+
+@page {
+ size: 8in 11in;
+ margin: 100mm 100mm 100mm 100mm;
+}
+
+div.pagebreak
+{
+ page-break-before: always;
+}
\ No newline at end of file
diff --git a/io-master/docs/js/browser.js b/io-master/docs/js/browser.js
new file mode 100755
index 0000000..44462cd
--- /dev/null
+++ b/io-master/docs/js/browser.js
@@ -0,0 +1,383 @@
+String.prototype.interpolate = function (obj) {
+ if(!obj)
+ return this;
+
+ return this.replace(/#{(\w+)}/g, function (match, key) {
+ return obj[key] || "";
+ });
+};
+
+var DocsBrowser = {
+ currentCategory: null,
+ currentAddon: null,
+ currentProto: null,
+ currentSlot: null,
+ collapsed: false,
+
+ init: function () {
+ this.loadDocs();
+ },
+ loadDocs: function () {
+ var self = this;
+ $.getJSON("docs.json", function (docs) {
+ if(!docs)
+ return false;
+
+ self.docs = docs;
+ self.createIndex();
+ self.attachEvents();
+ self.listCategories();
+ });
+ },
+ _pathsIndex: [],
+ _protosIndex: {},
+ createIndex: function () {
+ for(var category in this.docs)
+ for(var addon in this.docs[category])
+ for(var proto in this.docs[category][addon]) {
+ this._protosIndex[proto] = [category, addon, proto];
+ for(var slot in this.docs[category][addon][proto].slots)
+ this._pathsIndex.push([category, addon, proto, slot]);
+ }
+ },
+ monitorHash: function () {
+ var self = DocsBrowser;
+
+ if(self._last_hash === window.location.hash)
+ return;
+
+ var hash = window.location.hash.split("/").slice(1);
+ if(hash.length == 0)
+ return;
+
+ if(self.currentCategory !== hash[0])
+ self.listAddons(hash[0]);
+ if(hash.length >= 1 && self.currentAddon !== hash[1])
+ self.listProtos(hash[1]);
+ if(hash.length > 2 && self.currentProto !== hash[2])
+ self.listSlots(hash[2]);
+ if(hash.length > 3)
+ self.showSlot(hash[3]);
+
+ self._last_hash = window.location.hash;
+ },
+ attachEvents: function () {
+ var self = this;
+
+ $("h1")
+ .before('')
+ .before('');
+ $("body")
+ .append('')
+ .append('');
+ $("#categories").parent()
+ .append('')
+ .append(' | ')
+ .append(' | ');
+
+ setInterval(this.monitorHash, 200);
+
+ $("#searchResults").click(function () {
+ $(this).empty().hide();
+ $("#search")[0].value = "";
+ });
+
+ $("#search").keyup(function (e) {
+ // Enter key
+ if(e.keyCode === 13) {
+ var link = $("#searchResults a:first").attr("href");
+ if(link) {
+ window.location.hash = link;
+ $("#searchResults").click();
+ this.value = "";
+ }
+ } else if(this.value.length) {
+ self.search(this.value);
+ } else {
+ $("#searchResults").empty().hide();
+ }
+ });
+
+ $(window).keyup(function (e) {
+ if(e.target.nodeName.toLowerCase() === "html"
+ && String.fromCharCode(e.keyCode).toLowerCase() === "f")
+ $("#search")[0].focus();
+ });
+ },
+
+ listCategories: function () {
+ var $categories = $("#categories");
+ this.appendItemsToList($categories, this.docs, "linkToCategory");
+ $("#categories-column").prepend($categories);
+ },
+ listAddons: function (category) {
+ var $addons = $("#addons"),
+ addons = this.docs[category];
+ this.currentCategory = category;
+ this.curentAddon = null;
+ this.currentProto = null;
+ this.currentSlot = null;
+ this.highlightMenuItem(category + "_category");
+
+ this.appendItemsToList($addons, addons, "linkToAddon");
+ $("#protos").empty();
+ $("#slots").empty();
+ $("#protoDescription").empty();
+ $("#protoSlots").empty();
+ $addons.insertAfter("#categories");
+
+ if(addons[category] && window.location.hash.split("/").length == 2) {
+ window.location = window.location + "/" + category;
+ this.listProtos(category);
+ }
+ },
+ listProtos: function (addon) {
+ if(!addon)
+ return false;
+
+ var $protos = $("#protos"),
+ protos = this.docs[this.currentCategory][addon];
+ this.currentAddon = addon;
+ this.highlightMenuItem(addon + "_addon");
+
+ this.appendItemsToList($protos, protos, "linkToProto");
+ $("#slots").empty();
+ $("#protoDescription").empty();
+ $("#protoSlots").empty();
+ $protos.insertAfter("#addons");
+
+ if(protos[addon] && window.location.hash.split("/").length == 3) {
+ window.location = window.location + "/" + addon;
+ this.listSlots(addon);
+ }
+ },
+ listSlots: function (proto) {
+ var $slots = $("#slots"),
+ $descriptions = $("#protoSlots"),
+ _proto = this.docs[this.currentCategory][this.currentAddon][proto],
+ slots = _proto.slots,
+ description = _proto.description,
+ html_description = "#{title} #{body} ";
+ this.currentProto = proto;
+ this.highlightMenuItem(proto + "_proto");
+
+ var keys = [], n = 0;
+ for(var slot in slots)
+ keys.push(slot);
+
+ keys = keys.sort().reverse();
+ n = keys.length;
+ $slots.detach().empty();
+ $descriptions.detach().empty();
+
+ while(n--) {
+ var slot = keys[n];
+ $slots.append(this.linkToSlot(slot));
+ $descriptions.append(html_description.interpolate({
+ aName: this.aNameForHash(slot),
+ title: this.parseSlotName(slot),
+ body: this.parseSlotDescription(slots[slot])
+ }));
+ }
+
+ $("#protoDescription").html(this.parseSlotDescription(description) || "");
+
+ $slots.insertAfter("#protos");
+ $descriptions.appendTo("body");
+ },
+ showSlot: function (slot) {
+ // Some nice scrolling effect?
+ //$("a[name=" + window.location.hash.slice(1) + "]").next();
+ },
+
+ _searchCache: {},
+ search: function (term) {
+ if(this._searchCache[term])
+ return this.displaySearch(term, this._searchCache[term]);
+
+ var results = [],
+ mode = this.getSearchMode(term);
+
+ switch(mode) {
+ case "currentProto":
+ var scope = this.docs[this.currentCategory][this.currentAddon][this.currentProto].slots,
+ _term = $.trim(term);
+
+ for(var slot in scope)
+ if(slot.indexOf(_term) !== -1)
+ results.push([this.currentCategory, this.currentAddon, this.currentProto, slot]);
+ break;
+
+ case "givenProto":
+ var __term = term.split(" "),
+ _term = $.trim(__term[1]),
+ ca = this.getPathToProto(__term[0]);
+ if(!ca)
+ break;
+
+ var scope = this.docs[ca[0]][ca[1]][__term[0]].slots;
+ for(var slot in scope)
+ if(slot.indexOf(_term) !== -1)
+ results.push([ca[0], ca[1], __term[0], slot]);
+ break;
+
+ case "searchProto":
+ var index = this._protosIndex;
+ for(var proto in index)
+ if(proto.indexOf(term) !== -1)
+ results.push(index[proto]);
+
+ break;
+
+ case "allProtos":
+ var index = this._pathsIndex, n = index.length;
+ while(n--)
+ if(index[n][3].indexOf(term) !== -1)
+ results.push(index[n]);
+ break;
+
+ case "none":
+ default:
+ return false;
+ }
+
+ this._searchCache[term] = results;
+ this.displaySearch(term, results);
+ },
+ getSearchMode: function (term) {
+ var firstChar = term[0];
+
+ if(term.length < 2)
+ return "none";
+ else if(firstChar === " ")
+ return "currentProto";
+ else if(firstChar == firstChar.toUpperCase())
+ if(term.indexOf(" ") == -1)
+ return "searchProto";
+ else
+ return "givenProto";
+ else
+ return "allProtos";
+
+ return none;
+ },
+ getPathToProto: function (proto) {
+ return this._protosIndex[proto] || false;
+ },
+ displaySearch: function (term, results) {
+ var $results = $("#searchResults"),
+ _term = $.trim(term),
+ mode = this.getSearchMode(term),
+ n = results.length;
+
+ if(!n) {
+ $results.empty().hide();
+ return false;
+ }
+
+ if(mode === "givenProto")
+ _term = _term.split(" ")[1];
+
+ $results.detach().empty();
+ while(n--) {
+ var result = results[n],
+ slot = (result[3] || result[2]).replace(_term, "" + _term + ""),
+ data = {
+ link: "#/" + result.join("/").split("(")[0],
+ slot: slot,
+ proto: result[2]
+ };
+
+ if(mode === "searchProto")
+ data.proto = result.slice(0, -1).join(" ");
+
+ data.proto = "" + data.proto.split(" ").join("") + "";
+ $results.prepend("#{proto} #{slot}".interpolate(data));
+ }
+
+ $results.show().insertBefore("h1");
+// $results.show().css("top", $("#search").offset().top).appendTo("body");
+ },
+
+ createMenuLink: function (text, type, link) {
+ arguments[2] = link.split("(")[0];
+ return ''.interpolate(arguments);
+ },
+ linkToCategory: function (category) {
+ return this.createMenuLink(category, "category", category);
+ },
+ linkToAddon: function (addon) {
+ return this.createMenuLink(addon, "addon", [this.currentCategory, addon].join("/"));
+ },
+ linkToProto: function (proto) {
+ return this.createMenuLink(proto, "proto", [this.currentCategory, this.currentAddon, proto].join("/"));
+ },
+ linkToSlot: function (slot) {
+ var url = this.aNameForHash(slot),
+ text = this.parseSlotName(slot);
+ return ''.interpolate([slot, url, text]);
+ },
+ highlightMenuItem: function (id) {
+ var $link = $(document.getElementById(id));
+ $link.parent().find(".indexItemSelected").removeClass("indexItemSelected").addClass("indexItem");
+ $link.addClass("indexItemSelected").removeClass("indexItem");
+ },
+ /*
+ collapseMenu: function () {
+ this.collapsed = true;
+ $("#browser ol .indexItem").fadeOut("fast");
+ },
+ showMenu: function () {
+ this.collapsed = false;
+ $("#browser ol .indexItem").fadeIn("fast");
+ }, */
+ parseSlotName: function (slot) {
+ return slot
+ .replace(/\<(.+)\>/, "<$1>")
+ .replace(/\((.*)\)/, "($1)")
+ .replace(/\[(.+)\]/, "$1")
+ .replace(/(\.{3})/, "…");
+ },
+ parseSlotDescription: function (body) {
+ var self = this;
+ return body.replace(/\[\[(\w+) (\w+)\]\]/g, function (line, proto, slot) {
+ var link = self.getPathToProto(proto);
+ if(!link)
+ return '#{1} #{2} '.interpolate(arguments);
+
+ link.push(proto, slot);
+ return '#{1} #{2} '.interpolate([self.pathToHash(link), proto, slot]);
+ }).replace(/\[\[(\w+)\]\]/g, function (line, proto) {
+ var link = self.getPathToProto(proto);
+ if(!link)
+ return '' + proto + ' ';
+
+ return '#{1} '.interpolate([self.pathToHash(link), proto]);
+ });
+ },
+ pathToHash: function (path) {
+ return "#/" + path.join("/");
+ },
+ aNameForHash: function (slot) {
+ slot = slot ? "/" + slot.split("(")[0] : "";
+ return window.location.hash.split("(")[0].split("/").slice(1, 4).join("/") + slot;
+ },
+ appendItemsToList: function($list, items, linkToFn) {
+ $list.detach().empty();
+ var keys = [],
+ makeLink = this[linkToFn],
+ n;
+
+ for(var item in items)
+ keys.push(item);
+
+ n = keys.length;
+ keys = keys.sort().reverse();
+ while(n--)
+ $list.append(this[linkToFn](keys[n]));
+
+ return $list;
+ }
+};
+
+$(function() { DocsBrowser.init(); })
diff --git a/io-master/docs/js/jquery.js b/io-master/docs/js/jquery.js
new file mode 100755
index 0000000..7c24308
--- /dev/null
+++ b/io-master/docs/js/jquery.js
@@ -0,0 +1,154 @@
+/*!
+ * jQuery JavaScript Library v1.4.2
+ * http://jquery.com/
+ *
+ * Copyright 2010, John Resig
+ * Dual licensed under the MIT or GPL Version 2 licenses.
+ * http://jquery.org/license
+ *
+ * Includes Sizzle.js
+ * http://sizzlejs.com/
+ * Copyright 2010, The Dojo Foundation
+ * Released under the MIT, BSD, and GPL Licenses.
+ *
+ * Date: Sat Feb 13 22:33:48 2010 -0500
+ */
+(function(A,w){function ma(){if(!c.isReady){try{s.documentElement.doScroll("left")}catch(a){setTimeout(ma,1);return}c.ready()}}function Qa(a,b){b.src?c.ajax({url:b.src,async:false,dataType:"script"}):c.globalEval(b.text||b.textContent||b.innerHTML||"");b.parentNode&&b.parentNode.removeChild(b)}function X(a,b,d,f,e,j){var i=a.length;if(typeof b==="object"){for(var o in b)X(a,o,b[o],f,e,d);return a}if(d!==w){f=!j&&f&&c.isFunction(d);for(o=0;o)[^>]*$|^#([\w-]+)$/,Ua=/^.[^:#\[\.,]*$/,Va=/\S/,
+Wa=/^(\s|\u00A0)+|(\s|\u00A0)+$/g,Xa=/^<(\w+)\s*\/?>(?:<\/\1>)?$/,P=navigator.userAgent,xa=false,Q=[],L,$=Object.prototype.toString,aa=Object.prototype.hasOwnProperty,ba=Array.prototype.push,R=Array.prototype.slice,ya=Array.prototype.indexOf;c.fn=c.prototype={init:function(a,b){var d,f;if(!a)return this;if(a.nodeType){this.context=this[0]=a;this.length=1;return this}if(a==="body"&&!b){this.context=s;this[0]=s.body;this.selector="body";this.length=1;return this}if(typeof a==="string")if((d=Ta.exec(a))&&
+(d[1]||!b))if(d[1]){f=b?b.ownerDocument||b:s;if(a=Xa.exec(a))if(c.isPlainObject(b)){a=[s.createElement(a[1])];c.fn.attr.call(a,b,true)}else a=[f.createElement(a[1])];else{a=sa([d[1]],[f]);a=(a.cacheable?a.fragment.cloneNode(true):a.fragment).childNodes}return c.merge(this,a)}else{if(b=s.getElementById(d[2])){if(b.id!==d[2])return T.find(a);this.length=1;this[0]=b}this.context=s;this.selector=a;return this}else if(!b&&/^\w+$/.test(a)){this.selector=a;this.context=s;a=s.getElementsByTagName(a);return c.merge(this,
+a)}else return!b||b.jquery?(b||T).find(a):c(b).find(a);else if(c.isFunction(a))return T.ready(a);if(a.selector!==w){this.selector=a.selector;this.context=a.context}return c.makeArray(a,this)},selector:"",jquery:"1.4.2",length:0,size:function(){return this.length},toArray:function(){return R.call(this,0)},get:function(a){return a==null?this.toArray():a<0?this.slice(a)[0]:this[a]},pushStack:function(a,b,d){var f=c();c.isArray(a)?ba.apply(f,a):c.merge(f,a);f.prevObject=this;f.context=this.context;if(b===
+"find")f.selector=this.selector+(this.selector?" ":"")+d;else if(b)f.selector=this.selector+"."+b+"("+d+")";return f},each:function(a,b){return c.each(this,a,b)},ready:function(a){c.bindReady();if(c.isReady)a.call(s,c);else Q&&Q.push(a);return this},eq:function(a){return a===-1?this.slice(a):this.slice(a,+a+1)},first:function(){return this.eq(0)},last:function(){return this.eq(-1)},slice:function(){return this.pushStack(R.apply(this,arguments),"slice",R.call(arguments).join(","))},map:function(a){return this.pushStack(c.map(this,
+function(b,d){return a.call(b,d,b)}))},end:function(){return this.prevObject||c(null)},push:ba,sort:[].sort,splice:[].splice};c.fn.init.prototype=c.fn;c.extend=c.fn.extend=function(){var a=arguments[0]||{},b=1,d=arguments.length,f=false,e,j,i,o;if(typeof a==="boolean"){f=a;a=arguments[1]||{};b=2}if(typeof a!=="object"&&!c.isFunction(a))a={};if(d===b){a=this;--b}for(;ba";
+var e=d.getElementsByTagName("*"),j=d.getElementsByTagName("a")[0];if(!(!e||!e.length||!j)){c.support={leadingWhitespace:d.firstChild.nodeType===3,tbody:!d.getElementsByTagName("tbody").length,htmlSerialize:!!d.getElementsByTagName("link").length,style:/red/.test(j.getAttribute("style")),hrefNormalized:j.getAttribute("href")==="/a",opacity:/^0.55$/.test(j.style.opacity),cssFloat:!!j.style.cssFloat,checkOn:d.getElementsByTagName("input")[0].value==="on",optSelected:s.createElement("select").appendChild(s.createElement("option")).selected,
+parentNode:d.removeChild(d.appendChild(s.createElement("div"))).parentNode===null,deleteExpando:true,checkClone:false,scriptEval:false,noCloneEvent:true,boxModel:null};b.type="text/javascript";try{b.appendChild(s.createTextNode("window."+f+"=1;"))}catch(i){}a.insertBefore(b,a.firstChild);if(A[f]){c.support.scriptEval=true;delete A[f]}try{delete b.test}catch(o){c.support.deleteExpando=false}a.removeChild(b);if(d.attachEvent&&d.fireEvent){d.attachEvent("onclick",function k(){c.support.noCloneEvent=
+false;d.detachEvent("onclick",k)});d.cloneNode(true).fireEvent("onclick")}d=s.createElement("div");d.innerHTML="";a=s.createDocumentFragment();a.appendChild(d.firstChild);c.support.checkClone=a.cloneNode(true).cloneNode(true).lastChild.checked;c(function(){var k=s.createElement("div");k.style.width=k.style.paddingLeft="1px";s.body.appendChild(k);c.boxModel=c.support.boxModel=k.offsetWidth===2;s.body.removeChild(k).style.display="none"});a=function(k){var n=
+s.createElement("div");k="on"+k;var r=k in n;if(!r){n.setAttribute(k,"return;");r=typeof n[k]==="function"}return r};c.support.submitBubbles=a("submit");c.support.changeBubbles=a("change");a=b=d=e=j=null}})();c.props={"for":"htmlFor","class":"className",readonly:"readOnly",maxlength:"maxLength",cellspacing:"cellSpacing",rowspan:"rowSpan",colspan:"colSpan",tabindex:"tabIndex",usemap:"useMap",frameborder:"frameBorder"};var G="jQuery"+J(),Ya=0,za={};c.extend({cache:{},expando:G,noData:{embed:true,object:true,
+applet:true},data:function(a,b,d){if(!(a.nodeName&&c.noData[a.nodeName.toLowerCase()])){a=a==A?za:a;var f=a[G],e=c.cache;if(!f&&typeof b==="string"&&d===w)return null;f||(f=++Ya);if(typeof b==="object"){a[G]=f;e[f]=c.extend(true,{},b)}else if(!e[f]){a[G]=f;e[f]={}}a=e[f];if(d!==w)a[b]=d;return typeof b==="string"?a[b]:a}},removeData:function(a,b){if(!(a.nodeName&&c.noData[a.nodeName.toLowerCase()])){a=a==A?za:a;var d=a[G],f=c.cache,e=f[d];if(b){if(e){delete e[b];c.isEmptyObject(e)&&c.removeData(a)}}else{if(c.support.deleteExpando)delete a[c.expando];
+else a.removeAttribute&&a.removeAttribute(c.expando);delete f[d]}}}});c.fn.extend({data:function(a,b){if(typeof a==="undefined"&&this.length)return c.data(this[0]);else if(typeof a==="object")return this.each(function(){c.data(this,a)});var d=a.split(".");d[1]=d[1]?"."+d[1]:"";if(b===w){var f=this.triggerHandler("getData"+d[1]+"!",[d[0]]);if(f===w&&this.length)f=c.data(this[0],a);return f===w&&d[1]?this.data(d[0]):f}else return this.trigger("setData"+d[1]+"!",[d[0],b]).each(function(){c.data(this,
+a,b)})},removeData:function(a){return this.each(function(){c.removeData(this,a)})}});c.extend({queue:function(a,b,d){if(a){b=(b||"fx")+"queue";var f=c.data(a,b);if(!d)return f||[];if(!f||c.isArray(d))f=c.data(a,b,c.makeArray(d));else f.push(d);return f}},dequeue:function(a,b){b=b||"fx";var d=c.queue(a,b),f=d.shift();if(f==="inprogress")f=d.shift();if(f){b==="fx"&&d.unshift("inprogress");f.call(a,function(){c.dequeue(a,b)})}}});c.fn.extend({queue:function(a,b){if(typeof a!=="string"){b=a;a="fx"}if(b===
+w)return c.queue(this[0],a);return this.each(function(){var d=c.queue(this,a,b);a==="fx"&&d[0]!=="inprogress"&&c.dequeue(this,a)})},dequeue:function(a){return this.each(function(){c.dequeue(this,a)})},delay:function(a,b){a=c.fx?c.fx.speeds[a]||a:a;b=b||"fx";return this.queue(b,function(){var d=this;setTimeout(function(){c.dequeue(d,b)},a)})},clearQueue:function(a){return this.queue(a||"fx",[])}});var Aa=/[\n\t]/g,ca=/\s+/,Za=/\r/g,$a=/href|src|style/,ab=/(button|input)/i,bb=/(button|input|object|select|textarea)/i,
+cb=/^(a|area)$/i,Ba=/radio|checkbox/;c.fn.extend({attr:function(a,b){return X(this,a,b,true,c.attr)},removeAttr:function(a){return this.each(function(){c.attr(this,a,"");this.nodeType===1&&this.removeAttribute(a)})},addClass:function(a){if(c.isFunction(a))return this.each(function(n){var r=c(this);r.addClass(a.call(this,n,r.attr("class")))});if(a&&typeof a==="string")for(var b=(a||"").split(ca),d=0,f=this.length;d-1)return true;return false},val:function(a){if(a===w){var b=this[0];if(b){if(c.nodeName(b,"option"))return(b.attributes.value||{}).specified?b.value:b.text;if(c.nodeName(b,"select")){var d=b.selectedIndex,f=[],e=b.options;b=b.type==="select-one";if(d<0)return null;var j=b?d:0;for(d=b?d+1:e.length;j=0;else if(c.nodeName(this,"select")){var u=c.makeArray(r);c("option",this).each(function(){this.selected=
+c.inArray(c(this).val(),u)>=0});if(!u.length)this.selectedIndex=-1}else this.value=r}})}});c.extend({attrFn:{val:true,css:true,html:true,text:true,data:true,width:true,height:true,offset:true},attr:function(a,b,d,f){if(!a||a.nodeType===3||a.nodeType===8)return w;if(f&&b in c.attrFn)return c(a)[b](d);f=a.nodeType!==1||!c.isXMLDoc(a);var e=d!==w;b=f&&c.props[b]||b;if(a.nodeType===1){var j=$a.test(b);if(b in a&&f&&!j){if(e){b==="type"&&ab.test(a.nodeName)&&a.parentNode&&c.error("type property can't be changed");
+a[b]=d}if(c.nodeName(a,"form")&&a.getAttributeNode(b))return a.getAttributeNode(b).nodeValue;if(b==="tabIndex")return(b=a.getAttributeNode("tabIndex"))&&b.specified?b.value:bb.test(a.nodeName)||cb.test(a.nodeName)&&a.href?0:w;return a[b]}if(!c.support.style&&f&&b==="style"){if(e)a.style.cssText=""+d;return a.style.cssText}e&&a.setAttribute(b,""+d);a=!c.support.hrefNormalized&&f&&j?a.getAttribute(b,2):a.getAttribute(b);return a===null?w:a}return c.style(a,b,d)}});var O=/\.(.*)$/,db=function(a){return a.replace(/[^\w\s\.\|`]/g,
+function(b){return"\\"+b})};c.event={add:function(a,b,d,f){if(!(a.nodeType===3||a.nodeType===8)){if(a.setInterval&&a!==A&&!a.frameElement)a=A;var e,j;if(d.handler){e=d;d=e.handler}if(!d.guid)d.guid=c.guid++;if(j=c.data(a)){var i=j.events=j.events||{},o=j.handle;if(!o)j.handle=o=function(){return typeof c!=="undefined"&&!c.event.triggered?c.event.handle.apply(o.elem,arguments):w};o.elem=a;b=b.split(" ");for(var k,n=0,r;k=b[n++];){j=e?c.extend({},e):{handler:d,data:f};if(k.indexOf(".")>-1){r=k.split(".");
+k=r.shift();j.namespace=r.slice(0).sort().join(".")}else{r=[];j.namespace=""}j.type=k;j.guid=d.guid;var u=i[k],z=c.event.special[k]||{};if(!u){u=i[k]=[];if(!z.setup||z.setup.call(a,f,r,o)===false)if(a.addEventListener)a.addEventListener(k,o,false);else a.attachEvent&&a.attachEvent("on"+k,o)}if(z.add){z.add.call(a,j);if(!j.handler.guid)j.handler.guid=d.guid}u.push(j);c.event.global[k]=true}a=null}}},global:{},remove:function(a,b,d,f){if(!(a.nodeType===3||a.nodeType===8)){var e,j=0,i,o,k,n,r,u,z=c.data(a),
+C=z&&z.events;if(z&&C){if(b&&b.type){d=b.handler;b=b.type}if(!b||typeof b==="string"&&b.charAt(0)==="."){b=b||"";for(e in C)c.event.remove(a,e+b)}else{for(b=b.split(" ");e=b[j++];){n=e;i=e.indexOf(".")<0;o=[];if(!i){o=e.split(".");e=o.shift();k=new RegExp("(^|\\.)"+c.map(o.slice(0).sort(),db).join("\\.(?:.*\\.)?")+"(\\.|$)")}if(r=C[e])if(d){n=c.event.special[e]||{};for(B=f||0;B=0){a.type=
+e=e.slice(0,-1);a.exclusive=true}if(!d){a.stopPropagation();c.event.global[e]&&c.each(c.cache,function(){this.events&&this.events[e]&&c.event.trigger(a,b,this.handle.elem)})}if(!d||d.nodeType===3||d.nodeType===8)return w;a.result=w;a.target=d;b=c.makeArray(b);b.unshift(a)}a.currentTarget=d;(f=c.data(d,"handle"))&&f.apply(d,b);f=d.parentNode||d.ownerDocument;try{if(!(d&&d.nodeName&&c.noData[d.nodeName.toLowerCase()]))if(d["on"+e]&&d["on"+e].apply(d,b)===false)a.result=false}catch(j){}if(!a.isPropagationStopped()&&
+f)c.event.trigger(a,b,f,true);else if(!a.isDefaultPrevented()){f=a.target;var i,o=c.nodeName(f,"a")&&e==="click",k=c.event.special[e]||{};if((!k._default||k._default.call(d,a)===false)&&!o&&!(f&&f.nodeName&&c.noData[f.nodeName.toLowerCase()])){try{if(f[e]){if(i=f["on"+e])f["on"+e]=null;c.event.triggered=true;f[e]()}}catch(n){}if(i)f["on"+e]=i;c.event.triggered=false}}},handle:function(a){var b,d,f,e;a=arguments[0]=c.event.fix(a||A.event);a.currentTarget=this;b=a.type.indexOf(".")<0&&!a.exclusive;
+if(!b){d=a.type.split(".");a.type=d.shift();f=new RegExp("(^|\\.)"+d.slice(0).sort().join("\\.(?:.*\\.)?")+"(\\.|$)")}e=c.data(this,"events");d=e[a.type];if(e&&d){d=d.slice(0);e=0;for(var j=d.length;e-1?c.map(a.options,function(f){return f.selected}).join("-"):"";else if(a.nodeName.toLowerCase()==="select")d=a.selectedIndex;return d},fa=function(a,b){var d=a.target,f,e;if(!(!da.test(d.nodeName)||d.readOnly)){f=c.data(d,"_change_data");e=Fa(d);if(a.type!=="focusout"||d.type!=="radio")c.data(d,"_change_data",
+e);if(!(f===w||e===f))if(f!=null||e){a.type="change";return c.event.trigger(a,b,d)}}};c.event.special.change={filters:{focusout:fa,click:function(a){var b=a.target,d=b.type;if(d==="radio"||d==="checkbox"||b.nodeName.toLowerCase()==="select")return fa.call(this,a)},keydown:function(a){var b=a.target,d=b.type;if(a.keyCode===13&&b.nodeName.toLowerCase()!=="textarea"||a.keyCode===32&&(d==="checkbox"||d==="radio")||d==="select-multiple")return fa.call(this,a)},beforeactivate:function(a){a=a.target;c.data(a,
+"_change_data",Fa(a))}},setup:function(){if(this.type==="file")return false;for(var a in ea)c.event.add(this,a+".specialChange",ea[a]);return da.test(this.nodeName)},teardown:function(){c.event.remove(this,".specialChange");return da.test(this.nodeName)}};ea=c.event.special.change.filters}s.addEventListener&&c.each({focus:"focusin",blur:"focusout"},function(a,b){function d(f){f=c.event.fix(f);f.type=b;return c.event.handle.call(this,f)}c.event.special[b]={setup:function(){this.addEventListener(a,
+d,true)},teardown:function(){this.removeEventListener(a,d,true)}}});c.each(["bind","one"],function(a,b){c.fn[b]=function(d,f,e){if(typeof d==="object"){for(var j in d)this[b](j,f,d[j],e);return this}if(c.isFunction(f)){e=f;f=w}var i=b==="one"?c.proxy(e,function(k){c(this).unbind(k,i);return e.apply(this,arguments)}):e;if(d==="unload"&&b!=="one")this.one(d,f,e);else{j=0;for(var o=this.length;j0){y=t;break}}t=t[g]}m[q]=y}}}var f=/((?:\((?:\([^()]+\)|[^()]+)+\)|\[(?:\[[^[\]]*\]|['"][^'"]*['"]|[^[\]'"]+)+\]|\\.|[^ >+~,(\[\\]+)+|[>+~])(\s*,\s*)?((?:.|\r|\n)*)/g,
+e=0,j=Object.prototype.toString,i=false,o=true;[0,0].sort(function(){o=false;return 0});var k=function(g,h,l,m){l=l||[];var q=h=h||s;if(h.nodeType!==1&&h.nodeType!==9)return[];if(!g||typeof g!=="string")return l;for(var p=[],v,t,y,S,H=true,M=x(h),I=g;(f.exec(""),v=f.exec(I))!==null;){I=v[3];p.push(v[1]);if(v[2]){S=v[3];break}}if(p.length>1&&r.exec(g))if(p.length===2&&n.relative[p[0]])t=ga(p[0]+p[1],h);else for(t=n.relative[p[0]]?[h]:k(p.shift(),h);p.length;){g=p.shift();if(n.relative[g])g+=p.shift();
+t=ga(g,t)}else{if(!m&&p.length>1&&h.nodeType===9&&!M&&n.match.ID.test(p[0])&&!n.match.ID.test(p[p.length-1])){v=k.find(p.shift(),h,M);h=v.expr?k.filter(v.expr,v.set)[0]:v.set[0]}if(h){v=m?{expr:p.pop(),set:z(m)}:k.find(p.pop(),p.length===1&&(p[0]==="~"||p[0]==="+")&&h.parentNode?h.parentNode:h,M);t=v.expr?k.filter(v.expr,v.set):v.set;if(p.length>0)y=z(t);else H=false;for(;p.length;){var D=p.pop();v=D;if(n.relative[D])v=p.pop();else D="";if(v==null)v=h;n.relative[D](y,v,M)}}else y=[]}y||(y=t);y||k.error(D||
+g);if(j.call(y)==="[object Array]")if(H)if(h&&h.nodeType===1)for(g=0;y[g]!=null;g++){if(y[g]&&(y[g]===true||y[g].nodeType===1&&E(h,y[g])))l.push(t[g])}else for(g=0;y[g]!=null;g++)y[g]&&y[g].nodeType===1&&l.push(t[g]);else l.push.apply(l,y);else z(y,l);if(S){k(S,q,l,m);k.uniqueSort(l)}return l};k.uniqueSort=function(g){if(B){i=o;g.sort(B);if(i)for(var h=1;h":function(g,h){var l=typeof h==="string";if(l&&!/\W/.test(h)){h=h.toLowerCase();for(var m=0,q=g.length;m=0))l||m.push(v);else if(l)h[p]=false;return false},ID:function(g){return g[1].replace(/\\/g,"")},TAG:function(g){return g[1].toLowerCase()},
+CHILD:function(g){if(g[1]==="nth"){var h=/(-?)(\d*)n((?:\+|-)?\d*)/.exec(g[2]==="even"&&"2n"||g[2]==="odd"&&"2n+1"||!/\D/.test(g[2])&&"0n+"+g[2]||g[2]);g[2]=h[1]+(h[2]||1)-0;g[3]=h[3]-0}g[0]=e++;return g},ATTR:function(g,h,l,m,q,p){h=g[1].replace(/\\/g,"");if(!p&&n.attrMap[h])g[1]=n.attrMap[h];if(g[2]==="~=")g[4]=" "+g[4]+" ";return g},PSEUDO:function(g,h,l,m,q){if(g[1]==="not")if((f.exec(g[3])||"").length>1||/^\w/.test(g[3]))g[3]=k(g[3],null,null,h);else{g=k.filter(g[3],h,l,true^q);l||m.push.apply(m,
+g);return false}else if(n.match.POS.test(g[0])||n.match.CHILD.test(g[0]))return true;return g},POS:function(g){g.unshift(true);return g}},filters:{enabled:function(g){return g.disabled===false&&g.type!=="hidden"},disabled:function(g){return g.disabled===true},checked:function(g){return g.checked===true},selected:function(g){return g.selected===true},parent:function(g){return!!g.firstChild},empty:function(g){return!g.firstChild},has:function(g,h,l){return!!k(l[3],g).length},header:function(g){return/h\d/i.test(g.nodeName)},
+text:function(g){return"text"===g.type},radio:function(g){return"radio"===g.type},checkbox:function(g){return"checkbox"===g.type},file:function(g){return"file"===g.type},password:function(g){return"password"===g.type},submit:function(g){return"submit"===g.type},image:function(g){return"image"===g.type},reset:function(g){return"reset"===g.type},button:function(g){return"button"===g.type||g.nodeName.toLowerCase()==="button"},input:function(g){return/input|select|textarea|button/i.test(g.nodeName)}},
+setFilters:{first:function(g,h){return h===0},last:function(g,h,l,m){return h===m.length-1},even:function(g,h){return h%2===0},odd:function(g,h){return h%2===1},lt:function(g,h,l){return hl[3]-0},nth:function(g,h,l){return l[3]-0===h},eq:function(g,h,l){return l[3]-0===h}},filter:{PSEUDO:function(g,h,l,m){var q=h[1],p=n.filters[q];if(p)return p(g,l,h,m);else if(q==="contains")return(g.textContent||g.innerText||a([g])||"").indexOf(h[3])>=0;else if(q==="not"){h=
+h[3];l=0;for(m=h.length;l=0}},ID:function(g,h){return g.nodeType===1&&g.getAttribute("id")===h},TAG:function(g,h){return h==="*"&&g.nodeType===1||g.nodeName.toLowerCase()===h},CLASS:function(g,h){return(" "+(g.className||g.getAttribute("class"))+" ").indexOf(h)>-1},ATTR:function(g,h){var l=h[1];g=n.attrHandle[l]?n.attrHandle[l](g):g[l]!=null?g[l]:g.getAttribute(l);l=g+"";var m=h[2];h=h[4];return g==null?m==="!=":m===
+"="?l===h:m==="*="?l.indexOf(h)>=0:m==="~="?(" "+l+" ").indexOf(h)>=0:!h?l&&g!==false:m==="!="?l!==h:m==="^="?l.indexOf(h)===0:m==="$="?l.substr(l.length-h.length)===h:m==="|="?l===h||l.substr(0,h.length+1)===h+"-":false},POS:function(g,h,l,m){var q=n.setFilters[h[2]];if(q)return q(g,l,h,m)}}},r=n.match.POS;for(var u in n.match){n.match[u]=new RegExp(n.match[u].source+/(?![^\[]*\])(?![^\(]*\))/.source);n.leftMatch[u]=new RegExp(/(^(?:.|\r|\n)*?)/.source+n.match[u].source.replace(/\\(\d+)/g,function(g,
+h){return"\\"+(h-0+1)}))}var z=function(g,h){g=Array.prototype.slice.call(g,0);if(h){h.push.apply(h,g);return h}return g};try{Array.prototype.slice.call(s.documentElement.childNodes,0)}catch(C){z=function(g,h){h=h||[];if(j.call(g)==="[object Array]")Array.prototype.push.apply(h,g);else if(typeof g.length==="number")for(var l=0,m=g.length;l";var l=s.documentElement;l.insertBefore(g,l.firstChild);if(s.getElementById(h)){n.find.ID=function(m,q,p){if(typeof q.getElementById!=="undefined"&&!p)return(q=q.getElementById(m[1]))?q.id===m[1]||typeof q.getAttributeNode!=="undefined"&&
+q.getAttributeNode("id").nodeValue===m[1]?[q]:w:[]};n.filter.ID=function(m,q){var p=typeof m.getAttributeNode!=="undefined"&&m.getAttributeNode("id");return m.nodeType===1&&p&&p.nodeValue===q}}l.removeChild(g);l=g=null})();(function(){var g=s.createElement("div");g.appendChild(s.createComment(""));if(g.getElementsByTagName("*").length>0)n.find.TAG=function(h,l){l=l.getElementsByTagName(h[1]);if(h[1]==="*"){h=[];for(var m=0;l[m];m++)l[m].nodeType===1&&h.push(l[m]);l=h}return l};g.innerHTML="";
+if(g.firstChild&&typeof g.firstChild.getAttribute!=="undefined"&&g.firstChild.getAttribute("href")!=="#")n.attrHandle.href=function(h){return h.getAttribute("href",2)};g=null})();s.querySelectorAll&&function(){var g=k,h=s.createElement("div");h.innerHTML="";if(!(h.querySelectorAll&&h.querySelectorAll(".TEST").length===0)){k=function(m,q,p,v){q=q||s;if(!v&&q.nodeType===9&&!x(q))try{return z(q.querySelectorAll(m),p)}catch(t){}return g(m,q,p,v)};for(var l in g)k[l]=g[l];h=null}}();
+(function(){var g=s.createElement("div");g.innerHTML="";if(!(!g.getElementsByClassName||g.getElementsByClassName("e").length===0)){g.lastChild.className="e";if(g.getElementsByClassName("e").length!==1){n.order.splice(1,0,"CLASS");n.find.CLASS=function(h,l,m){if(typeof l.getElementsByClassName!=="undefined"&&!m)return l.getElementsByClassName(h[1])};g=null}}})();var E=s.compareDocumentPosition?function(g,h){return!!(g.compareDocumentPosition(h)&16)}:
+function(g,h){return g!==h&&(g.contains?g.contains(h):true)},x=function(g){return(g=(g?g.ownerDocument||g:0).documentElement)?g.nodeName!=="HTML":false},ga=function(g,h){var l=[],m="",q;for(h=h.nodeType?[h]:h;q=n.match.PSEUDO.exec(g);){m+=q[0];g=g.replace(n.match.PSEUDO,"")}g=n.relative[g]?g+"*":g;q=0;for(var p=h.length;q=0===d})};c.fn.extend({find:function(a){for(var b=this.pushStack("","find",a),d=0,f=0,e=this.length;f0)for(var j=d;j0},closest:function(a,b){if(c.isArray(a)){var d=[],f=this[0],e,j=
+{},i;if(f&&a.length){e=0;for(var o=a.length;e-1:c(f).is(e)){d.push({selector:i,elem:f});delete j[i]}}f=f.parentNode}}return d}var k=c.expr.match.POS.test(a)?c(a,b||this.context):null;return this.map(function(n,r){for(;r&&r.ownerDocument&&r!==b;){if(k?k.index(r)>-1:c(r).is(a))return r;r=r.parentNode}return null})},index:function(a){if(!a||typeof a===
+"string")return c.inArray(this[0],a?c(a):this.parent().children());return c.inArray(a.jquery?a[0]:a,this)},add:function(a,b){a=typeof a==="string"?c(a,b||this.context):c.makeArray(a);b=c.merge(this.get(),a);return this.pushStack(qa(a[0])||qa(b[0])?b:c.unique(b))},andSelf:function(){return this.add(this.prevObject)}});c.each({parent:function(a){return(a=a.parentNode)&&a.nodeType!==11?a:null},parents:function(a){return c.dir(a,"parentNode")},parentsUntil:function(a,b,d){return c.dir(a,"parentNode",
+d)},next:function(a){return c.nth(a,2,"nextSibling")},prev:function(a){return c.nth(a,2,"previousSibling")},nextAll:function(a){return c.dir(a,"nextSibling")},prevAll:function(a){return c.dir(a,"previousSibling")},nextUntil:function(a,b,d){return c.dir(a,"nextSibling",d)},prevUntil:function(a,b,d){return c.dir(a,"previousSibling",d)},siblings:function(a){return c.sibling(a.parentNode.firstChild,a)},children:function(a){return c.sibling(a.firstChild)},contents:function(a){return c.nodeName(a,"iframe")?
+a.contentDocument||a.contentWindow.document:c.makeArray(a.childNodes)}},function(a,b){c.fn[a]=function(d,f){var e=c.map(this,b,d);eb.test(a)||(f=d);if(f&&typeof f==="string")e=c.filter(f,e);e=this.length>1?c.unique(e):e;if((this.length>1||gb.test(f))&&fb.test(a))e=e.reverse();return this.pushStack(e,a,R.call(arguments).join(","))}});c.extend({filter:function(a,b,d){if(d)a=":not("+a+")";return c.find.matches(a,b)},dir:function(a,b,d){var f=[];for(a=a[b];a&&a.nodeType!==9&&(d===w||a.nodeType!==1||!c(a).is(d));){a.nodeType===
+1&&f.push(a);a=a[b]}return f},nth:function(a,b,d){b=b||1;for(var f=0;a;a=a[d])if(a.nodeType===1&&++f===b)break;return a},sibling:function(a,b){for(var d=[];a;a=a.nextSibling)a.nodeType===1&&a!==b&&d.push(a);return d}});var Ja=/ jQuery\d+="(?:\d+|null)"/g,V=/^\s+/,Ka=/(<([\w:]+)[^>]*?)\/>/g,hb=/^(?:area|br|col|embed|hr|img|input|link|meta|param)$/i,La=/<([\w:]+)/,ib=/"+d+">"},F={option:[1,""],legend:[1,""],thead:[1,""],tr:[2,""],td:[3,""],col:[2,""],area:[1,""],_default:[0,"",""]};F.optgroup=F.option;F.tbody=F.tfoot=F.colgroup=F.caption=F.thead;F.th=F.td;if(!c.support.htmlSerialize)F._default=[1,"div"," "];c.fn.extend({text:function(a){if(c.isFunction(a))return this.each(function(b){var d=
+c(this);d.text(a.call(this,b,d.text()))});if(typeof a!=="object"&&a!==w)return this.empty().append((this[0]&&this[0].ownerDocument||s).createTextNode(a));return c.text(this)},wrapAll:function(a){if(c.isFunction(a))return this.each(function(d){c(this).wrapAll(a.call(this,d))});if(this[0]){var b=c(a,this[0].ownerDocument).eq(0).clone(true);this[0].parentNode&&b.insertBefore(this[0]);b.map(function(){for(var d=this;d.firstChild&&d.firstChild.nodeType===1;)d=d.firstChild;return d}).append(this)}return this},
+wrapInner:function(a){if(c.isFunction(a))return this.each(function(b){c(this).wrapInner(a.call(this,b))});return this.each(function(){var b=c(this),d=b.contents();d.length?d.wrapAll(a):b.append(a)})},wrap:function(a){return this.each(function(){c(this).wrapAll(a)})},unwrap:function(){return this.parent().each(function(){c.nodeName(this,"body")||c(this).replaceWith(this.childNodes)}).end()},append:function(){return this.domManip(arguments,true,function(a){this.nodeType===1&&this.appendChild(a)})},
+prepend:function(){return this.domManip(arguments,true,function(a){this.nodeType===1&&this.insertBefore(a,this.firstChild)})},before:function(){if(this[0]&&this[0].parentNode)return this.domManip(arguments,false,function(b){this.parentNode.insertBefore(b,this)});else if(arguments.length){var a=c(arguments[0]);a.push.apply(a,this.toArray());return this.pushStack(a,"before",arguments)}},after:function(){if(this[0]&&this[0].parentNode)return this.domManip(arguments,false,function(b){this.parentNode.insertBefore(b,
+this.nextSibling)});else if(arguments.length){var a=this.pushStack(this,"after",arguments);a.push.apply(a,c(arguments[0]).toArray());return a}},remove:function(a,b){for(var d=0,f;(f=this[d])!=null;d++)if(!a||c.filter(a,[f]).length){if(!b&&f.nodeType===1){c.cleanData(f.getElementsByTagName("*"));c.cleanData([f])}f.parentNode&&f.parentNode.removeChild(f)}return this},empty:function(){for(var a=0,b;(b=this[a])!=null;a++)for(b.nodeType===1&&c.cleanData(b.getElementsByTagName("*"));b.firstChild;)b.removeChild(b.firstChild);
+return this},clone:function(a){var b=this.map(function(){if(!c.support.noCloneEvent&&!c.isXMLDoc(this)){var d=this.outerHTML,f=this.ownerDocument;if(!d){d=f.createElement("div");d.appendChild(this.cloneNode(true));d=d.innerHTML}return c.clean([d.replace(Ja,"").replace(/=([^="'>\s]+\/)>/g,'="$1">').replace(V,"")],f)[0]}else return this.cloneNode(true)});if(a===true){ra(this,b);ra(this.find("*"),b.find("*"))}return b},html:function(a){if(a===w)return this[0]&&this[0].nodeType===1?this[0].innerHTML.replace(Ja,
+""):null;else if(typeof a==="string"&&!ta.test(a)&&(c.support.leadingWhitespace||!V.test(a))&&!F[(La.exec(a)||["",""])[1].toLowerCase()]){a=a.replace(Ka,Ma);try{for(var b=0,d=this.length;b0||e.cacheable||this.length>1?k.cloneNode(true):k)}o.length&&c.each(o,Qa)}return this}});c.fragments={};c.each({appendTo:"append",prependTo:"prepend",insertBefore:"before",insertAfter:"after",replaceAll:"replaceWith"},function(a,b){c.fn[a]=function(d){var f=[];d=c(d);var e=this.length===1&&this[0].parentNode;if(e&&e.nodeType===11&&e.childNodes.length===1&&d.length===1){d[b](this[0]);
+return this}else{e=0;for(var j=d.length;e0?this.clone(true):this).get();c.fn[b].apply(c(d[e]),i);f=f.concat(i)}return this.pushStack(f,a,d.selector)}}});c.extend({clean:function(a,b,d,f){b=b||s;if(typeof b.createElement==="undefined")b=b.ownerDocument||b[0]&&b[0].ownerDocument||s;for(var e=[],j=0,i;(i=a[j])!=null;j++){if(typeof i==="number")i+="";if(i){if(typeof i==="string"&&!jb.test(i))i=b.createTextNode(i);else if(typeof i==="string"){i=i.replace(Ka,Ma);var o=(La.exec(i)||["",
+""])[1].toLowerCase(),k=F[o]||F._default,n=k[0],r=b.createElement("div");for(r.innerHTML=k[1]+i+k[2];n--;)r=r.lastChild;if(!c.support.tbody){n=ib.test(i);o=o==="table"&&!n?r.firstChild&&r.firstChild.childNodes:k[1]===""&&!n?r.childNodes:[];for(k=o.length-1;k>=0;--k)c.nodeName(o[k],"tbody")&&!o[k].childNodes.length&&o[k].parentNode.removeChild(o[k])}!c.support.leadingWhitespace&&V.test(i)&&r.insertBefore(b.createTextNode(V.exec(i)[0]),r.firstChild);i=r.childNodes}if(i.nodeType)e.push(i);else e=
+c.merge(e,i)}}if(d)for(j=0;e[j];j++)if(f&&c.nodeName(e[j],"script")&&(!e[j].type||e[j].type.toLowerCase()==="text/javascript"))f.push(e[j].parentNode?e[j].parentNode.removeChild(e[j]):e[j]);else{e[j].nodeType===1&&e.splice.apply(e,[j+1,0].concat(c.makeArray(e[j].getElementsByTagName("script"))));d.appendChild(e[j])}return e},cleanData:function(a){for(var b,d,f=c.cache,e=c.event.special,j=c.support.deleteExpando,i=0,o;(o=a[i])!=null;i++)if(d=o[c.expando]){b=f[d];if(b.events)for(var k in b.events)e[k]?
+c.event.remove(o,k):Ca(o,k,b.handle);if(j)delete o[c.expando];else o.removeAttribute&&o.removeAttribute(c.expando);delete f[d]}}});var kb=/z-?index|font-?weight|opacity|zoom|line-?height/i,Na=/alpha\([^)]*\)/,Oa=/opacity=([^)]*)/,ha=/float/i,ia=/-([a-z])/ig,lb=/([A-Z])/g,mb=/^-?\d+(?:px)?$/i,nb=/^-?\d/,ob={position:"absolute",visibility:"hidden",display:"block"},pb=["Left","Right"],qb=["Top","Bottom"],rb=s.defaultView&&s.defaultView.getComputedStyle,Pa=c.support.cssFloat?"cssFloat":"styleFloat",ja=
+function(a,b){return b.toUpperCase()};c.fn.css=function(a,b){return X(this,a,b,true,function(d,f,e){if(e===w)return c.curCSS(d,f);if(typeof e==="number"&&!kb.test(f))e+="px";c.style(d,f,e)})};c.extend({style:function(a,b,d){if(!a||a.nodeType===3||a.nodeType===8)return w;if((b==="width"||b==="height")&&parseFloat(d)<0)d=w;var f=a.style||a,e=d!==w;if(!c.support.opacity&&b==="opacity"){if(e){f.zoom=1;b=parseInt(d,10)+""==="NaN"?"":"alpha(opacity="+d*100+")";a=f.filter||c.curCSS(a,"filter")||"";f.filter=
+Na.test(a)?a.replace(Na,b):b}return f.filter&&f.filter.indexOf("opacity=")>=0?parseFloat(Oa.exec(f.filter)[1])/100+"":""}if(ha.test(b))b=Pa;b=b.replace(ia,ja);if(e)f[b]=d;return f[b]},css:function(a,b,d,f){if(b==="width"||b==="height"){var e,j=b==="width"?pb:qb;function i(){e=b==="width"?a.offsetWidth:a.offsetHeight;f!=="border"&&c.each(j,function(){f||(e-=parseFloat(c.curCSS(a,"padding"+this,true))||0);if(f==="margin")e+=parseFloat(c.curCSS(a,"margin"+this,true))||0;else e-=parseFloat(c.curCSS(a,
+"border"+this+"Width",true))||0})}a.offsetWidth!==0?i():c.swap(a,ob,i);return Math.max(0,Math.round(e))}return c.curCSS(a,b,d)},curCSS:function(a,b,d){var f,e=a.style;if(!c.support.opacity&&b==="opacity"&&a.currentStyle){f=Oa.test(a.currentStyle.filter||"")?parseFloat(RegExp.$1)/100+"":"";return f===""?"1":f}if(ha.test(b))b=Pa;if(!d&&e&&e[b])f=e[b];else if(rb){if(ha.test(b))b="float";b=b.replace(lb,"-$1").toLowerCase();e=a.ownerDocument.defaultView;if(!e)return null;if(a=e.getComputedStyle(a,null))f=
+a.getPropertyValue(b);if(b==="opacity"&&f==="")f="1"}else if(a.currentStyle){d=b.replace(ia,ja);f=a.currentStyle[b]||a.currentStyle[d];if(!mb.test(f)&&nb.test(f)){b=e.left;var j=a.runtimeStyle.left;a.runtimeStyle.left=a.currentStyle.left;e.left=d==="fontSize"?"1em":f||0;f=e.pixelLeft+"px";e.left=b;a.runtimeStyle.left=j}}return f},swap:function(a,b,d){var f={};for(var e in b){f[e]=a.style[e];a.style[e]=b[e]}d.call(a);for(e in b)a.style[e]=f[e]}});if(c.expr&&c.expr.filters){c.expr.filters.hidden=function(a){var b=
+a.offsetWidth,d=a.offsetHeight,f=a.nodeName.toLowerCase()==="tr";return b===0&&d===0&&!f?true:b>0&&d>0&&!f?false:c.curCSS(a,"display")==="none"};c.expr.filters.visible=function(a){return!c.expr.filters.hidden(a)}}var sb=J(),tb=/
+
+
+
+
+
+Io Reference
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ |
+
+
diff --git a/io-master/extras/IoLanguageKit/IoLanguageKit.h b/io-master/extras/IoLanguageKit/IoLanguageKit.h
new file mode 100755
index 0000000..c728b44
--- /dev/null
+++ b/io-master/extras/IoLanguageKit/IoLanguageKit.h
@@ -0,0 +1,6 @@
+#import "IoState.h"
+#import "IoBox.h"
+#import "IoLanguage.h"
+#import "IoObjcBridge.h"
+#import "Objc2Io.h"
+#import "ObjcSubclass.h"
\ No newline at end of file
diff --git a/io-master/extras/IoLanguageKit/IoLanguageKit.xcodeproj/project.pbxproj b/io-master/extras/IoLanguageKit/IoLanguageKit.xcodeproj/project.pbxproj
new file mode 100755
index 0000000..790aac9
--- /dev/null
+++ b/io-master/extras/IoLanguageKit/IoLanguageKit.xcodeproj/project.pbxproj
@@ -0,0 +1,1738 @@
+// !$*UTF8*$!
+{
+ archiveVersion = 1;
+ classes = {
+ };
+ objectVersion = 46;
+ objects = {
+
+/* Begin PBXBuildFile section */
+ AA3A0B4113F9C8DA00FB76A0 /* SystemCall.io in Resources */ = {isa = PBXBuildFile; fileRef = AA3A0B2C13F9C8DA00FB76A0 /* SystemCall.io */; };
+ AA3A0B4613F9C8DA00FB76A0 /* callsystem.c in Sources */ = {isa = PBXBuildFile; fileRef = AA3A0B3313F9C8DA00FB76A0 /* callsystem.c */; };
+ AA3A0B4713F9C8DA00FB76A0 /* callsystem.h in Headers */ = {isa = PBXBuildFile; fileRef = AA3A0B3413F9C8DA00FB76A0 /* callsystem.h */; };
+ AA3A0B4813F9C8DA00FB76A0 /* IoSystemCall.c in Sources */ = {isa = PBXBuildFile; fileRef = AA3A0B3513F9C8DA00FB76A0 /* IoSystemCall.c */; };
+ AA3A0B4913F9C8DA00FB76A0 /* IoSystemCall.h in Headers */ = {isa = PBXBuildFile; fileRef = AA3A0B3613F9C8DA00FB76A0 /* IoSystemCall.h */; };
+ AA3A0B4A13F9C8DA00FB76A0 /* IoSystemCallInit.c in Sources */ = {isa = PBXBuildFile; fileRef = AA3A0B3713F9C8DA00FB76A0 /* IoSystemCallInit.c */; };
+ AA3A0BE113F9D1B400FB76A0 /* A0_EventManager.io in Resources */ = {isa = PBXBuildFile; fileRef = AA3A0B7113F9D1B400FB76A0 /* A0_EventManager.io */; };
+ AA3A0BE213F9D1B400FB76A0 /* A1_Socket.io in Resources */ = {isa = PBXBuildFile; fileRef = AA3A0B7213F9D1B400FB76A0 /* A1_Socket.io */; };
+ AA3A0BE313F9D1B400FB76A0 /* A2_Server.io in Resources */ = {isa = PBXBuildFile; fileRef = AA3A0B7313F9D1B400FB76A0 /* A2_Server.io */; };
+ AA3A0BE413F9D1B400FB76A0 /* A3_Host.io in Resources */ = {isa = PBXBuildFile; fileRef = AA3A0B7413F9D1B400FB76A0 /* A3_Host.io */; };
+ AA3A0BE513F9D1B400FB76A0 /* A4_Object.io in Resources */ = {isa = PBXBuildFile; fileRef = AA3A0B7513F9D1B400FB76A0 /* A4_Object.io */; };
+ AA3A0BE613F9D1B400FB76A0 /* DNSResolver.io in Resources */ = {isa = PBXBuildFile; fileRef = AA3A0B7613F9D1B400FB76A0 /* DNSResolver.io */; };
+ AA3A0BE713F9D1B400FB76A0 /* EvHttpCookie.io in Resources */ = {isa = PBXBuildFile; fileRef = AA3A0B7713F9D1B400FB76A0 /* EvHttpCookie.io */; };
+ AA3A0BE813F9D1B400FB76A0 /* EvHttpServer.io in Resources */ = {isa = PBXBuildFile; fileRef = AA3A0B7813F9D1B400FB76A0 /* EvHttpServer.io */; };
+ AA3A0BE913F9D1B400FB76A0 /* EvOutResponse.io in Resources */ = {isa = PBXBuildFile; fileRef = AA3A0B7913F9D1B400FB76A0 /* EvOutResponse.io */; };
+ AA3A0BEA13F9D1B400FB76A0 /* EvStatusCodes.io in Resources */ = {isa = PBXBuildFile; fileRef = AA3A0B7A13F9D1B400FB76A0 /* EvStatusCodes.io */; };
+ AA3A0BEB13F9D1B400FB76A0 /* IPAddress.io in Resources */ = {isa = PBXBuildFile; fileRef = AA3A0B7B13F9D1B400FB76A0 /* IPAddress.io */; };
+ AA3A0BEC13F9D1B400FB76A0 /* UnixPath.io in Resources */ = {isa = PBXBuildFile; fileRef = AA3A0B7C13F9D1B400FB76A0 /* UnixPath.io */; };
+ AA3A0BED13F9D1B400FB76A0 /* URL.io in Resources */ = {isa = PBXBuildFile; fileRef = AA3A0B7D13F9D1B400FB76A0 /* URL.io */; };
+ AA3A0C0613F9D1B400FB76A0 /* Address.c in Sources */ = {isa = PBXBuildFile; fileRef = AA3A0B9B13F9D1B400FB76A0 /* Address.c */; };
+ AA3A0C0713F9D1B400FB76A0 /* Address.h in Headers */ = {isa = PBXBuildFile; fileRef = AA3A0B9C13F9D1B400FB76A0 /* Address.h */; };
+ AA3A0C0813F9D1B400FB76A0 /* IoDNS.c in Sources */ = {isa = PBXBuildFile; fileRef = AA3A0B9D13F9D1B400FB76A0 /* IoDNS.c */; };
+ AA3A0C0913F9D1B400FB76A0 /* IoDNS.h in Headers */ = {isa = PBXBuildFile; fileRef = AA3A0B9E13F9D1B400FB76A0 /* IoDNS.h */; };
+ AA3A0C0A13F9D1B400FB76A0 /* IoEvConnection.c in Sources */ = {isa = PBXBuildFile; fileRef = AA3A0B9F13F9D1B400FB76A0 /* IoEvConnection.c */; };
+ AA3A0C0B13F9D1B400FB76A0 /* IoEvConnection.h in Headers */ = {isa = PBXBuildFile; fileRef = AA3A0BA013F9D1B400FB76A0 /* IoEvConnection.h */; };
+ AA3A0C0C13F9D1B400FB76A0 /* IoEvent.c in Sources */ = {isa = PBXBuildFile; fileRef = AA3A0BA113F9D1B400FB76A0 /* IoEvent.c */; };
+ AA3A0C0D13F9D1B400FB76A0 /* IoEvent.h in Headers */ = {isa = PBXBuildFile; fileRef = AA3A0BA213F9D1B400FB76A0 /* IoEvent.h */; };
+ AA3A0C0E13F9D1B400FB76A0 /* IoEventManager.c in Sources */ = {isa = PBXBuildFile; fileRef = AA3A0BA313F9D1B400FB76A0 /* IoEventManager.c */; };
+ AA3A0C0F13F9D1B400FB76A0 /* IoEventManager.h in Headers */ = {isa = PBXBuildFile; fileRef = AA3A0BA413F9D1B400FB76A0 /* IoEventManager.h */; };
+ AA3A0C1013F9D1B400FB76A0 /* IoEvHttpServer.c in Sources */ = {isa = PBXBuildFile; fileRef = AA3A0BA513F9D1B400FB76A0 /* IoEvHttpServer.c */; };
+ AA3A0C1113F9D1B400FB76A0 /* IoEvHttpServer.h in Headers */ = {isa = PBXBuildFile; fileRef = AA3A0BA613F9D1B400FB76A0 /* IoEvHttpServer.h */; };
+ AA3A0C1213F9D1B400FB76A0 /* IoEvOutRequest.c in Sources */ = {isa = PBXBuildFile; fileRef = AA3A0BA713F9D1B400FB76A0 /* IoEvOutRequest.c */; };
+ AA3A0C1313F9D1B400FB76A0 /* IoEvOutRequest.h in Headers */ = {isa = PBXBuildFile; fileRef = AA3A0BA813F9D1B400FB76A0 /* IoEvOutRequest.h */; };
+ AA3A0C1413F9D1B400FB76A0 /* IoEvOutResponse.c in Sources */ = {isa = PBXBuildFile; fileRef = AA3A0BA913F9D1B400FB76A0 /* IoEvOutResponse.c */; };
+ AA3A0C1513F9D1B400FB76A0 /* IoEvOutResponse.h in Headers */ = {isa = PBXBuildFile; fileRef = AA3A0BAA13F9D1B400FB76A0 /* IoEvOutResponse.h */; };
+ AA3A0C1613F9D1B400FB76A0 /* IoIPAddress.c in Sources */ = {isa = PBXBuildFile; fileRef = AA3A0BAB13F9D1B400FB76A0 /* IoIPAddress.c */; };
+ AA3A0C1713F9D1B400FB76A0 /* IoIPAddress.h in Headers */ = {isa = PBXBuildFile; fileRef = AA3A0BAC13F9D1B400FB76A0 /* IoIPAddress.h */; };
+ AA3A0C1813F9D1B400FB76A0 /* IoSocket.c in Sources */ = {isa = PBXBuildFile; fileRef = AA3A0BAD13F9D1B400FB76A0 /* IoSocket.c */; };
+ AA3A0C1913F9D1B400FB76A0 /* IoSocket.h in Headers */ = {isa = PBXBuildFile; fileRef = AA3A0BAE13F9D1B400FB76A0 /* IoSocket.h */; };
+ AA3A0C1A13F9D1B400FB76A0 /* IoSocketInit.c in Sources */ = {isa = PBXBuildFile; fileRef = AA3A0BAF13F9D1B400FB76A0 /* IoSocketInit.c */; };
+ AA3A0C1B13F9D1B400FB76A0 /* IoUnixPath.c in Sources */ = {isa = PBXBuildFile; fileRef = AA3A0BB013F9D1B400FB76A0 /* IoUnixPath.c */; };
+ AA3A0C1C13F9D1B400FB76A0 /* IoUnixPath.h in Headers */ = {isa = PBXBuildFile; fileRef = AA3A0BB113F9D1B400FB76A0 /* IoUnixPath.h */; };
+ AA3A0C1D13F9D1B400FB76A0 /* IPAddress.c in Sources */ = {isa = PBXBuildFile; fileRef = AA3A0BB213F9D1B400FB76A0 /* IPAddress.c */; };
+ AA3A0C1E13F9D1B400FB76A0 /* IPAddress.h in Headers */ = {isa = PBXBuildFile; fileRef = AA3A0BB313F9D1B400FB76A0 /* IPAddress.h */; };
+ AA3A0C1F13F9D1B400FB76A0 /* LocalNameServers.c in Sources */ = {isa = PBXBuildFile; fileRef = AA3A0BB413F9D1B400FB76A0 /* LocalNameServers.c */; };
+ AA3A0C2013F9D1B400FB76A0 /* LocalNameServers.h in Headers */ = {isa = PBXBuildFile; fileRef = AA3A0BB513F9D1B400FB76A0 /* LocalNameServers.h */; };
+ AA3A0C2513F9D1B400FB76A0 /* Socket.c in Sources */ = {isa = PBXBuildFile; fileRef = AA3A0BBB13F9D1B400FB76A0 /* Socket.c */; };
+ AA3A0C2613F9D1B400FB76A0 /* Socket.h in Headers */ = {isa = PBXBuildFile; fileRef = AA3A0BBC13F9D1B400FB76A0 /* Socket.h */; };
+ AA3A0C2713F9D1B400FB76A0 /* UnixPath.c in Sources */ = {isa = PBXBuildFile; fileRef = AA3A0BBD13F9D1B400FB76A0 /* UnixPath.c */; };
+ AA3A0C2813F9D1B400FB76A0 /* UnixPath.h in Headers */ = {isa = PBXBuildFile; fileRef = AA3A0BBE13F9D1B400FB76A0 /* UnixPath.h */; };
+ AA95DCF813DBBD4200CCD456 /* IoLanguageKit.h in Headers */ = {isa = PBXBuildFile; fileRef = AA95DCF613DBBD4200CCD456 /* IoLanguageKit.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AA9AFEA2141EAD230078E31B /* MD5_extras.io in Resources */ = {isa = PBXBuildFile; fileRef = AA9AFE7F141EAD230078E31B /* MD5_extras.io */; };
+ AA9AFEA6141EAD230078E31B /* IoMD5.c in Sources */ = {isa = PBXBuildFile; fileRef = AA9AFE85141EAD230078E31B /* IoMD5.c */; };
+ AA9AFEA7141EAD230078E31B /* IoMD5.h in Headers */ = {isa = PBXBuildFile; fileRef = AA9AFE86141EAD230078E31B /* IoMD5.h */; };
+ AA9AFEA8141EAD230078E31B /* IoMD5Init.c in Sources */ = {isa = PBXBuildFile; fileRef = AA9AFE87141EAD230078E31B /* IoMD5Init.c */; };
+ AA9AFEA9141EAD230078E31B /* md5.c in Sources */ = {isa = PBXBuildFile; fileRef = AA9AFE88141EAD230078E31B /* md5.c */; };
+ AA9AFEAA141EAD230078E31B /* md5.h in Headers */ = {isa = PBXBuildFile; fileRef = AA9AFE89141EAD230078E31B /* md5.h */; };
+ AA9AFEAE141EAD230078E31B /* YajlElement.io in Resources */ = {isa = PBXBuildFile; fileRef = AA9AFE93141EAD230078E31B /* YajlElement.io */; };
+ AA9AFEB0141EAD230078E31B /* IoYajl.c in Sources */ = {isa = PBXBuildFile; fileRef = AA9AFE96141EAD230078E31B /* IoYajl.c */; };
+ AA9AFEB1141EAD230078E31B /* IoYajl.h in Headers */ = {isa = PBXBuildFile; fileRef = AA9AFE97141EAD230078E31B /* IoYajl.h */; };
+ AA9AFEB2141EAD230078E31B /* IoYajlGen.c in Sources */ = {isa = PBXBuildFile; fileRef = AA9AFE98141EAD230078E31B /* IoYajlGen.c */; };
+ AA9AFEB3141EAD230078E31B /* IoYajlGen.h in Headers */ = {isa = PBXBuildFile; fileRef = AA9AFE99141EAD230078E31B /* IoYajlGen.h */; };
+ AA9AFEB4141EAD230078E31B /* IoYajlInit.c in Sources */ = {isa = PBXBuildFile; fileRef = AA9AFE9A141EAD230078E31B /* IoYajlInit.c */; };
+ AABB968C13DD09B800B6A0CB /* Base.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB943613DD09B800B6A0CB /* Base.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB968D13DD09B800B6A0CB /* BStream.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB943713DD09B800B6A0CB /* BStream.c */; };
+ AABB968E13DD09B800B6A0CB /* BStream.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB943813DD09B800B6A0CB /* BStream.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB968F13DD09B800B6A0CB /* BStreamTag.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB943913DD09B800B6A0CB /* BStreamTag.c */; };
+ AABB969013DD09B800B6A0CB /* BStreamTag.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB943A13DD09B800B6A0CB /* BStreamTag.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB969113DD09B800B6A0CB /* cdecode.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB943B13DD09B800B6A0CB /* cdecode.c */; };
+ AABB969213DD09B800B6A0CB /* cdecode.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB943C13DD09B800B6A0CB /* cdecode.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB969313DD09B800B6A0CB /* cencode.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB943D13DD09B800B6A0CB /* cencode.c */; };
+ AABB969413DD09B800B6A0CB /* cencode.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB943E13DD09B800B6A0CB /* cencode.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB969513DD09B800B6A0CB /* CHash.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB943F13DD09B800B6A0CB /* CHash.c */; };
+ AABB969613DD09B800B6A0CB /* CHash.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB944013DD09B800B6A0CB /* CHash.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB969713DD09B800B6A0CB /* CHash_inline.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB944113DD09B800B6A0CB /* CHash_inline.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB969813DD09B800B6A0CB /* Common.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB944213DD09B800B6A0CB /* Common.c */; };
+ AABB969913DD09B800B6A0CB /* Common.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB944313DD09B800B6A0CB /* Common.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB969A13DD09B800B6A0CB /* Common_inline.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB944413DD09B800B6A0CB /* Common_inline.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB969B13DD09B800B6A0CB /* Date.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB944513DD09B800B6A0CB /* Date.c */; };
+ AABB969C13DD09B800B6A0CB /* Date.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB944613DD09B800B6A0CB /* Date.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB969D13DD09B800B6A0CB /* Duration.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB944713DD09B800B6A0CB /* Duration.c */; };
+ AABB969E13DD09B800B6A0CB /* Duration.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB944813DD09B800B6A0CB /* Duration.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB969F13DD09B800B6A0CB /* DynLib.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB944913DD09B800B6A0CB /* DynLib.c */; };
+ AABB96A013DD09B800B6A0CB /* DynLib.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB944A13DD09B800B6A0CB /* DynLib.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB96A113DD09B800B6A0CB /* Hash_fnv.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB944B13DD09B800B6A0CB /* Hash_fnv.c */; };
+ AABB96A213DD09B800B6A0CB /* Hash_fnv.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB944C13DD09B800B6A0CB /* Hash_fnv.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB96A313DD09B800B6A0CB /* Hash_murmur.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB944D13DD09B800B6A0CB /* Hash_murmur.c */; };
+ AABB96A413DD09B800B6A0CB /* Hash_murmur.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB944E13DD09B800B6A0CB /* Hash_murmur.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB96A513DD09B800B6A0CB /* Hash_superfast.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB944F13DD09B800B6A0CB /* Hash_superfast.c */; };
+ AABB96A613DD09B800B6A0CB /* Hash_superfast.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB945013DD09B800B6A0CB /* Hash_superfast.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB96A713DD09B800B6A0CB /* List.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB945113DD09B800B6A0CB /* List.c */; };
+ AABB96A813DD09B800B6A0CB /* List.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB945213DD09B800B6A0CB /* List.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB96A913DD09B800B6A0CB /* List_inline.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB945313DD09B800B6A0CB /* List_inline.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB96AA13DD09B800B6A0CB /* MainArgs.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB945413DD09B800B6A0CB /* MainArgs.c */; };
+ AABB96AB13DD09B800B6A0CB /* MainArgs.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB945513DD09B800B6A0CB /* MainArgs.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB96AC13DD09B800B6A0CB /* PointerHash.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB945613DD09B800B6A0CB /* PointerHash.c */; };
+ AABB96AD13DD09B800B6A0CB /* PointerHash.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB945713DD09B800B6A0CB /* PointerHash.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB96AE13DD09B800B6A0CB /* PointerHash_inline.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB945813DD09B800B6A0CB /* PointerHash_inline.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB96AF13DD09B800B6A0CB /* PointerHash_struct.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB945913DD09B800B6A0CB /* PointerHash_struct.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB96B013DD09B800B6A0CB /* PortableGettimeofday.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB945A13DD09B800B6A0CB /* PortableGettimeofday.c */; };
+ AABB96B113DD09B800B6A0CB /* PortableGettimeofday.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB945B13DD09B800B6A0CB /* PortableGettimeofday.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB96B213DD09B800B6A0CB /* PortableSnprintf.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB945C13DD09B800B6A0CB /* PortableSnprintf.c */; };
+ AABB96B313DD09B800B6A0CB /* PortableSorting.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB945D13DD09B800B6A0CB /* PortableSorting.c */; };
+ AABB96B413DD09B800B6A0CB /* PortableSorting.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB945E13DD09B800B6A0CB /* PortableSorting.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB96B513DD09B800B6A0CB /* PortableStdint.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB945F13DD09B800B6A0CB /* PortableStdint.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB96B613DD09B800B6A0CB /* PortableStrlcpy.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB946013DD09B800B6A0CB /* PortableStrlcpy.c */; };
+ AABB96B713DD09B800B6A0CB /* PortableStrlcpy.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB946113DD09B800B6A0CB /* PortableStrlcpy.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB96B813DD09B800B6A0CB /* PortableStrptime.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB946213DD09B800B6A0CB /* PortableStrptime.c */; };
+ AABB96B913DD09B800B6A0CB /* PortableStrptime.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB946313DD09B800B6A0CB /* PortableStrptime.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB96BA13DD09B800B6A0CB /* PortableTruncate.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB946413DD09B800B6A0CB /* PortableTruncate.c */; };
+ AABB96BB13DD09B800B6A0CB /* PortableTruncate.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB946513DD09B800B6A0CB /* PortableTruncate.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB96BC13DD09B800B6A0CB /* PortableUsleep.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB946613DD09B800B6A0CB /* PortableUsleep.c */; };
+ AABB96BD13DD09B800B6A0CB /* PortableUsleep.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB946713DD09B800B6A0CB /* PortableUsleep.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB96BE13DD09B800B6A0CB /* RandomGen.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB946813DD09B800B6A0CB /* RandomGen.c */; };
+ AABB96BF13DD09B800B6A0CB /* RandomGen.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB946913DD09B800B6A0CB /* RandomGen.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB96C113DD09B800B6A0CB /* simd_cp.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB946E13DD09B800B6A0CB /* simd_cp.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB96C213DD09B800B6A0CB /* simd_cp_arm-iwmmx.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB946F13DD09B800B6A0CB /* simd_cp_arm-iwmmx.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB96C313DD09B800B6A0CB /* simd_cp_emu.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB947013DD09B800B6A0CB /* simd_cp_emu.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB96C413DD09B800B6A0CB /* simd_cp_x86.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB947113DD09B800B6A0CB /* simd_cp_x86.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB96CA13DD09B800B6A0CB /* Stack.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB947813DD09B800B6A0CB /* Stack.c */; };
+ AABB96CB13DD09B800B6A0CB /* Stack.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB947913DD09B800B6A0CB /* Stack.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB96CC13DD09B800B6A0CB /* Stack_inline.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB947A13DD09B800B6A0CB /* Stack_inline.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB96CD13DD09B800B6A0CB /* UArray.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB947B13DD09B800B6A0CB /* UArray.c */; };
+ AABB96CE13DD09B800B6A0CB /* UArray.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB947C13DD09B800B6A0CB /* UArray.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB96CF13DD09B800B6A0CB /* UArray_character.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB947D13DD09B800B6A0CB /* UArray_character.c */; };
+ AABB96D013DD09B800B6A0CB /* UArray_character.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB947E13DD09B800B6A0CB /* UArray_character.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB96D113DD09B800B6A0CB /* UArray_format.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB947F13DD09B800B6A0CB /* UArray_format.c */; };
+ AABB96D213DD09B800B6A0CB /* UArray_format.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB948013DD09B800B6A0CB /* UArray_format.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB96D313DD09B800B6A0CB /* UArray_math.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB948113DD09B800B6A0CB /* UArray_math.c */; };
+ AABB96D413DD09B800B6A0CB /* UArray_math.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB948213DD09B800B6A0CB /* UArray_math.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB96D513DD09B800B6A0CB /* UArray_path.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB948313DD09B800B6A0CB /* UArray_path.c */; };
+ AABB96D613DD09B800B6A0CB /* UArray_path.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB948413DD09B800B6A0CB /* UArray_path.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB96D713DD09B800B6A0CB /* UArray_stream.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB948513DD09B800B6A0CB /* UArray_stream.c */; };
+ AABB96D813DD09B800B6A0CB /* UArray_stream.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB948613DD09B800B6A0CB /* UArray_stream.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB96D913DD09B800B6A0CB /* UArray_string.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB948713DD09B800B6A0CB /* UArray_string.c */; };
+ AABB96DA13DD09B800B6A0CB /* UArray_string.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB948813DD09B800B6A0CB /* UArray_string.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB96DB13DD09B800B6A0CB /* UArray_utf.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB948913DD09B800B6A0CB /* UArray_utf.c */; };
+ AABB96DC13DD09B800B6A0CB /* UArray_utf.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB948A13DD09B800B6A0CB /* UArray_utf.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB96DD13DD09B800B6A0CB /* ucs2.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB948B13DD09B800B6A0CB /* ucs2.c */; };
+ AABB96DE13DD09B800B6A0CB /* ucs4.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB948C13DD09B800B6A0CB /* ucs4.c */; };
+ AABB96DF13DD09B800B6A0CB /* utf8.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB948D13DD09B800B6A0CB /* utf8.c */; };
+ AABB96E013DD09B800B6A0CB /* utf8.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB948E13DD09B800B6A0CB /* utf8.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB96E113DD09B800B6A0CB /* utf8internal.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB948F13DD09B800B6A0CB /* utf8internal.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB96E213DD09B800B6A0CB /* utf_convert.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB949013DD09B800B6A0CB /* utf_convert.c */; };
+ AABB96E313DD09B800B6A0CB /* utf_convert.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB949113DD09B800B6A0CB /* utf_convert.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB96E413DD09B800B6A0CB /* CMakeLists.txt in Resources */ = {isa = PBXBuildFile; fileRef = AABB949213DD09B800B6A0CB /* CMakeLists.txt */; };
+ AABB96F813DD09B900B6A0CB /* 386-ucontext.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB94B013DD09B800B6A0CB /* 386-ucontext.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB96F913DD09B900B6A0CB /* amd64-ucontext.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB94B113DD09B800B6A0CB /* amd64-ucontext.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB96FA13DD09B900B6A0CB /* asm.S in Sources */ = {isa = PBXBuildFile; fileRef = AABB94B213DD09B800B6A0CB /* asm.S */; };
+ AABB96FB13DD09B900B6A0CB /* context.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB94B313DD09B800B6A0CB /* context.c */; };
+ AABB96FC13DD09B900B6A0CB /* Coro.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB94B413DD09B800B6A0CB /* Coro.c */; };
+ AABB96FD13DD09B900B6A0CB /* Coro.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB94B513DD09B800B6A0CB /* Coro.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB96FE13DD09B900B6A0CB /* power-ucontext.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB94B613DD09B800B6A0CB /* power-ucontext.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB96FF13DD09B900B6A0CB /* taskimpl.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB94B713DD09B800B6A0CB /* taskimpl.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB970E13DD09B900B6A0CB /* Collector.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB94CF13DD09B800B6A0CB /* Collector.c */; };
+ AABB970F13DD09B900B6A0CB /* Collector.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB94D013DD09B800B6A0CB /* Collector.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB971013DD09B900B6A0CB /* Collector_inline.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB94D113DD09B800B6A0CB /* Collector_inline.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB971113DD09B900B6A0CB /* CollectorMarker.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB94D213DD09B800B6A0CB /* CollectorMarker.c */; };
+ AABB971213DD09B900B6A0CB /* CollectorMarker.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB94D313DD09B800B6A0CB /* CollectorMarker.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB971313DD09B900B6A0CB /* CollectorMarker_inline.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB94D413DD09B800B6A0CB /* CollectorMarker_inline.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB97C513DD09B900B6A0CB /* IoBlock.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB959213DD09B800B6A0CB /* IoBlock.c */; };
+ AABB97C613DD09B900B6A0CB /* IoBlock.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB959313DD09B800B6A0CB /* IoBlock.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB97C713DD09B900B6A0CB /* IoCall.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB959413DD09B800B6A0CB /* IoCall.c */; };
+ AABB97C813DD09B900B6A0CB /* IoCall.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB959513DD09B800B6A0CB /* IoCall.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB97C913DD09B900B6A0CB /* IoCFunction.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB959613DD09B800B6A0CB /* IoCFunction.c */; };
+ AABB97CA13DD09B900B6A0CB /* IoCFunction.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB959713DD09B800B6A0CB /* IoCFunction.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB97CB13DD09B900B6A0CB /* IoCollector.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB959813DD09B800B6A0CB /* IoCollector.c */; };
+ AABB97CC13DD09B900B6A0CB /* IoCollector.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB959913DD09B800B6A0CB /* IoCollector.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB97CD13DD09B900B6A0CB /* IoCompiler.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB959A13DD09B800B6A0CB /* IoCompiler.c */; };
+ AABB97CE13DD09B900B6A0CB /* IoCompiler.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB959B13DD09B800B6A0CB /* IoCompiler.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB97CF13DD09B900B6A0CB /* IoConfig.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB959C13DD09B800B6A0CB /* IoConfig.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB97D013DD09B900B6A0CB /* IoContext.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB959D13DD09B800B6A0CB /* IoContext.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB97D113DD09B900B6A0CB /* IoCoroutine.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB959E13DD09B800B6A0CB /* IoCoroutine.c */; };
+ AABB97D213DD09B900B6A0CB /* IoCoroutine.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB959F13DD09B800B6A0CB /* IoCoroutine.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB97D313DD09B900B6A0CB /* IoDate.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB95A013DD09B800B6A0CB /* IoDate.c */; };
+ AABB97D413DD09B900B6A0CB /* IoDate.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB95A113DD09B800B6A0CB /* IoDate.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB97D513DD09B900B6A0CB /* IoDebugger.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB95A213DD09B800B6A0CB /* IoDebugger.c */; };
+ AABB97D613DD09B900B6A0CB /* IoDebugger.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB95A313DD09B800B6A0CB /* IoDebugger.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB97D713DD09B900B6A0CB /* IoDirectory.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB95A413DD09B800B6A0CB /* IoDirectory.c */; };
+ AABB97D813DD09B900B6A0CB /* IoDirectory.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB95A513DD09B800B6A0CB /* IoDirectory.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB97D913DD09B900B6A0CB /* IoDuration.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB95A613DD09B800B6A0CB /* IoDuration.c */; };
+ AABB97DA13DD09B900B6A0CB /* IoDuration.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB95A713DD09B800B6A0CB /* IoDuration.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB97DB13DD09B900B6A0CB /* IoDynLib.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB95A813DD09B800B6A0CB /* IoDynLib.c */; };
+ AABB97DC13DD09B900B6A0CB /* IoDynLib.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB95A913DD09B800B6A0CB /* IoDynLib.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB97DD13DD09B900B6A0CB /* IoError.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB95AA13DD09B800B6A0CB /* IoError.c */; };
+ AABB97DE13DD09B900B6A0CB /* IoError.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB95AB13DD09B800B6A0CB /* IoError.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB97DF13DD09B900B6A0CB /* IoFile.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB95AC13DD09B800B6A0CB /* IoFile.c */; };
+ AABB97E013DD09B900B6A0CB /* IoFile.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB95AD13DD09B800B6A0CB /* IoFile.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB97E113DD09B900B6A0CB /* IoFile_stat.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB95AE13DD09B800B6A0CB /* IoFile_stat.c */; };
+ AABB97E213DD09B900B6A0CB /* IoFile_stat.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB95AF13DD09B800B6A0CB /* IoFile_stat.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB97E313DD09B900B6A0CB /* IoInstallPrefix.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB95B013DD09B800B6A0CB /* IoInstallPrefix.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB97E413DD09B900B6A0CB /* IoLexer.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB95B113DD09B800B6A0CB /* IoLexer.c */; };
+ AABB97E513DD09B900B6A0CB /* IoLexer.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB95B213DD09B800B6A0CB /* IoLexer.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB97E613DD09B900B6A0CB /* IoList.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB95B313DD09B800B6A0CB /* IoList.c */; };
+ AABB97E713DD09B900B6A0CB /* IoList.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB95B413DD09B800B6A0CB /* IoList.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB97E813DD09B900B6A0CB /* IoMap.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB95B513DD09B800B6A0CB /* IoMap.c */; };
+ AABB97E913DD09B900B6A0CB /* IoMap.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB95B613DD09B800B6A0CB /* IoMap.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB97EA13DD09B900B6A0CB /* IoMessage.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB95B713DD09B800B6A0CB /* IoMessage.c */; };
+ AABB97EB13DD09B900B6A0CB /* IoMessage.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB95B813DD09B800B6A0CB /* IoMessage.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB97EC13DD09B900B6A0CB /* IoMessage_inline.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB95B913DD09B800B6A0CB /* IoMessage_inline.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB97ED13DD09B900B6A0CB /* IoMessage_opShuffle.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB95BA13DD09B800B6A0CB /* IoMessage_opShuffle.c */; };
+ AABB97EE13DD09B900B6A0CB /* IoMessage_opShuffle.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB95BB13DD09B800B6A0CB /* IoMessage_opShuffle.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB97EF13DD09B900B6A0CB /* IoMessage_parser.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB95BC13DD09B800B6A0CB /* IoMessage_parser.c */; };
+ AABB97F013DD09B900B6A0CB /* IoMessage_parser.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB95BD13DD09B800B6A0CB /* IoMessage_parser.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB97F113DD09B900B6A0CB /* IoNumber.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB95BE13DD09B800B6A0CB /* IoNumber.c */; };
+ AABB97F213DD09B900B6A0CB /* IoNumber.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB95BF13DD09B800B6A0CB /* IoNumber.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB97F313DD09B900B6A0CB /* IoObject.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB95C013DD09B800B6A0CB /* IoObject.c */; };
+ AABB97F413DD09B900B6A0CB /* IoObject.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB95C113DD09B800B6A0CB /* IoObject.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB97F513DD09B900B6A0CB /* IoObject_flow.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB95C213DD09B800B6A0CB /* IoObject_flow.c */; };
+ AABB97F613DD09B900B6A0CB /* IoObject_flow.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB95C313DD09B800B6A0CB /* IoObject_flow.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB97F713DD09B900B6A0CB /* IoObject_inline.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB95C413DD09B800B6A0CB /* IoObject_inline.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB97F813DD09B900B6A0CB /* IoObject_struct.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB95C513DD09B800B6A0CB /* IoObject_struct.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB97F913DD09B900B6A0CB /* IoProfiler.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB95C613DD09B800B6A0CB /* IoProfiler.c */; };
+ AABB97FA13DD09B900B6A0CB /* IoProfiler.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB95C713DD09B800B6A0CB /* IoProfiler.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB97FB13DD09B900B6A0CB /* IoSandbox.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB95C813DD09B800B6A0CB /* IoSandbox.c */; };
+ AABB97FC13DD09B900B6A0CB /* IoSandbox.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB95C913DD09B800B6A0CB /* IoSandbox.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB97FD13DD09B900B6A0CB /* IoSeq.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB95CA13DD09B800B6A0CB /* IoSeq.c */; };
+ AABB97FE13DD09B900B6A0CB /* IoSeq.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB95CB13DD09B800B6A0CB /* IoSeq.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB97FF13DD09B900B6A0CB /* IoSeq_immutable.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB95CC13DD09B800B6A0CB /* IoSeq_immutable.c */; };
+ AABB980013DD09B900B6A0CB /* IoSeq_immutable.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB95CD13DD09B800B6A0CB /* IoSeq_immutable.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB980113DD09B900B6A0CB /* IoSeq_inline.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB95CE13DD09B800B6A0CB /* IoSeq_inline.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB980213DD09B900B6A0CB /* IoSeq_mutable.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB95CF13DD09B800B6A0CB /* IoSeq_mutable.c */; };
+ AABB980313DD09B900B6A0CB /* IoSeq_mutable.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB95D013DD09B800B6A0CB /* IoSeq_mutable.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB980413DD09B900B6A0CB /* IoSeq_vector.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB95D113DD09B800B6A0CB /* IoSeq_vector.c */; };
+ AABB980513DD09B900B6A0CB /* IoSeq_vector.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB95D213DD09B800B6A0CB /* IoSeq_vector.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB980613DD09B900B6A0CB /* IoState.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB95D313DD09B800B6A0CB /* IoState.c */; };
+ AABB980713DD09B900B6A0CB /* IoState.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB95D413DD09B800B6A0CB /* IoState.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB980813DD09B900B6A0CB /* IoState_callbacks.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB95D513DD09B800B6A0CB /* IoState_callbacks.c */; };
+ AABB980913DD09B900B6A0CB /* IoState_callbacks.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB95D613DD09B800B6A0CB /* IoState_callbacks.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB980A13DD09B900B6A0CB /* IoState_coros.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB95D713DD09B800B6A0CB /* IoState_coros.c */; };
+ AABB980B13DD09B900B6A0CB /* IoState_coros.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB95D813DD09B800B6A0CB /* IoState_coros.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB980C13DD09B900B6A0CB /* IoState_debug.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB95D913DD09B800B6A0CB /* IoState_debug.c */; };
+ AABB980D13DD09B900B6A0CB /* IoState_debug.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB95DA13DD09B800B6A0CB /* IoState_debug.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB980E13DD09B900B6A0CB /* IoState_eval.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB95DB13DD09B800B6A0CB /* IoState_eval.c */; };
+ AABB980F13DD09B900B6A0CB /* IoState_eval.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB95DC13DD09B800B6A0CB /* IoState_eval.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB981013DD09B900B6A0CB /* IoState_exceptions.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB95DD13DD09B800B6A0CB /* IoState_exceptions.c */; };
+ AABB981113DD09B900B6A0CB /* IoState_exceptions.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB95DE13DD09B800B6A0CB /* IoState_exceptions.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB981213DD09B900B6A0CB /* IoState_inline.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB95DF13DD09B800B6A0CB /* IoState_inline.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB981313DD09B900B6A0CB /* IoState_symbols.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB95E013DD09B800B6A0CB /* IoState_symbols.c */; };
+ AABB981413DD09B900B6A0CB /* IoState_symbols.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB95E113DD09B800B6A0CB /* IoState_symbols.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB981513DD09B900B6A0CB /* IoSystem.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB95E213DD09B800B6A0CB /* IoSystem.c */; };
+ AABB981613DD09B900B6A0CB /* IoSystem.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB95E313DD09B800B6A0CB /* IoSystem.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB981713DD09B900B6A0CB /* IoTag.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB95E413DD09B800B6A0CB /* IoTag.c */; };
+ AABB981813DD09B900B6A0CB /* IoTag.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB95E513DD09B800B6A0CB /* IoTag.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB981913DD09B900B6A0CB /* IoTag_inline.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB95E613DD09B800B6A0CB /* IoTag_inline.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB981A13DD09B900B6A0CB /* IoToken.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB95E713DD09B800B6A0CB /* IoToken.c */; };
+ AABB981B13DD09B900B6A0CB /* IoToken.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB95E813DD09B800B6A0CB /* IoToken.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB981C13DD09B900B6A0CB /* IoVersion.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB95E913DD09B800B6A0CB /* IoVersion.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB981D13DD09B900B6A0CB /* IoVM.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB95EA13DD09B800B6A0CB /* IoVM.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB981E13DD09B900B6A0CB /* IoVMApi.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB95EB13DD09B800B6A0CB /* IoVMApi.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB981F13DD09B900B6A0CB /* IoVMInit.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB95EC13DD09B800B6A0CB /* IoVMInit.c */; };
+ AABB982013DD09B900B6A0CB /* IoWeakLink.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB95ED13DD09B800B6A0CB /* IoWeakLink.c */; };
+ AABB982113DD09B900B6A0CB /* IoWeakLink.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB95EE13DD09B800B6A0CB /* IoWeakLink.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB982213DD09B900B6A0CB /* PHash.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB95EF13DD09B800B6A0CB /* PHash.c */; };
+ AABB982313DD09B900B6A0CB /* PHash.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB95F013DD09B800B6A0CB /* PHash.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB982413DD09B900B6A0CB /* PHash_inline.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB95F113DD09B800B6A0CB /* PHash_inline.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB982513DD09B900B6A0CB /* PHash_struct.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB95F213DD09B800B6A0CB /* PHash_struct.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB988013DD79E000B6A0CB /* ObjcBridge.io in Resources */ = {isa = PBXBuildFile; fileRef = AABB985B13DD79E000B6A0CB /* ObjcBridge.io */; };
+ AABB988F13DD79E000B6A0CB /* Io2Objc.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB987113DD79E000B6A0CB /* Io2Objc.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB989013DD79E000B6A0CB /* Io2Objc.m in Sources */ = {isa = PBXBuildFile; fileRef = AABB987213DD79E000B6A0CB /* Io2Objc.m */; };
+ AABB989113DD79E000B6A0CB /* IoLanguage.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB987313DD79E000B6A0CB /* IoLanguage.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB989213DD79E000B6A0CB /* IoLanguage.m in Sources */ = {isa = PBXBuildFile; fileRef = AABB987413DD79E000B6A0CB /* IoLanguage.m */; };
+ AABB989313DD79E000B6A0CB /* IoObjcBridge.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB987513DD79E000B6A0CB /* IoObjcBridge.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB989413DD79E000B6A0CB /* IoObjcBridge.m in Sources */ = {isa = PBXBuildFile; fileRef = AABB987613DD79E000B6A0CB /* IoObjcBridge.m */; };
+ AABB989513DD79E000B6A0CB /* IoObjcBridgeInit.m in Sources */ = {isa = PBXBuildFile; fileRef = AABB987713DD79E000B6A0CB /* IoObjcBridgeInit.m */; };
+ AABB989613DD79E000B6A0CB /* Objc2Io.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB987813DD79E000B6A0CB /* Objc2Io.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB989713DD79E000B6A0CB /* Objc2Io.m in Sources */ = {isa = PBXBuildFile; fileRef = AABB987913DD79E000B6A0CB /* Objc2Io.m */; };
+ AABB989813DD79E000B6A0CB /* ObjcSubclass.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB987A13DD79E000B6A0CB /* ObjcSubclass.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB989913DD79E000B6A0CB /* ObjcSubclass.m in Sources */ = {isa = PBXBuildFile; fileRef = AABB987B13DD79E000B6A0CB /* ObjcSubclass.m */; };
+ AABB989A13DD79E000B6A0CB /* Runtime.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB987C13DD79E000B6A0CB /* Runtime.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB989B13DD79E000B6A0CB /* Runtime.m in Sources */ = {isa = PBXBuildFile; fileRef = AABB987D13DD79E000B6A0CB /* Runtime.m */; };
+ AABB98C913DD7A3C00B6A0CB /* Vector.io in Resources */ = {isa = PBXBuildFile; fileRef = AABB98AD13DD7A3B00B6A0CB /* Vector.io */; };
+ AABB98CB13DD7A3C00B6A0CB /* IoBox.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB98B013DD7A3B00B6A0CB /* IoBox.c */; };
+ AABB98CC13DD7A3C00B6A0CB /* IoBox.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB98B113DD7A3B00B6A0CB /* IoBox.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB98CD13DD7A3C00B6A0CB /* IoBoxApi.h in Headers */ = {isa = PBXBuildFile; fileRef = AABB98B213DD7A3B00B6A0CB /* IoBoxApi.h */; settings = {ATTRIBUTES = (Public, ); }; };
+ AABB98CE13DD7A3C00B6A0CB /* IoBoxInit.c in Sources */ = {isa = PBXBuildFile; fileRef = AABB98B313DD7A3B00B6A0CB /* IoBoxInit.c */; };
+ AAC9889E1401CF520028A0A9 /* Blowfish.io in Resources */ = {isa = PBXBuildFile; fileRef = AAC988891401CF510028A0A9 /* Blowfish.io */; };
+ AAC988A01401CF520028A0A9 /* blowfish.c in Sources */ = {isa = PBXBuildFile; fileRef = AAC9888C1401CF510028A0A9 /* blowfish.c */; };
+ AAC988A11401CF520028A0A9 /* blowfish.h in Headers */ = {isa = PBXBuildFile; fileRef = AAC9888D1401CF510028A0A9 /* blowfish.h */; };
+ AAC988A21401CF520028A0A9 /* IoBlowfish.c in Sources */ = {isa = PBXBuildFile; fileRef = AAC9888E1401CF510028A0A9 /* IoBlowfish.c */; };
+ AAC988A31401CF520028A0A9 /* IoBlowfish.h in Headers */ = {isa = PBXBuildFile; fileRef = AAC9888F1401CF510028A0A9 /* IoBlowfish.h */; };
+ AAC988A41401CF520028A0A9 /* IoBlowfishInit.c in Sources */ = {isa = PBXBuildFile; fileRef = AAC988901401CF510028A0A9 /* IoBlowfishInit.c */; };
+ AAFE00F013D6526E00649838 /* Cocoa.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = AAFE00EF13D6526E00649838 /* Cocoa.framework */; };
+ AAFE00FA13D6526E00649838 /* InfoPlist.strings in Resources */ = {isa = PBXBuildFile; fileRef = AAFE00F813D6526E00649838 /* InfoPlist.strings */; };
+ DC055A6C143D1585005FA878 /* libevent_core.a in Frameworks */ = {isa = PBXBuildFile; fileRef = DC055A69143D1585005FA878 /* libevent_core.a */; };
+ DC055A6D143D1585005FA878 /* libevent_extra.a in Frameworks */ = {isa = PBXBuildFile; fileRef = DC055A6A143D1585005FA878 /* libevent_extra.a */; };
+ DC055A6E143D1585005FA878 /* libyajl_s.a in Frameworks */ = {isa = PBXBuildFile; fileRef = DC055A6B143D1585005FA878 /* libyajl_s.a */; };
+ DCC2F0B9140CAC2400D22ABE /* CHash_ObjcBridgeFunctions.h in Headers */ = {isa = PBXBuildFile; fileRef = DCC2F0B7140CAC2400D22ABE /* CHash_ObjcBridgeFunctions.h */; };
+ DCC2F0BA140CAC2400D22ABE /* CHash_ObjcBridgeFunctions.m in Sources */ = {isa = PBXBuildFile; fileRef = DCC2F0B8140CAC2400D22ABE /* CHash_ObjcBridgeFunctions.m */; };
+/* End PBXBuildFile section */
+
+/* Begin PBXCopyFilesBuildPhase section */
+ AA95DBF913DBAE1F00CCD456 /* CopyFiles */ = {
+ isa = PBXCopyFilesBuildPhase;
+ buildActionMask = 2147483647;
+ dstPath = Libraries;
+ dstSubfolderSpec = 1;
+ files = (
+ );
+ runOnlyForDeploymentPostprocessing = 0;
+ };
+/* End PBXCopyFilesBuildPhase section */
+
+/* Begin PBXFileReference section */
+ AA3A0B2C13F9C8DA00FB76A0 /* SystemCall.io */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text; path = SystemCall.io; sourceTree = ""; };
+ AA3A0B3313F9C8DA00FB76A0 /* callsystem.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = callsystem.c; sourceTree = ""; };
+ AA3A0B3413F9C8DA00FB76A0 /* callsystem.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = callsystem.h; sourceTree = ""; };
+ AA3A0B3513F9C8DA00FB76A0 /* IoSystemCall.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = IoSystemCall.c; sourceTree = ""; };
+ AA3A0B3613F9C8DA00FB76A0 /* IoSystemCall.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = IoSystemCall.h; sourceTree = ""; };
+ AA3A0B3713F9C8DA00FB76A0 /* IoSystemCallInit.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = IoSystemCallInit.c; sourceTree = ""; };
+ AA3A0B7113F9D1B400FB76A0 /* A0_EventManager.io */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text; path = A0_EventManager.io; sourceTree = ""; };
+ AA3A0B7213F9D1B400FB76A0 /* A1_Socket.io */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text; path = A1_Socket.io; sourceTree = ""; };
+ AA3A0B7313F9D1B400FB76A0 /* A2_Server.io */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text; path = A2_Server.io; sourceTree = ""; };
+ AA3A0B7413F9D1B400FB76A0 /* A3_Host.io */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text; path = A3_Host.io; sourceTree = ""; };
+ AA3A0B7513F9D1B400FB76A0 /* A4_Object.io */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text; path = A4_Object.io; sourceTree = ""; };
+ AA3A0B7613F9D1B400FB76A0 /* DNSResolver.io */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text; path = DNSResolver.io; sourceTree = ""; };
+ AA3A0B7713F9D1B400FB76A0 /* EvHttpCookie.io */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text; path = EvHttpCookie.io; sourceTree = ""; };
+ AA3A0B7813F9D1B400FB76A0 /* EvHttpServer.io */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text; path = EvHttpServer.io; sourceTree = ""; };
+ AA3A0B7913F9D1B400FB76A0 /* EvOutResponse.io */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text; path = EvOutResponse.io; sourceTree = ""; };
+ AA3A0B7A13F9D1B400FB76A0 /* EvStatusCodes.io */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text; path = EvStatusCodes.io; sourceTree = ""; };
+ AA3A0B7B13F9D1B400FB76A0 /* IPAddress.io */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text; path = IPAddress.io; sourceTree = ""; };
+ AA3A0B7C13F9D1B400FB76A0 /* UnixPath.io */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text; path = UnixPath.io; sourceTree = ""; };
+ AA3A0B7D13F9D1B400FB76A0 /* URL.io */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text; path = URL.io; sourceTree = ""; };
+ AA3A0B9B13F9D1B400FB76A0 /* Address.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = Address.c; sourceTree = ""; };
+ AA3A0B9C13F9D1B400FB76A0 /* Address.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = Address.h; sourceTree = ""; };
+ AA3A0B9D13F9D1B400FB76A0 /* IoDNS.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = IoDNS.c; sourceTree = ""; };
+ AA3A0B9E13F9D1B400FB76A0 /* IoDNS.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = IoDNS.h; sourceTree = ""; };
+ AA3A0B9F13F9D1B400FB76A0 /* IoEvConnection.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = IoEvConnection.c; sourceTree = ""; };
+ AA3A0BA013F9D1B400FB76A0 /* IoEvConnection.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = IoEvConnection.h; sourceTree = ""; };
+ AA3A0BA113F9D1B400FB76A0 /* IoEvent.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = IoEvent.c; sourceTree = ""; };
+ AA3A0BA213F9D1B400FB76A0 /* IoEvent.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = IoEvent.h; sourceTree = ""; };
+ AA3A0BA313F9D1B400FB76A0 /* IoEventManager.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = IoEventManager.c; sourceTree = ""; };
+ AA3A0BA413F9D1B400FB76A0 /* IoEventManager.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = IoEventManager.h; sourceTree = ""; };
+ AA3A0BA513F9D1B400FB76A0 /* IoEvHttpServer.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = IoEvHttpServer.c; sourceTree = ""; };
+ AA3A0BA613F9D1B400FB76A0 /* IoEvHttpServer.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = IoEvHttpServer.h; sourceTree = ""; };
+ AA3A0BA713F9D1B400FB76A0 /* IoEvOutRequest.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = IoEvOutRequest.c; sourceTree = ""; };
+ AA3A0BA813F9D1B400FB76A0 /* IoEvOutRequest.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = IoEvOutRequest.h; sourceTree = ""; };
+ AA3A0BA913F9D1B400FB76A0 /* IoEvOutResponse.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = IoEvOutResponse.c; sourceTree = ""; };
+ AA3A0BAA13F9D1B400FB76A0 /* IoEvOutResponse.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = IoEvOutResponse.h; sourceTree = ""; };
+ AA3A0BAB13F9D1B400FB76A0 /* IoIPAddress.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = IoIPAddress.c; sourceTree = ""; };
+ AA3A0BAC13F9D1B400FB76A0 /* IoIPAddress.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = IoIPAddress.h; sourceTree = ""; };
+ AA3A0BAD13F9D1B400FB76A0 /* IoSocket.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = IoSocket.c; sourceTree = ""; };
+ AA3A0BAE13F9D1B400FB76A0 /* IoSocket.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = IoSocket.h; sourceTree = ""; };
+ AA3A0BAF13F9D1B400FB76A0 /* IoSocketInit.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = IoSocketInit.c; sourceTree = ""; };
+ AA3A0BB013F9D1B400FB76A0 /* IoUnixPath.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = IoUnixPath.c; sourceTree = ""; };
+ AA3A0BB113F9D1B400FB76A0 /* IoUnixPath.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = IoUnixPath.h; sourceTree = ""; };
+ AA3A0BB213F9D1B400FB76A0 /* IPAddress.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = IPAddress.c; sourceTree = ""; };
+ AA3A0BB313F9D1B400FB76A0 /* IPAddress.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = IPAddress.h; sourceTree = ""; };
+ AA3A0BB413F9D1B400FB76A0 /* LocalNameServers.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = LocalNameServers.c; sourceTree = ""; };
+ AA3A0BB513F9D1B400FB76A0 /* LocalNameServers.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = LocalNameServers.h; sourceTree = ""; };
+ AA3A0BBB13F9D1B400FB76A0 /* Socket.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = Socket.c; sourceTree = ""; };
+ AA3A0BBC13F9D1B400FB76A0 /* Socket.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = Socket.h; sourceTree = ""; };
+ AA3A0BBD13F9D1B400FB76A0 /* UnixPath.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = UnixPath.c; sourceTree = ""; };
+ AA3A0BBE13F9D1B400FB76A0 /* UnixPath.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = UnixPath.h; sourceTree = ""; };
+ AA95DCF613DBBD4200CCD456 /* IoLanguageKit.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = IoLanguageKit.h; sourceTree = ""; };
+ AA9AFE7F141EAD230078E31B /* MD5_extras.io */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text; path = MD5_extras.io; sourceTree = ""; };
+ AA9AFE85141EAD230078E31B /* IoMD5.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = IoMD5.c; sourceTree = ""; };
+ AA9AFE86141EAD230078E31B /* IoMD5.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = IoMD5.h; sourceTree = ""; };
+ AA9AFE87141EAD230078E31B /* IoMD5Init.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = IoMD5Init.c; sourceTree = ""; };
+ AA9AFE88141EAD230078E31B /* md5.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = md5.c; sourceTree = ""; };
+ AA9AFE89141EAD230078E31B /* md5.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = md5.h; sourceTree = ""; };
+ AA9AFE93141EAD230078E31B /* YajlElement.io */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text; path = YajlElement.io; sourceTree = ""; };
+ AA9AFE96141EAD230078E31B /* IoYajl.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = IoYajl.c; sourceTree = ""; };
+ AA9AFE97141EAD230078E31B /* IoYajl.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = IoYajl.h; sourceTree = ""; };
+ AA9AFE98141EAD230078E31B /* IoYajlGen.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = IoYajlGen.c; sourceTree = ""; };
+ AA9AFE99141EAD230078E31B /* IoYajlGen.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = IoYajlGen.h; sourceTree = ""; };
+ AA9AFE9A141EAD230078E31B /* IoYajlInit.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = IoYajlInit.c; sourceTree = ""; };
+ AABB943613DD09B800B6A0CB /* Base.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = Base.h; sourceTree = ""; };
+ AABB943713DD09B800B6A0CB /* BStream.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = BStream.c; sourceTree = ""; };
+ AABB943813DD09B800B6A0CB /* BStream.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = BStream.h; sourceTree = ""; };
+ AABB943913DD09B800B6A0CB /* BStreamTag.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = BStreamTag.c; sourceTree = ""; };
+ AABB943A13DD09B800B6A0CB /* BStreamTag.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = BStreamTag.h; sourceTree = ""; };
+ AABB943B13DD09B800B6A0CB /* cdecode.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = cdecode.c; sourceTree = ""; };
+ AABB943C13DD09B800B6A0CB /* cdecode.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = cdecode.h; sourceTree = ""; };
+ AABB943D13DD09B800B6A0CB /* cencode.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = cencode.c; sourceTree = ""; };
+ AABB943E13DD09B800B6A0CB /* cencode.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = cencode.h; sourceTree = ""; };
+ AABB943F13DD09B800B6A0CB /* CHash.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = CHash.c; sourceTree = ""; };
+ AABB944013DD09B800B6A0CB /* CHash.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = CHash.h; sourceTree = ""; };
+ AABB944113DD09B800B6A0CB /* CHash_inline.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = CHash_inline.h; sourceTree = ""; };
+ AABB944213DD09B800B6A0CB /* Common.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = Common.c; sourceTree = ""; };
+ AABB944313DD09B800B6A0CB /* Common.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = Common.h; sourceTree = ""; };
+ AABB944413DD09B800B6A0CB /* Common_inline.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = Common_inline.h; sourceTree = ""; };
+ AABB944513DD09B800B6A0CB /* Date.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = Date.c; sourceTree = ""; };
+ AABB944613DD09B800B6A0CB /* Date.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = Date.h; sourceTree = ""; };
+ AABB944713DD09B800B6A0CB /* Duration.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = Duration.c; sourceTree = ""; };
+ AABB944813DD09B800B6A0CB /* Duration.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = Duration.h; sourceTree = ""; };
+ AABB944913DD09B800B6A0CB /* DynLib.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = DynLib.c; sourceTree = ""; };
+ AABB944A13DD09B800B6A0CB /* DynLib.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = DynLib.h; sourceTree = ""; };
+ AABB944B13DD09B800B6A0CB /* Hash_fnv.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = Hash_fnv.c; sourceTree = ""; };
+ AABB944C13DD09B800B6A0CB /* Hash_fnv.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = Hash_fnv.h; sourceTree = ""; };
+ AABB944D13DD09B800B6A0CB /* Hash_murmur.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = Hash_murmur.c; sourceTree = ""; };
+ AABB944E13DD09B800B6A0CB /* Hash_murmur.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = Hash_murmur.h; sourceTree = ""; };
+ AABB944F13DD09B800B6A0CB /* Hash_superfast.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = Hash_superfast.c; sourceTree = ""; };
+ AABB945013DD09B800B6A0CB /* Hash_superfast.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = Hash_superfast.h; sourceTree = ""; };
+ AABB945113DD09B800B6A0CB /* List.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = List.c; sourceTree = ""; };
+ AABB945213DD09B800B6A0CB /* List.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = List.h; sourceTree = ""; };
+ AABB945313DD09B800B6A0CB /* List_inline.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = List_inline.h; sourceTree = ""; };
+ AABB945413DD09B800B6A0CB /* MainArgs.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = MainArgs.c; sourceTree = ""; };
+ AABB945513DD09B800B6A0CB /* MainArgs.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = MainArgs.h; sourceTree = ""; };
+ AABB945613DD09B800B6A0CB /* PointerHash.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = PointerHash.c; sourceTree = ""; };
+ AABB945713DD09B800B6A0CB /* PointerHash.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = PointerHash.h; sourceTree = ""; };
+ AABB945813DD09B800B6A0CB /* PointerHash_inline.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = PointerHash_inline.h; sourceTree = ""; };
+ AABB945913DD09B800B6A0CB /* PointerHash_struct.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = PointerHash_struct.h; sourceTree = ""; };
+ AABB945A13DD09B800B6A0CB /* PortableGettimeofday.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = PortableGettimeofday.c; sourceTree = ""; };
+ AABB945B13DD09B800B6A0CB /* PortableGettimeofday.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = PortableGettimeofday.h; sourceTree = ""; };
+ AABB945C13DD09B800B6A0CB /* PortableSnprintf.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = PortableSnprintf.c; sourceTree = ""; };
+ AABB945D13DD09B800B6A0CB /* PortableSorting.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = PortableSorting.c; sourceTree = ""; };
+ AABB945E13DD09B800B6A0CB /* PortableSorting.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = PortableSorting.h; sourceTree = ""; };
+ AABB945F13DD09B800B6A0CB /* PortableStdint.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = PortableStdint.h; sourceTree = ""; };
+ AABB946013DD09B800B6A0CB /* PortableStrlcpy.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = PortableStrlcpy.c; sourceTree = ""; };
+ AABB946113DD09B800B6A0CB /* PortableStrlcpy.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = PortableStrlcpy.h; sourceTree = ""; };
+ AABB946213DD09B800B6A0CB /* PortableStrptime.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = PortableStrptime.c; sourceTree = ""; };
+ AABB946313DD09B800B6A0CB /* PortableStrptime.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = PortableStrptime.h; sourceTree = ""; };
+ AABB946413DD09B800B6A0CB /* PortableTruncate.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = PortableTruncate.c; sourceTree = ""; };
+ AABB946513DD09B800B6A0CB /* PortableTruncate.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = PortableTruncate.h; sourceTree = ""; };
+ AABB946613DD09B800B6A0CB /* PortableUsleep.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = PortableUsleep.c; sourceTree = ""; };
+ AABB946713DD09B800B6A0CB /* PortableUsleep.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = PortableUsleep.h; sourceTree = ""; };
+ AABB946813DD09B800B6A0CB /* RandomGen.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = RandomGen.c; sourceTree = ""; };
+ AABB946913DD09B800B6A0CB /* RandomGen.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = RandomGen.h; sourceTree = ""; };
+ AABB946E13DD09B800B6A0CB /* simd_cp.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = simd_cp.h; sourceTree = ""; };
+ AABB946F13DD09B800B6A0CB /* simd_cp_arm-iwmmx.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = "simd_cp_arm-iwmmx.h"; sourceTree = ""; };
+ AABB947013DD09B800B6A0CB /* simd_cp_emu.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = simd_cp_emu.h; sourceTree = ""; };
+ AABB947113DD09B800B6A0CB /* simd_cp_x86.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = simd_cp_x86.h; sourceTree = ""; };
+ AABB947813DD09B800B6A0CB /* Stack.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = Stack.c; sourceTree = ""; };
+ AABB947913DD09B800B6A0CB /* Stack.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = Stack.h; sourceTree = ""; };
+ AABB947A13DD09B800B6A0CB /* Stack_inline.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = Stack_inline.h; sourceTree = ""; };
+ AABB947B13DD09B800B6A0CB /* UArray.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = UArray.c; sourceTree = ""; };
+ AABB947C13DD09B800B6A0CB /* UArray.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = UArray.h; sourceTree = ""; };
+ AABB947D13DD09B800B6A0CB /* UArray_character.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = UArray_character.c; sourceTree = ""; };
+ AABB947E13DD09B800B6A0CB /* UArray_character.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = UArray_character.h; sourceTree = ""; };
+ AABB947F13DD09B800B6A0CB /* UArray_format.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = UArray_format.c; sourceTree = ""; };
+ AABB948013DD09B800B6A0CB /* UArray_format.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = UArray_format.h; sourceTree = ""; };
+ AABB948113DD09B800B6A0CB /* UArray_math.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = UArray_math.c; sourceTree = ""; };
+ AABB948213DD09B800B6A0CB /* UArray_math.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = UArray_math.h; sourceTree = ""; };
+ AABB948313DD09B800B6A0CB /* UArray_path.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = UArray_path.c; sourceTree = ""; };
+ AABB948413DD09B800B6A0CB /* UArray_path.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = UArray_path.h; sourceTree = ""; };
+ AABB948513DD09B800B6A0CB /* UArray_stream.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = UArray_stream.c; sourceTree = ""; };
+ AABB948613DD09B800B6A0CB /* UArray_stream.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = UArray_stream.h; sourceTree = ""; };
+ AABB948713DD09B800B6A0CB /* UArray_string.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = UArray_string.c; sourceTree = ""; };
+ AABB948813DD09B800B6A0CB /* UArray_string.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = UArray_string.h; sourceTree = ""; };
+ AABB948913DD09B800B6A0CB /* UArray_utf.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = UArray_utf.c; sourceTree = ""; };
+ AABB948A13DD09B800B6A0CB /* UArray_utf.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = UArray_utf.h; sourceTree = ""; };
+ AABB948B13DD09B800B6A0CB /* ucs2.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = ucs2.c; sourceTree = ""; };
+ AABB948C13DD09B800B6A0CB /* ucs4.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = ucs4.c; sourceTree = ""; };
+ AABB948D13DD09B800B6A0CB /* utf8.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = utf8.c; sourceTree = ""; };
+ AABB948E13DD09B800B6A0CB /* utf8.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = utf8.h; sourceTree = ""; };
+ AABB948F13DD09B800B6A0CB /* utf8internal.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = utf8internal.h; sourceTree = ""; };
+ AABB949013DD09B800B6A0CB /* utf_convert.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = utf_convert.c; sourceTree = ""; };
+ AABB949113DD09B800B6A0CB /* utf_convert.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = utf_convert.h; sourceTree = ""; };
+ AABB949213DD09B800B6A0CB /* CMakeLists.txt */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text; path = CMakeLists.txt; sourceTree = ""; };
+ AABB94B013DD09B800B6A0CB /* 386-ucontext.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = "386-ucontext.h"; sourceTree = ""; };
+ AABB94B113DD09B800B6A0CB /* amd64-ucontext.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = "amd64-ucontext.h"; sourceTree = ""; };
+ AABB94B213DD09B800B6A0CB /* asm.S */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.asm; path = asm.S; sourceTree = ""; };
+ AABB94B313DD09B800B6A0CB /* context.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = context.c; sourceTree = ""; };
+ AABB94B413DD09B800B6A0CB /* Coro.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = Coro.c; sourceTree = ""; };
+ AABB94B513DD09B800B6A0CB /* Coro.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = Coro.h; sourceTree = ""; };
+ AABB94B613DD09B800B6A0CB /* power-ucontext.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = "power-ucontext.h"; sourceTree = ""; };
+ AABB94B713DD09B800B6A0CB /* taskimpl.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = taskimpl.h; sourceTree = ""; };
+ AABB94CF13DD09B800B6A0CB /* Collector.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = Collector.c; sourceTree = ""; };
+ AABB94D013DD09B800B6A0CB /* Collector.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = Collector.h; sourceTree = ""; };
+ AABB94D113DD09B800B6A0CB /* Collector_inline.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = Collector_inline.h; sourceTree = ""; };
+ AABB94D213DD09B800B6A0CB /* CollectorMarker.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = CollectorMarker.c; sourceTree = ""; };
+ AABB94D313DD09B800B6A0CB /* CollectorMarker.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = CollectorMarker.h; sourceTree = ""; };
+ AABB94D413DD09B800B6A0CB /* CollectorMarker_inline.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = CollectorMarker_inline.h; sourceTree = ""; };
+ AABB959213DD09B800B6A0CB /* IoBlock.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = IoBlock.c; sourceTree = ""; };
+ AABB959313DD09B800B6A0CB /* IoBlock.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = IoBlock.h; sourceTree = ""; };
+ AABB959413DD09B800B6A0CB /* IoCall.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = IoCall.c; sourceTree = ""; };
+ AABB959513DD09B800B6A0CB /* IoCall.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = IoCall.h; sourceTree = ""; };
+ AABB959613DD09B800B6A0CB /* IoCFunction.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = IoCFunction.c; sourceTree = ""; };
+ AABB959713DD09B800B6A0CB /* IoCFunction.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = IoCFunction.h; sourceTree = ""; };
+ AABB959813DD09B800B6A0CB /* IoCollector.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = IoCollector.c; sourceTree = ""; };
+ AABB959913DD09B800B6A0CB /* IoCollector.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = IoCollector.h; sourceTree = ""; };
+ AABB959A13DD09B800B6A0CB /* IoCompiler.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = IoCompiler.c; sourceTree = ""; };
+ AABB959B13DD09B800B6A0CB /* IoCompiler.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = IoCompiler.h; sourceTree = ""; };
+ AABB959C13DD09B800B6A0CB /* IoConfig.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = IoConfig.h; sourceTree = ""; };
+ AABB959D13DD09B800B6A0CB /* IoContext.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = IoContext.h; sourceTree = ""; };
+ AABB959E13DD09B800B6A0CB /* IoCoroutine.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = IoCoroutine.c; sourceTree = ""; };
+ AABB959F13DD09B800B6A0CB /* IoCoroutine.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = IoCoroutine.h; sourceTree = ""; };
+ AABB95A013DD09B800B6A0CB /* IoDate.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = IoDate.c; sourceTree = ""; };
+ AABB95A113DD09B800B6A0CB /* IoDate.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = IoDate.h; sourceTree = ""; };
+ AABB95A213DD09B800B6A0CB /* IoDebugger.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = IoDebugger.c; sourceTree = ""; };
+ AABB95A313DD09B800B6A0CB /* IoDebugger.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = IoDebugger.h; sourceTree = ""; };
+ AABB95A413DD09B800B6A0CB /* IoDirectory.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = IoDirectory.c; sourceTree = ""; };
+ AABB95A513DD09B800B6A0CB /* IoDirectory.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = IoDirectory.h; sourceTree = ""; };
+ AABB95A613DD09B800B6A0CB /* IoDuration.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = IoDuration.c; sourceTree = ""; };
+ AABB95A713DD09B800B6A0CB /* IoDuration.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = IoDuration.h; sourceTree = ""; };
+ AABB95A813DD09B800B6A0CB /* IoDynLib.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = IoDynLib.c; sourceTree = ""; };
+ AABB95A913DD09B800B6A0CB /* IoDynLib.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = IoDynLib.h; sourceTree = ""; };
+ AABB95AA13DD09B800B6A0CB /* IoError.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = IoError.c; sourceTree = ""; };
+ AABB95AB13DD09B800B6A0CB /* IoError.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = IoError.h; sourceTree = ""; };
+ AABB95AC13DD09B800B6A0CB /* IoFile.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = IoFile.c; sourceTree = ""; };
+ AABB95AD13DD09B800B6A0CB /* IoFile.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = IoFile.h; sourceTree = ""; };
+ AABB95AE13DD09B800B6A0CB /* IoFile_stat.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = IoFile_stat.c; sourceTree = ""; };
+ AABB95AF13DD09B800B6A0CB /* IoFile_stat.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = IoFile_stat.h; sourceTree = ""; };
+ AABB95B013DD09B800B6A0CB /* IoInstallPrefix.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = IoInstallPrefix.h; sourceTree = ""; };
+ AABB95B113DD09B800B6A0CB /* IoLexer.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = IoLexer.c; sourceTree = ""; };
+ AABB95B213DD09B800B6A0CB /* IoLexer.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = IoLexer.h; sourceTree = ""; };
+ AABB95B313DD09B800B6A0CB /* IoList.c */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.c; path = IoList.c; sourceTree = " |