code stringlengths 3 10M | language stringclasses 31 values |
|---|---|
import pegged.grammar;
import pegged.cutter;
import std.conv; // バージョン3で追加
import std.stdio;
enum Lang1Grammar = `
Lang1:
# Entry Point
_TopLevel < _EvalUnit+ eoi # バージョン4で変更
# Keyword List
Keywords < "dump" / "var"
# Grammars
DumpStatement < "dump" ";"
_EvalUnit < VarDeclaration / DumpStatement # バージョン4で変更
Identifier < (!Keywords identifier)
Integer <~ digit+
VarDeclaration < "var" Identifier "=" Integer ";"
# Spacing
Comment1 <~ "/*" (!"*/" .)* "*/"
Comment2 <~ "//" (!endOfLine .)* :endOfLine
Spacing <- (blank / Comment1 / Comment2)*
`;
mixin(grammar(Lang1Grammar));
enum Lang1Source = `
var x = 1234;
var y = 5678;
dump;
`;
class A
{
public int a;
string b;
}
struct B
{
public int a;
string b;
}
void main(string[] args)
{
ParseTree pt = Lang1(Lang1Source);
// pt.cutNodes([`Lang1.TopLevel`, `Lang1.EvalUnit`]); // バージョン2で追加⇒バージョン4で削除
pt.cutNodes(); // バージョン4で追加
writeln(pt);
// これ以降を追加(バージョン3)
enum string code = compile(Lang1Source);
pragma(msg, code);
writeln(code);
run!code();
writeln("kanji=漢字");
import runtime;
writeln(rt_add2(11, 22));
register(typeid(A));
register(typeid(B));
}
void register(TypeInfo t)
{
import std.traits;
writeln(t.toString);
Object o = Object.factory(t.toString);
writeln(o);
//const(OffsetTypeInfo)[] tiList = t.classinfo.offTi();
const(OffsetTypeInfo)[] tiList = t.offTi();
writeln(tiList);
//import os1.lang.jsvar;
//import os1.lang;
import arsd.jsvar;
var a = 10;
var b = a - 5;
a = [1, 2, 3];
a[1] = "two";
writeln(a);
int xxx = 123;
a = json!q{
"foo":{"bar":100},
"joe":"joesph"
};
a.xxx = long.max;
a.yyy = cast(real) long.max;
writeln(a.zzz);
assert(a.zzz == var(null));
a.zzz = var.emptyObject;
a.zzz.z = `😀😬😁😂😃😄😅😆😇😉😊🙂☺️😋😌😍😘😗😙😚😜😝😛😎😏😶😐😑😒😳😞😟😠😡😔😕🙁☹️😣😖😫😩😤😮😱😨😰😯😦😧😢😥😪😓😭😵😲😷😴💤💩😈👿👹👺💀👻👽`;
writeln(a.joe);
a.foo.bar += 55;
b = a;
writeln(b.foo.bar);
var c = (var d) { writeln("hello, ", d, "!"); };
c("adr");
c(100);
writeln(a);
writeln(a.yyy);
writeln(cast(long) a.yyy);
test_script();
import var2mod;
var2 x1 = 123.45;
writeln(x1.get!long);
writeln(x1.get!real);
writeln(x1.get!string);
var2 x2 = 123;
writeln(x2.get!long);
writeln(x2.get!real);
writeln(x2.get!string);
var2 x3 = &add2;
writeln(x3.get!long);
writeln(x3.get!real);
writeln(x3.get!string);
var2 answer = x3(11, 22.5);
writeln(`answer=`, answer);
var2 v;
v = `abc`;
writeln("[v(1)]");
writeln(v.get!long);
writeln(v.get!real);
writeln(v.get!string);
var2[string] obj;
obj[`a`] = `abc`;
obj[`b`] = 123.45;
v = obj;
writeln("[v(2)]");
writeln(v.get!long);
writeln(v.get!real);
writeln(v.get!string);
writeln(v.get!(var2[string]));
//A _a = new A;
//v = _a;
//B _b;
//v = _b;
int[] i;
i ~= 1;
i ~= 2;
v = i;
writeln(v);
v = true;
writeln(v);
writeln(v.get!bool);
var v2;
writeln(v2);
var2[] args;
var2 arg1 = 22;
var2 arg2 = 33;
args ~= arg1;
args ~= var2(44);
var2 answer2 = x3.apply(args);
writeln(answer2);
answer2 = x3.apply([var2(1), var2(22)]);
writeln(answer2);
var2[string] _aa;
var2 aa = _aa;
aa[`x`] = 123;
writeln(aa.get!(var2[string]));
writeln(aa);
writeln(aa[`x`]);
aa.yyy = 777;
writeln(aa);
writeln(aa.yyy);
}
int add2(int a, int b)
{
return a + b;
}
void test_script()
{
//import os1.lang.script;
//import os1.lang;
import arsd.script;
writeln(interpret("x*x + 3*x;", var(["x" : 3])));
var env = var.emptyObject;
env["x"] = long.max;
env["y"] = `abc`;
env["a"] = 11;
env["b"] = 22;
env[`add2`] = &add2;
writeln(env);
writeln(interpret("y", env));
writeln(interpret("var z=x;", env));
writeln(env);
writeln(interpret("var a=add2(a,b);", env));
writeln(env);
}
string compile(string src)
{
import std.format;
ParseTree pt = Lang1(src);
pt.cutNodes();
string result = "import runtime;\n";
for (size_t i = 0; i < pt.children.length; i++)
{
ParseTree* unit = &(pt.children[i]);
switch (unit.name)
{
case `Lang1.VarDeclaration`:
{
string var_name = unit.children[0].matches[0];
long var_value = to!long(unit.children[1].matches[0]);
result ~= format!"rt_def_var(`%s`, %d);\n"(var_name, var_value);
}
break;
case `Lang1.DumpStatement`:
{
result ~= "rt_dump();\n";
}
break;
case `Lang1.StatementBlock`:
break;
default:
break;
}
}
return result;
}
void run(string code)()
{
mixin(code);
}
| D |
/*********************************************************
Copyright: (C) 2008 by Steven Schveighoffer.
All rights reserved
License: $(LICENSE)
**********************************************************/
module col.Link;
private import col.DefaultAllocator;
/**
* Linked-list узел that is используется in various collection classes.
*/
struct Связка(V)
{
/**
* convenience alias
*/
alias Связка *Узел;
Узел следщ;
Узел предш;
/**
* the значение that is represented by this link Узел.
*/
V значение;
/**
* вставь the given узел between this узел и предш. This updates all
* pointers in this, n, и предш.
*
* returns this to allow for chaining.
*/
Узел приставь(Узел n)
{
крепи(предш, n);
крепи(n, this);
return this;
}
/**
* вставь the given Узел between this Узел и следщ. This updates all
* pointers in this, n, и следщ.
*
* returns this to allow for chaining.
*/
Узел поставь(Узел n)
{
крепи(n, следщ);
крепи(this, n);
return this;
}
/**
* удали this Узел from the list. If предш or следщ is non-пусто, their
* pointers are updated.
*
* returns this to allow for chaining.
*/
Узел открепи()
{
крепи(предш, следщ);
следщ = предш = пусто;
return this;
}
/**
* link two узелs together.
*/
static проц крепи(Узел первый, Узел второй)
{
if(первый)
первый.следщ = второй;
if(второй)
второй.предш = первый;
}
/**
* счёт how many узелs until концУзел.
*/
бцел счёт(Узел концУзел = пусто)
{
Узел x = this;
бцел c = 0;
while(x !is концУзел)
{
x = x.следщ;
c++;
}
return c;
}
Узел dup(Узел delegate(V v) функцияСоздать)
{
//
// create a дубликат of this и all узелs after this.
//
auto n = следщ;
auto возврзнач = функцияСоздать(значение);
auto тек = возврзнач;
while(n !is пусто && n !is this)
{
auto x = функцияСоздать(n.значение);
крепи(тек, x);
тек = x;
n = n.следщ;
}
if(n is this)
{
//
// circular list, complete the circle
//
крепи(тек, возврзнач);
}
return возврзнач;
}
Узел dup()
{
Узел _создай(V v)
{
auto n = new Связка!(V);
n.значение = v;
return n;
}
return dup(&_создай);
}
}
/**
* This struct uses a Связка(V) to keep track of a link-list of значения.
*
* The implementation uses a dummy link узел to be the голова и хвост of the
* list. Basically, the list is circular, with the dummy узел marking the
* конец/beginning.
*/
struct ГоловаСвязки(V, alias Разместитель=ДефолтныйРазместитель)
{
/**
* Convenience alias
*/
alias Связка!(V).Узел Узел;
/**
* Convenience alias
*/
alias Разместитель!(Связка!(V)) разместитель;
/**
* The разместитель for this link голова
*/
разместитель разм;
/**
* The узел that denotes the конец of the list
*/
Узел конец; // not a действителен узел
/**
* The number of узелs in the list
*/
бцел счёт;
/**
* Get the первый действителен узел in the list
*/
Узел начало()
{
return конец.следщ;
}
/**
* Initialize the list
*/
проц установка()
{
//конец = new Узел;
конец = размести();
Узел.крепи(конец, конец);
счёт = 0;
}
/**
* Remove a узел from the list, returning the следщ узел in the list, or
* конец if the узел was the последн one in the list. O(1) operation.
*/
Узел удали(Узел n)
{
счёт--;
Узел возврзнач = n.следщ;
n.открепи;
static if(разместитель.нужноСвоб)
разм.освободи(n);
return возврзнач;
}
/**
* сортируй the list according to the given сравни function
*/
проц сортируй(Сравниватель)(Сравниватель comp)
{
if(конец.следщ.следщ is конец)
//
// no узелs to сортируй
//
return;
//
// detach the sentinel
//
конец.предш.следщ = пусто;
//
// use merge сортируй, don't update предш pointers until the сортируй is
// finished.
//
цел K = 1;
while(K < счёт)
{
//
// конец.следщ serves as the sorted list голова
//
Узел голова = конец.следщ;
конец.следщ = пусто;
Узел сортированныйхвост = конец;
цел врмсчёт = счёт;
while(голова !is пусто)
{
if(врмсчёт <= K)
{
//
// the rest is alread sorted
//
сортированныйхвост.следщ = голова;
break;
}
Узел лево = голова;
for(цел k = 1; k < K && голова.следщ !is пусто; k++)
голова = голова.следщ;
Узел право = голова.следщ;
//
// голова now points to the последн элемент in 'лево', detach the
// лево side
//
голова.следщ = пусто;
цел члоправ = K;
while(true)
{
if(лево is пусто)
{
сортированныйхвост.следщ = право;
while(члоправ != 0 && сортированныйхвост.следщ !is пусто)
{
сортированныйхвост = сортированныйхвост.следщ;
члоправ--;
}
голова = сортированныйхвост.следщ;
сортированныйхвост.следщ = пусто;
break;
}
else if(право is пусто || члоправ == 0)
{
сортированныйхвост.следщ = лево;
сортированныйхвост = голова;
голова = право;
сортированныйхвост.следщ = пусто;
break;
}
else
{
цел r = comp(лево.значение, право.значение);
if(r > 0)
{
сортированныйхвост.следщ = право;
право = право.следщ;
члоправ--;
}
else
{
сортированныйхвост.следщ = лево;
лево = лево.следщ;
}
сортированныйхвост = сортированныйхвост.следщ;
}
}
врмсчёт -= 2 * K;
}
K *= 2;
}
//
// now, крепи all the предш узелs
//
Узел n;
for(n = конец; n.следщ !is пусто; n = n.следщ)
n.следщ.предш = n;
Узел.крепи(n, конец);
}
/**
* Remove all the узелs from первый to последн. This is an O(n) operation.
*/
Узел удали(Узел первый, Узел последн)
{
Узел.крепи(первый.предш, последн);
auto n = первый;
while(n !is последн)
{
auto nx = n.следщ;
static if(разм.нужноСвоб)
разм.освободи(n);
счёт--;
n = nx;
}
return последн;
}
/**
* Insert the given значение перед the given Узел. Use вставь(конец, v) to
* добавь to the конец of the list, or to an empty list. O(1) operation.
*/
Узел вставь(Узел перед, V v)
{
счёт++;
//return перед.приставь(new Узел(v)).предш;
return перед.приставь(размести(v)).предш;
}
/**
* Remove all узелs from the list
*/
проц очисти()
{
Узел.крепи(конец, конец);
счёт = 0;
}
/**
* Copy this list to the цель.
*/
проц копируйВ(ref ГоловаСвязки цель, бул копироватьУзлы=true)
{
цель = *this;
//
// reset the разместитель
//
цель.разм = цель.разм.init;
if(копироватьУзлы)
{
цель.конец = конец.dup(&цель.размести);
}
else
{
//
// установи up цель like this one
//
цель.установка();
}
}
/**
* Allocate a new Узел
*/
private Узел размести()
{
return разм.размести();
}
/**
* Allocate a new Узел, then установи the значение to v
*/
private Узел размести(V v)
{
auto возврзнач = размести();
возврзнач.значение = v;
return возврзнач;
}
}
| D |
module hunt.database.driver.postgresql.data.Path;
import hunt.database.driver.postgresql.data.Point;
import hunt.collection.ArrayList;
import hunt.collection.List;
import hunt.util.StringBuilder;
/**
* Path data type in Postgres represented by lists of connected points.
* Paths can be open, where the first and last points in the list are considered not connected,
* or closed, where the first and last points are considered connected.
*/
class Path {
private bool _isOpen;
private List!(Point) points;
this() {
this(false, new ArrayList!(Point)());
}
this(bool isOpen, List!(Point) points) {
this._isOpen = isOpen;
this.points = points;
}
// this(JsonObject json) {
// PathConverter.fromJson(json, this);
// }
bool isOpen() {
return _isOpen;
}
void setOpen(bool open) {
_isOpen = open;
}
List!(Point) getPoints() {
return points;
}
void setPoints(List!(Point) points) {
this.points = points;
}
override bool opEquals(Object o) {
if (this is o)
return true;
Path path = cast(Path) o;
if (path is null)
return false;
if (_isOpen != path._isOpen)
return false;
return points == path.points;
}
override size_t toHash() @trusted nothrow {
size_t result = (_isOpen ? 1 : 0);
result = 31 * result + points.toHash();
return result;
}
override string toString() {
string left;
string right;
if (_isOpen) {
left = "[";
right = "]";
} else {
left = "(";
right = ")";
}
StringBuilder stringBuilder = new StringBuilder();
stringBuilder.append("Path");
stringBuilder.append(left);
for (int i = 0; i < points.size(); i++) {
Point point = points.get(i);
stringBuilder.append(point.toString());
if (i != points.size() - 1) {
// not the last one
stringBuilder.append(",");
}
}
stringBuilder.append(right);
return stringBuilder.toString();
}
// JsonObject toJson() {
// JsonObject json = new JsonObject();
// PathConverter.toJson(this, json);
// return json;
// }
}
| D |
/Users/voidet/Desktop/iOS/REABot/Build/Intermediates/Snappy.build/Debug-iphoneos/Snappy.build/Objects-normal/armv7/ConstraintItem.o : /Users/voidet/Desktop/iOS/REABot/Snappy/EdgeInsets.swift /Users/voidet/Desktop/iOS/REABot/Snappy/ConstraintRelation.swift /Users/voidet/Desktop/iOS/REABot/Snappy/ConstraintAttributes.swift /Users/voidet/Desktop/iOS/REABot/Snappy/LayoutConstraint.swift /Users/voidet/Desktop/iOS/REABot/Snappy/ConstraintMaker.swift /Users/voidet/Desktop/iOS/REABot/Snappy/View+Snappy.swift /Users/voidet/Desktop/iOS/REABot/Snappy/Constraint.swift /Users/voidet/Desktop/iOS/REABot/Snappy/ConstraintItem.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/Security.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/CoreImage.swiftmodule
/Users/voidet/Desktop/iOS/REABot/Build/Intermediates/Snappy.build/Debug-iphoneos/Snappy.build/Objects-normal/armv7/ConstraintItem~partial.swiftmodule : /Users/voidet/Desktop/iOS/REABot/Snappy/EdgeInsets.swift /Users/voidet/Desktop/iOS/REABot/Snappy/ConstraintRelation.swift /Users/voidet/Desktop/iOS/REABot/Snappy/ConstraintAttributes.swift /Users/voidet/Desktop/iOS/REABot/Snappy/LayoutConstraint.swift /Users/voidet/Desktop/iOS/REABot/Snappy/ConstraintMaker.swift /Users/voidet/Desktop/iOS/REABot/Snappy/View+Snappy.swift /Users/voidet/Desktop/iOS/REABot/Snappy/Constraint.swift /Users/voidet/Desktop/iOS/REABot/Snappy/ConstraintItem.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/Security.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/CoreImage.swiftmodule
/Users/voidet/Desktop/iOS/REABot/Build/Intermediates/Snappy.build/Debug-iphoneos/Snappy.build/Objects-normal/armv7/ConstraintItem~partial.swiftdoc : /Users/voidet/Desktop/iOS/REABot/Snappy/EdgeInsets.swift /Users/voidet/Desktop/iOS/REABot/Snappy/ConstraintRelation.swift /Users/voidet/Desktop/iOS/REABot/Snappy/ConstraintAttributes.swift /Users/voidet/Desktop/iOS/REABot/Snappy/LayoutConstraint.swift /Users/voidet/Desktop/iOS/REABot/Snappy/ConstraintMaker.swift /Users/voidet/Desktop/iOS/REABot/Snappy/View+Snappy.swift /Users/voidet/Desktop/iOS/REABot/Snappy/Constraint.swift /Users/voidet/Desktop/iOS/REABot/Snappy/ConstraintItem.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/Security.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/CoreImage.swiftmodule
| D |
// The contents of a token string must be valid code fragments.
auto str = q{int i = 5;};
// The contents here isn't a legal token in D, so it's an error:
auto illegal = q{@?};
| D |
module kontainer.linkedlist.node;
struct Node(T) {
Node* prevNode;
Node* nextNode;
private T _value;
@property T value() {
return _value;
}
@property void value(T val) {
_value = val;
}
alias this value;
}
| D |
module cassandra.schema;
import cassandra.cql;
import cassandra.keyspace;
import cassandra.internal.utils;
struct CassandraSchema {
private {
CassandraKeyspace keyspace_;
string name_;
}
this(CassandraKeyspace keyspace, string schema_name) {
enforceValidIdentifier(schema_name);
keyspace_ = keyspace;
name_ = schema_name;
}
@property
string name() { return name_; }
}
| D |
/afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/obj/x86_64-slc6-gcc48-opt/BosonTaggerXAOD/obj/WTagger.o /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/obj/x86_64-slc6-gcc48-opt/BosonTaggerXAOD/obj/WTagger.d : /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/BosonTaggerXAOD/Root/WTagger.cxx /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/EventLoop/Job.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/EventLoop/Global.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/SampleHandler/SampleHandler.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/SampleHandler/Global.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TObject.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/Rtypes.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/RtypesCore.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/RConfig.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/RVersion.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/DllImport.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/Rtypeinfo.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/snprintf.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/strlcpy.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TGenericClassInfo.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TSchemaHelper.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TStorage.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TVersionCheck.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/Riosfwd.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TBuffer.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/SampleHandler/MetaObject.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/RootCoreUtils/Assert.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/RootCoreUtils/Global.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TCollection.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TIterator.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TString.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TMathBase.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/EventLoop/StatusCode.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/EventLoop/Worker.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/Rtypes.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TList.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TSeqCollection.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/BosonTaggerXAOD/BosonTaggerXAOD/WTagger.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/EventLoop/Algorithm.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TNamed.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODRootAccess/Init.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODRootAccess/tools/TReturnCode.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODRootAccess/TEvent.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODEventFormat/EventFormat.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODEventFormat/versions/EventFormat_v1.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODEventFormat/EventFormatElement.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthContainersInterfaces/IAuxStoreHolder.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODRootAccessInterfaces/TVirtualEvent.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODRootAccessInterfaces/TVirtualEvent.icc /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TError.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODRootAccess/TEvent.icc /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthContainers/ClassName.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthContainers/ClassName.icc /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthContainers/tools/error.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODRootAccess/TStore.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthContainers/ConstDataVector.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthContainers/DataVector.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthContainers/exceptions.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthContainersInterfaces/AuxTypes.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/CxxUtils/unordered_set.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/CxxUtils/hashtable.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/remove_const.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/is_volatile.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/config.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/config/user.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/config/select_compiler_config.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/config/compiler/gcc.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/config/select_stdlib_config.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/config/stdlib/libstdcpp3.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/config/select_platform_config.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/config/platform/linux.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/config/posix_features.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/config/suffix.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/detail/workaround.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/detail/cv_traits_impl.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/detail/bool_trait_def.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/detail/template_arity_spec.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/int.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/int_fwd.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/adl_barrier.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/config/adl.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/config/msvc.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/config/intel.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/config/gcc.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/config/workaround.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/nttp_decl.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/config/nttp.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/integral_wrapper.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/integral_c_tag.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/config/static_constant.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/static_cast.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/cat.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/config/config.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/template_arity_fwd.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/preprocessor/params.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/config/preprocessor.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/comma_if.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/punctuation/comma_if.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/control/if.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/control/iif.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/logical/bool.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/facilities/empty.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/punctuation/comma.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/repeat.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/repetition/repeat.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/debug/error.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/detail/auto_rec.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/tuple/eat.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/inc.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/arithmetic/inc.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/config/lambda.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/config/ttp.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/config/ctps.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/config/overload_resolution.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/integral_constant.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/bool.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/bool_fwd.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/integral_c.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/integral_c_fwd.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/lambda_support.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/detail/bool_trait_undef.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/detail/type_trait_def.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/detail/type_trait_undef.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/CxxUtils/noreturn.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthContainers/OwnershipPolicy.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthContainers/IndexTrackingPolicy.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthContainers/AuxVectorBase.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthContainers/AuxVectorData.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthContainersInterfaces/IConstAuxStore.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthContainersInterfaces/AuxDataOption.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthContainersInterfaces/AuxDataOption.icc /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthContainers/tools/AuxDataTraits.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthLinks/DataLink.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthLinks/DataLinkBase.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthLinks/tools/selection_ns.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/RVersion.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/RootMetaSelection.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthLinks/DataLink.icc /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODRootAccessInterfaces/TActiveEvent.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/CxxUtils/override.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthContainers/tools/likely.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthContainers/tools/assume.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthContainers/tools/threading.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthContainers/tools/threading.icc /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthContainers/AuxVectorData.icc /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthContainers/AuxTypeRegistry.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthContainersInterfaces/IAuxTypeVector.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthContainersInterfaces/IAuxTypeVectorFactory.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthContainers/tools/AuxTypeVector.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthContainersInterfaces/IAuxSetOption.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthContainers/PackedContainer.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthContainers/PackedParameters.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthContainers/PackedParameters.icc /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthContainers/PackedContainer.icc /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthContainers/tools/AuxTypeVector.icc /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthContainers/tools/AuxTypeVectorFactory.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthContainers/tools/AuxTypeVectorFactory.icc /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthContainers/AuxTypeRegistry.icc /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthContainersInterfaces/IAuxStore.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthContainers/AuxElement.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthContainersInterfaces/IAuxElement.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthContainers/AuxElement.icc /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthContainers/tools/ATHCONTAINERS_ASSERT.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthContainersInterfaces/AuxStore_traits.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthContainers/AuxVectorBase.icc /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthContainers/tools/DVLNoBase.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthContainers/tools/DVLInfo.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthContainers/tools/ClassID.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthContainers/tools/DVLInfo.icc /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthContainers/tools/DVLCast.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthContainers/tools/DVLIterator.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthContainers/tools/ElementProxy.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthContainers/tools/ElementProxy.icc /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/iterator/iterator_adaptor.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/static_assert.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/iterator.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/detail/iterator.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/iterator/iterator_categories.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/iterator/detail/config_def.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/eval_if.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/if.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/value_wknd.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/config/integral.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/config/eti.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/na_spec.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/lambda_fwd.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/void_fwd.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/na.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/na_fwd.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/lambda_arity_param.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/arity.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/config/dtp.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/preprocessor/enum.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/preprocessor/def_params_tail.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/limits/arity.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/logical/and.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/logical/bitand.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/identity.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/facilities/identity.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/empty.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/arithmetic/add.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/arithmetic/dec.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/control/while.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/list/fold_left.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/list/detail/fold_left.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/control/expr_iif.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/list/adt.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/detail/is_binary.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/detail/check.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/logical/compl.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/list/fold_right.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/list/detail/fold_right.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/list/reverse.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/control/detail/while.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/tuple/elem.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/facilities/expand.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/facilities/overload.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/variadic/size.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/tuple/rem.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/tuple/detail/is_single_return.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/variadic/elem.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/arithmetic/sub.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/identity.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/placeholders.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/arg.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/arg_fwd.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/na_assert.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/assert.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/not.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/nested_type_wknd.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/yes_no.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/config/arrays.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/config/gpu.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/config/pp_counter.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/arity_spec.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/arg_typedef.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/config/use_preprocessed.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/include_preprocessed.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/config/compiler.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/stringize.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/preprocessed/gcc/arg.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/preprocessed/gcc/placeholders.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/is_convertible.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/intrinsics.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/config.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/is_same.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/is_reference.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/is_lvalue_reference.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/is_rvalue_reference.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/ice.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/detail/yes_no_type.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/detail/ice_or.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/detail/ice_and.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/detail/ice_not.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/detail/ice_eq.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/is_array.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/is_arithmetic.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/is_integral.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/is_float.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/is_void.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/is_abstract.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/add_lvalue_reference.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/add_reference.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/add_rvalue_reference.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/is_function.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/detail/false_result.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/detail/is_function_ptr_helper.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/utility/declval.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/iterator/detail/config_undef.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/iterator/iterator_facade.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/iterator/interoperable.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/or.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/preprocessed/gcc/or.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/iterator/iterator_traits.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/iterator/detail/facade_iterator_category.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/and.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/preprocessed/gcc/and.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/is_const.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/detail/indirect_traits.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/is_pointer.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/is_member_pointer.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/is_member_function_pointer.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/detail/is_mem_fun_pointer_impl.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/remove_cv.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/is_class.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/remove_reference.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/remove_pointer.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/iterator/detail/enable_if.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/utility/addressof.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/core/addressof.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/add_const.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/add_pointer.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/is_pod.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/is_scalar.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/is_enum.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/always.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/preprocessor/default_params.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/apply.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/apply_fwd.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/preprocessed/gcc/apply_fwd.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/apply_wrap.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/has_apply.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/has_xxx.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/type_wrapper.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/config/has_xxx.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/config/msvc_typename.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/array/elem.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/array/data.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/array/size.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/repetition/enum_params.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/repetition/enum_trailing_params.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/config/has_apply.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/msvc_never_true.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/preprocessed/gcc/apply_wrap.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/lambda.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/bind.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/bind_fwd.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/config/bind.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/preprocessed/gcc/bind_fwd.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/next.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/next_prior.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/common_name_wknd.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/protect.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/preprocessed/gcc/bind.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/full_lambda.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/quote.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/void.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/has_type.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/config/bcc.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/preprocessed/gcc/quote.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/template_arity.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/preprocessed/gcc/template_arity.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/preprocessed/gcc/full_lambda.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/aux_/preprocessed/gcc/apply.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/version.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthContainers/tools/DVL_iter_swap.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthContainers/tools/DVL_algorithms.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthContainers/tools/DVL_algorithms.icc /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthContainers/tools/IsMostDerivedFlag.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/add_cv.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/add_volatile.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/aligned_storage.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/aligned_storage.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/alignment_of.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/detail/size_t_trait_def.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/size_t.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/mpl/size_t_fwd.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/detail/size_t_trait_undef.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/type_with_alignment.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/list/for_each_i.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/repetition/for.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/repetition/detail/for.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/tuple/to_list.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/tuple/size.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/list/transform.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/list/append.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/common_type.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/conditional.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/decay.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/remove_bounds.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/extent.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/floating_point_promotion.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/function_traits.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/has_new_operator.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/has_nothrow_assign.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/has_trivial_assign.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/has_nothrow_constructor.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/has_trivial_constructor.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/has_nothrow_copy.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/has_trivial_copy.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/has_nothrow_destructor.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/has_trivial_destructor.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/has_operator.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/has_bit_and.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/detail/has_binary_operator.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/is_base_of.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/is_base_and_derived.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/is_fundamental.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/has_bit_and_assign.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/has_bit_or.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/has_bit_or_assign.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/has_bit_xor.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/has_bit_xor_assign.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/has_complement.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/detail/has_prefix_operator.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/has_dereference.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/has_divides.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/has_divides_assign.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/has_equal_to.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/has_greater.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/has_greater_equal.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/has_left_shift.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/has_left_shift_assign.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/has_less.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/has_less_equal.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/has_logical_and.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/has_logical_not.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/has_logical_or.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/has_minus.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/has_minus_assign.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/has_modulus.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/has_modulus_assign.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/has_multiplies.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/has_multiplies_assign.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/has_negate.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/has_not_equal_to.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/has_plus.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/has_plus_assign.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/has_post_decrement.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/detail/has_postfix_operator.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/has_post_increment.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/has_pre_decrement.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/has_pre_increment.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/has_right_shift.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/has_right_shift_assign.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/has_unary_minus.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/has_unary_plus.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/has_trivial_move_assign.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/has_trivial_move_constructor.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/has_virtual_destructor.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/is_complex.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/is_compound.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/is_copy_constructible.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/noncopyable.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/core/noncopyable.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/is_copy_assignable.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/is_empty.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/is_floating_point.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/is_member_object_pointer.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/is_nothrow_move_assignable.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/utility/enable_if.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/core/enable_if.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/is_nothrow_move_constructible.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/is_object.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/is_polymorphic.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/is_signed.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/is_stateless.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/is_union.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/is_unsigned.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/is_virtual_base_of.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/make_unsigned.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/make_signed.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/rank.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/remove_extent.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/remove_all_extents.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/remove_volatile.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/integral_promotion.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/type_traits/promote.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthContainers/DataVector.icc /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthContainers/tools/CompareAndPrint.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthContainers/ConstDataVector.icc /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/iterator/transform_iterator.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/utility/result_of.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/iteration/iterate.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/slot/slot.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/slot/detail/def.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/repetition/enum_binary_params.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/repetition/enum_shifted_params.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/facilities/intercept.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/iteration/detail/iter/forward1.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/iteration/detail/bounds/lower1.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/slot/detail/shared.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/preprocessor/iteration/detail/bounds/upper1.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/boost/utility/detail/result_of_iterate.hpp /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODRootAccess/TStore.icc /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthContainers/normalizedTypeinfoName.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODRootAccess/tools/TDestructorRegistry.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODRootAccess/tools/TDestructorRegistry.icc /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODRootAccess/tools/TDestructor.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODRootAccess/tools/TDestructor.icc /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODRootAccess/tools/TCDVHolderT.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODRootAccess/tools/THolder.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODRootAccess/tools/TCDVHolderT.icc /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TFile.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TDirectoryFile.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TDirectory.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TDatime.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TUUID.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TMap.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/THashTable.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TUrl.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TH2F.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TH2.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TH1.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TAxis.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TAttAxis.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TArrayD.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TArray.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TAttLine.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TAttFill.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TAttMarker.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TArrayC.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TArrayS.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TArrayI.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TArrayF.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/Foption.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TVectorFfwd.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TVectorDfwd.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TFitResultPtr.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TMatrixFBasefwd.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TMatrixDBasefwd.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/BosonTaggerXAOD/BosonTaggerXAOD/tools/ReturnCheck.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/BosonTaggerXAOD/BosonTaggerXAOD/tools/Message.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/BosonTaggerXAOD/BosonTaggerXAOD/tools/ReturnCheckConfig.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TSystem.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TInetAddress.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TTimer.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TSysEvtHandler.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TQObject.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TQObjectEmitVA.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TQConnection.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/Varargs.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TInterpreter.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TDictionary.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/ESTLType.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TVirtualMutex.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TTime.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/ThreadLocalStorage.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/RConfigure.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/BosonTaggerXAOD/BosonTaggerXAOD/HelperFunctions.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AsgTools/StatusCode.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AsgTools/AsgToolsConf.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AsgTools/Check.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AsgTools/MsgStreamMacros.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AsgTools/MsgLevel.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODJet/JetContainer.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODJet/Jet.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODJet/versions/Jet_v1.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthLinks/ElementLink.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthLinks/ElementLinkBase.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthLinks/tools/TypeTools.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthLinks/ElementLink.icc /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODBase/IParticle.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TLorentzVector.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TMath.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TError.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TVector3.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TVector2.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TObject.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TMatrix.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TMatrixF.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TMatrixT.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TMatrixTBase.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TMatrixTUtils.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TMatrixFfwd.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TMatrixFUtils.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TMatrixFUtilsfwd.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TRotation.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODBase/ObjectType.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODBase/IParticleContainer.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODBTagging/BTaggingContainer.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODBTagging/BTagging.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODBTagging/versions/BTagging_v1.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODBTagging/BTaggingEnums.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODTracking/TrackParticleContainer.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODTracking/TrackParticle.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODTracking/versions/TrackParticle_v1.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODTracking/TrackingPrimitives.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/EventPrimitives/EventPrimitives.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/Core /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/util/DisableStupidWarnings.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/util/Macros.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/util/MKL_support.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/util/Constants.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/util/ForwardDeclarations.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/util/Meta.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/util/StaticAssert.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/util/XprHelper.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/util/Memory.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/NumTraits.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/MathFunctions.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/GenericPacketMath.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/arch/SSE/PacketMath.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/arch/SSE/MathFunctions.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/arch/SSE/Complex.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/arch/Default/Settings.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/Functors.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/DenseCoeffsBase.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/DenseBase.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/../plugins/BlockMethods.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/MatrixBase.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/../plugins/CommonCwiseUnaryOps.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/../plugins/CommonCwiseBinaryOps.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/../plugins/MatrixCwiseUnaryOps.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/../plugins/MatrixCwiseBinaryOps.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/EventPrimitives/AmgMatrixPlugin.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/EigenBase.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/Assign.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/util/BlasUtil.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/DenseStorage.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/NestByValue.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/ForceAlignedAccess.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/ReturnByValue.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/NoAlias.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/PlainObjectBase.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/Matrix.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/EventPrimitives/SymmetricMatrixHelpers.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/Array.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/CwiseBinaryOp.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/CwiseUnaryOp.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/CwiseNullaryOp.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/CwiseUnaryView.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/SelfCwiseBinaryOp.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/Dot.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/StableNorm.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/MapBase.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/Stride.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/Map.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/Block.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/VectorBlock.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/Ref.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/Transpose.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/DiagonalMatrix.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/Diagonal.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/DiagonalProduct.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/PermutationMatrix.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/Transpositions.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/Redux.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/Visitor.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/Fuzzy.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/IO.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/Swap.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/CommaInitializer.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/Flagged.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/ProductBase.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/GeneralProduct.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/TriangularMatrix.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/SelfAdjointView.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/products/GeneralBlockPanelKernel.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/products/Parallelizer.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/products/CoeffBasedProduct.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/products/GeneralMatrixVector.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/products/GeneralMatrixMatrix.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/SolveTriangular.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/products/GeneralMatrixMatrixTriangular.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/products/SelfadjointMatrixVector.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/products/SelfadjointMatrixMatrix.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/products/SelfadjointProduct.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/products/SelfadjointRank2Update.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/products/TriangularMatrixVector.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/products/TriangularMatrixMatrix.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/products/TriangularSolverMatrix.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/products/TriangularSolverVector.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/BandMatrix.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/CoreIterators.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/BooleanRedux.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/Select.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/VectorwiseOp.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/Random.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/Replicate.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/Reverse.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/ArrayBase.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/../plugins/ArrayCwiseUnaryOps.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/../plugins/ArrayCwiseBinaryOps.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/ArrayWrapper.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/GlobalFunctions.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Core/util/ReenableStupidWarnings.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/Dense /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/Core /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/LU /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/misc/Solve.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/misc/Kernel.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/misc/Image.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/LU/FullPivLU.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/LU/PartialPivLU.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/LU/Determinant.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/LU/Inverse.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/LU/arch/Inverse_SSE.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/Cholesky /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Cholesky/LLT.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Cholesky/LDLT.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/QR /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/Jacobi /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Jacobi/Jacobi.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/Householder /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Householder/Householder.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Householder/HouseholderSequence.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Householder/BlockHouseholder.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/QR/HouseholderQR.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/QR/FullPivHouseholderQR.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/QR/ColPivHouseholderQR.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/SVD /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/SVD/JacobiSVD.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/SVD/UpperBidiagonalization.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/Geometry /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Geometry/OrthoMethods.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Geometry/EulerAngles.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Geometry/Homogeneous.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Geometry/RotationBase.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Geometry/Rotation2D.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Geometry/Quaternion.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Geometry/AngleAxis.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Geometry/Transform.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/EventPrimitives/AmgTransformPlugin.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Geometry/Translation.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Geometry/Scaling.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Geometry/Hyperplane.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Geometry/ParametrizedLine.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Geometry/AlignedBox.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Geometry/Umeyama.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Geometry/arch/Geometry_SSE.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/Eigenvalues /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Eigenvalues/Tridiagonalization.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Eigenvalues/RealSchur.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Eigenvalues/./HessenbergDecomposition.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Eigenvalues/EigenSolver.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Eigenvalues/./RealSchur.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Eigenvalues/SelfAdjointEigenSolver.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Eigenvalues/./Tridiagonalization.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Eigenvalues/GeneralizedSelfAdjointEigenSolver.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Eigenvalues/HessenbergDecomposition.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Eigenvalues/ComplexSchur.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Eigenvalues/ComplexEigenSolver.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Eigenvalues/./ComplexSchur.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Eigenvalues/RealQZ.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Eigenvalues/GeneralizedEigenSolver.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Eigenvalues/./RealQZ.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/src/Eigenvalues/MatrixBaseEigenvalues.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODTracking/VertexContainerFwd.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODTracking/VertexFwd.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODCore/CLASS_DEF.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODCore/ClassID_traits.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODTracking/versions/TrackParticleContainer_v1.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODTracking/versions/TrackParticle_v1.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODTracking/TrackParticleContainerFwd.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODTracking/TrackParticleFwd.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODTracking/VertexContainer.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODTracking/Vertex.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODTracking/versions/Vertex_v1.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/GeoPrimitives/GeoPrimitives.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/Eigen/Geometry /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODTracking/NeutralParticleContainer.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODTracking/NeutralParticle.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODTracking/versions/NeutralParticle_v1.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODTracking/versions/NeutralParticleContainer_v1.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODTracking/versions/NeutralParticle_v1.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODTracking/NeutralParticleContainerFwd.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODTracking/NeutralParticleFwd.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODBase/ObjectType.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODCore/BaseInfo.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODTracking/versions/VertexContainer_v1.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODBTagging/BTagVertexContainer.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODBTagging/BTagVertex.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODBTagging/versions/BTagVertex_v1.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODBTagging/versions/BTagVertexContainer_v1.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODBTagging/versions/BTaggingContainer_v1.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODJet/JetConstituentVector.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODJet/JetTypes.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/Math/Vector4D.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/Math/Vector4Dfwd.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/Math/GenVector/PxPyPzE4D.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/Math/GenVector/eta.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/Math/GenVector/etaMax.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/Math/GenVector/GenVector_exception.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/Math/GenVector/PtEtaPhiE4D.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/Math/Math.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/Math/GenVector/PxPyPzM4D.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/Math/GenVector/PtEtaPhiM4D.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/Math/GenVector/LorentzVector.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/Math/GenVector/DisplacementVector3D.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/Math/GenVector/Cartesian3D.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/Math/GenVector/Polar3Dfwd.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/Math/GenVector/PositionVector3Dfwd.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/Math/GenVector/GenVectorIO.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/Math/GenVector/BitReproducible.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/Math/GenVector/CoordinateSystemTags.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODJet/JetAttributes.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODJet/JetContainerInfo.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODJet/versions/Jet_v1.icc /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODJet/versions/JetAccessorMap_v1.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthLinks/ElementLinkVector.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthLinks/ElementLinkVectorBase.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/AthLinks/ElementLinkVector.icc /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODJet/JetAccessors.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODJet/versions/JetContainer_v1.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODEventInfo/EventInfo.h /afs/cern.ch/user/a/abrennan/testarea/CxAODTestFramework/RootCoreBin/include/xAODEventInfo/versions/EventInfo_v1.h /cvmfs/atlas.cern.ch/repo/ATLASLocalRootBase/x86_64/root/6.02.05-x86_64-slc6-gcc48-opt/include/TEnv.h
| D |
food mixtures either arranged on a plate or tossed and served with a moist dressing
| D |
module engine.thirdparty.x11.Xmd;
//~ import std.string;
import std.conv;
import core.stdc.config;
import engine.thirdparty.x11.Xtos;
extern (C) nothrow:
/*
* Xmd.d: MACHINE DEPENDENT DECLARATIONS.
*/
/*
* Special per-machine configuration flags.
*/
version( X86_64 ){
enum bool LONG64 = true; /* 32/64-bit architecture */
/*
* Stuff to handle large architecture machines; the constants were generated
* on a 32-bit machine and must correspond to the protocol.
*/
enum bool MUSTCOPY = true;
}
else{
enum bool LONG64 = false;
enum bool MUSTCOPY = false;
}
/*
* Definition of macro used to set constants for size of network structures;
* machines with preprocessors that can't handle all of the sz_ symbols
* can define this macro to be sizeof(x) if and only if their compiler doesn't
* pad out structures (esp. the xTextElt structure which contains only two
* one-byte fields). Network structures should always define sz_symbols.
*
* The sz_ prefix is used instead of something more descriptive so that the
* symbols are no more than 32 characters long (which causes problems for some
* compilers and preprocessors).
*
* The extra indirection is to get macro arguments to expand correctly before
* the concatenation, rather than afterward.
*/
//~ template _SIZEOF(T){ size_t _SIZEOF = T.sizeof; }
size_t _SIZEOF(T)(){ return T.sizeof; }
alias _SIZEOF SIZEOF;
/*
* Bitfield suffixes for the protocol structure elements, if you
* need them. Note that bitfields are not guaranteed to be signed
* (or even unsigned) according to ANSI C.
*/
version( X86_64 ){
alias long INT64;
//~ define B32 :32
//~ define B16 :16
alias uint INT32;
alias uint INT16;
}
else{
//~ define B32
//~ define B16
static if( LONG64 ){
alias c_long INT64;
alias int INT32;
}
else
alias c_long INT32;
alias short INT16;
}
alias byte INT8;
static if( LONG64 ){
alias c_ulong CARD64;
alias uint CARD32;
}
else
alias c_ulong CARD32;
static if( !WORD64 && !LONG64 )
alias ulong CARD64;
alias ushort CARD16;
alias byte CARD8;
alias CARD32 BITS32;
alias CARD16 BITS16;
alias CARD8 BYTE;
alias CARD8 BOOL;
/*
* definitions for sign-extending bitfields on 64-bit architectures
*/
static if( WORD64 ){
template cvtINT8toInt(INT8 val) { const int cvtINT8toInt = cast(int) (val & 0x00000080) ? (val | 0xffffffffffffff00) : val; }
template cvtINT16toInt(INT16 val) { const int cvtINT16toInt = cast(int) (val & 0x00008000) ? (val | 0xffffffffffff0000) : val; }
template cvtINT32toInt(INT32 val) { const int cvtINT32toInt = cast(int) (val & 0x80000000) ? (val | 0xffffffff00000000) : val; }
template cvtINT8toShort(INT8 val) { const short cvtINT8toShort = cast(short) cvtINT8toInt(val); }
template cvtINT16toShort(INT16 val) { const short cvtINT16toShort = cast(short) cvtINT16toInt(val); }
template cvtINT32toShort(INT32 val) { const short cvtINT32toShort = cast(short) cvtINT32toInt(val); }
template cvtINT8toLong(INT8 val) { const c_long cvtINT8toLong = cast(c_long) cvtINT8toInt(val); }
template cvtINT16toLong(INT16 val) { const c_long cvtINT16toLong = cast(c_long) cvtINT16toInt(val); }
template cvtINT32toLong(INT32 val) { const c_long cvtINT32toLong = cast(c_long) cvtINT32toInt(val); }
}
else{ /* WORD64 and UNSIGNEDBITFIELDS */
template cvtINT8toInt(INT8 val) { const int cvtINT8toInt = cast(int) val; }
template cvtINT16toInt(INT16 val) { const int cvtINT16toInt = cast(int) val; }
template cvtINT32toInt(INT32 val) { const int cvtINT32toInt = cast(int) val; }
template cvtINT8toShort(INT8 val) { const short cvtINT8toShort = cast(short) val; }
template cvtINT16toShort(INT16 val) { const short cvtINT16toShort = cast(short) val; }
template cvtINT32toShort(INT32 val) { const short cvtINT32toShort = cast(short) val; }
template cvtINT8toLong(INT8 val) { const c_long cvtINT8toLong = cast(c_long) val; }
template cvtINT16toLong(INT16 val) { const c_long cvtINT16toLong = cast(c_long) val; }
template cvtINT32toLong(INT32 val) { const c_long cvtINT32toLong = cast(c_long) val; }
}
static if( MUSTCOPY ){
/*
* This macro must not cast or else pointers will get aligned and be wrong
*/
T NEXTPTR(T)(T p){ const T NEXTPTR = p + SIZEOF!(T); }
}
else{/* else not MUSTCOPY, this is used for 32-bit machines */
/*
* this version should leave result of type (t *), but that should only be
* used when not in MUSTCOPY
*/
T NEXTPTR(T)(T p){ const T NEXTPTR = p + 1; }
}/* MUSTCOPY - used machines whose C structs don't line up with proto */
| D |
import std.stdio;
import std.file;
import std.algorithm;
import std.ascii;
import std.array;
import std.typecons;
import std.conv;
import std.range;
import std.regex;
import std.uni;
import std.string;
void main()
{
auto answers =
readText("input.txt")
.split(newline ~ newline)
.map!(group=>group
.split(newline)
.map!(answer=>answer.array.sort.array)
.fold!((c,x){return setIntersection(c,x).array;})
);
writeln(answers.map!(x=>x.count).sum);
} | D |
/Users/ozgun/Desktop/IOSCase/build/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/MainScheduler.o : /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Deprecated.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Cancelable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/ObservableType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/ObserverType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Reactive.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Date+Dispatch.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/RecursiveLock.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/CompactMap.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Errors.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/AtomicInt.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Event.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/First.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Rx.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/Platform.Linux.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/DefaultIfEmpty.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/ozgun/Desktop/IOSCase/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/ozgun/Desktop/IOSCase/build/Pods.build/Debug-iphonesimulator/RxSwift.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/ozgun/Desktop/IOSCase/build/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/MainScheduler~partial.swiftmodule : /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Deprecated.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Cancelable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/ObservableType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/ObserverType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Reactive.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Date+Dispatch.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/RecursiveLock.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/CompactMap.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Errors.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/AtomicInt.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Event.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/First.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Rx.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/Platform.Linux.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/DefaultIfEmpty.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/ozgun/Desktop/IOSCase/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/ozgun/Desktop/IOSCase/build/Pods.build/Debug-iphonesimulator/RxSwift.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/ozgun/Desktop/IOSCase/build/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/MainScheduler~partial.swiftdoc : /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Deprecated.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Cancelable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/ObservableType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/ObserverType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Reactive.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Date+Dispatch.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/RecursiveLock.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/CompactMap.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Errors.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/AtomicInt.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Event.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/First.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Rx.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/Platform.Linux.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/DefaultIfEmpty.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/ozgun/Desktop/IOSCase/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/ozgun/Desktop/IOSCase/build/Pods.build/Debug-iphonesimulator/RxSwift.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/ozgun/Desktop/IOSCase/build/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/MainScheduler~partial.swiftsourceinfo : /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Deprecated.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Cancelable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/ObservableType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/ObserverType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Reactive.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Date+Dispatch.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/RecursiveLock.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/CompactMap.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Errors.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/AtomicInt.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Event.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/First.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Rx.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/Platform/Platform.Linux.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/ozgun/Desktop/IOSCase/Pods/RxSwift/RxSwift/Observables/DefaultIfEmpty.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/ozgun/Desktop/IOSCase/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/ozgun/Desktop/IOSCase/build/Pods.build/Debug-iphonesimulator/RxSwift.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.6.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
| D |
/// Generate by tools
module org.apache.sanselan.common.byteSources.ByteSourceFile;
import java.lang.exceptions;
public class ByteSourceFile
{
public this()
{
implMissing();
}
}
| D |
void main() {
import std.stdio, std.string, std.conv, std.algorithm;
int n, m;
rd(n, m);
int[] a;
for (int i = 2; i * i <= m; i++) {
if (m % i == 0) {
int cnt = 0;
while (m % i == 0) {
cnt++;
m /= i;
}
a ~= cnt;
}
}
if (m > 1) {
a ~= 1;
}
const long mod = 10 ^^ 9 + 7;
const size_t M = 10 ^^ 5;
static long[M] fac, inv;
{ // init
fac[0] = fac[1] = 1;
foreach (i; 2 .. M)
fac[i] = i * fac[i - 1] % mod;
long _pow(long a, long x) {
if (x == 0)
return 1;
else if (x == 1)
return a;
else if (x & 1)
return a * _pow(a, x - 1) % mod;
else
return _pow(a * a % mod, x / 2);
}
foreach (i; 0 .. M)
inv[i] = _pow(fac[i], mod - 2);
}
long cmb(long nn, long rr) {
if (nn < rr)
return 0;
else
return fac[nn] * inv[rr] % mod * inv[nn - rr] % mod;
}
long tot = 1;
foreach (e; a) {
(tot *= cmb(e + n - 1, e)) %= mod;
}
writeln(tot);
}
void rd(T...)(ref T x) {
import std.stdio, std.string, std.conv;
auto l = readln.split;
assert(l.length == x.length);
foreach (i, ref e; x)
e = l[i].to!(typeof(e));
}
| D |
a series of waves in the hair made by applying heat and chemicals
continuing or enduring without marked change in status or condition or place
not capable of being reversed or returned to the original condition
| D |
/Users/edward.wangcrypto.com/study/substrate_lesson_homework_template/node-template-benchmark/target/release/build/crossbeam-epoch-108b02414aae703d/build_script_build-108b02414aae703d: /Users/edward.wangcrypto.com/.cargo/registry/src/github.com-1ecc6299db9ec823/crossbeam-epoch-0.9.5/build.rs /Users/edward.wangcrypto.com/.cargo/registry/src/github.com-1ecc6299db9ec823/crossbeam-epoch-0.9.5/no_atomic.rs
/Users/edward.wangcrypto.com/study/substrate_lesson_homework_template/node-template-benchmark/target/release/build/crossbeam-epoch-108b02414aae703d/build_script_build-108b02414aae703d.d: /Users/edward.wangcrypto.com/.cargo/registry/src/github.com-1ecc6299db9ec823/crossbeam-epoch-0.9.5/build.rs /Users/edward.wangcrypto.com/.cargo/registry/src/github.com-1ecc6299db9ec823/crossbeam-epoch-0.9.5/no_atomic.rs
/Users/edward.wangcrypto.com/.cargo/registry/src/github.com-1ecc6299db9ec823/crossbeam-epoch-0.9.5/build.rs:
/Users/edward.wangcrypto.com/.cargo/registry/src/github.com-1ecc6299db9ec823/crossbeam-epoch-0.9.5/no_atomic.rs:
# env-dep:CARGO_PKG_NAME=crossbeam-epoch
| D |
/**
This module contains methods for initialising the parameters of neural networks.
Several of the methods implemented in this module rely on $(D fan_in) and $(D fan_out) values. These are calculated
differently depending on the rank of the parameter.
For rank-2 tensors,
$(D fan_in = shape[0]), $(D fan_out = shape[1])
For rank-4 tensors,
$(D fan_in = shape[1] * shape[2] * shape[3]), $(D fan_out = shape[0] * shape[2] * shape[3])
*/
module dopt.nnet.parameters;
import std.math;
import dopt.core;
import dopt.online;
/**
Used to initialize a parameter in the neural network.
The $(D param) parameter will contain an $(D Operation) representing a variable. The ParamInitializer will set the
default value of this variable according to some parameter initialisation scheme.
*/
alias ParamInitializer = void delegate(Operation param);
private
{
void fillUniform(float[] vals, float minval, float maxval)
{
import std.random : uniform;
for(size_t i = 0; i < vals.length; i++)
{
vals[i] = uniform(minval, maxval);
}
}
void fillGaussian(float[] vals, float mean, float stddev)
{
import std.mathspecial : normalDistributionInverse;
import std.random : uniform;
for(size_t i = 0; i < vals.length; i++)
{
vals[i] = normalDistributionInverse(uniform(0.0f, 1.0f)) * stddev + mean;
}
}
size_t fanIn(size_t[] shape)
{
if(shape.length == 2)
{
return shape[1];
}
else if(shape.length == 4)
{
return shape[1] * shape[2] * shape[3];
}
else
{
import std.conv : to;
throw new Exception("Cannot compute fan-in for a parameter tensor of rank " ~ shape.length.to!string);
}
}
size_t fanOut(size_t[] shape)
{
if(shape.length == 2)
{
return shape[0];
}
else if(shape.length == 4)
{
return shape[0] * shape[2] * shape[3];
}
else
{
import std.conv : to;
throw new Exception("Cannot compute fan-out for a parameter tensor of rank " ~ shape.length.to!string);
}
}
}
/**
Encapsulates information about network parameters.
This can be used to keep track of per-parameter loss functions (e.g., weight decay), and also projection functions
that can be applied using constrained optimisation methods.
*/
struct Parameter
{
///An "variable" operation.
Operation symbol;
///Used for applying loss terms to this parameter (e.g., weight decay)
Operation loss;
///A projection operation that can enforce some constraint
Projection projection;
}
/**
Creates a parameter initialiser that sets the initial value of each element in a parameter tensor to a constant
value.
Params:
val = The constant value to be used for initialisation.
Returns:
The constructed $(D ParamInitializer).
*/
ParamInitializer constantInit(float val)
{
void init(Operation param)
{
import std.array : array;
import std.range : repeat;
param.value.set(repeat(val, param.volume).array());
}
return &init;
}
/**
Creates a parameter initialiser that sets the initial value of each element in a parameter tensor to a different
sample from a uniform distribution.
Params:
minval = The lower bound of the uniform distribution.
maxval = The upper bound of the uniform distribution.
Returns:
The constructed $(D ParamInitializer).
*/
ParamInitializer uniformInit(float minval, float maxval)
{
void init(Operation param)
{
auto buf = param.value.get!float;
fillUniform(buf, minval, maxval);
param.value.set(buf);
}
return &init;
}
/**
Creates a parameter initialiser that sets the initial value of each element in a parameter tensor to a different
sample from a Gaussian distribution.
Params:
mean = The mean of the Gaussian distribution.
stddev = The standard deviation of the Gaussian distribution.
Returns:
The constructed $(D ParamInitializer).
*/
ParamInitializer gaussianInit(float mean, float stddev)
{
void init(Operation param)
{
auto buf = param.value.get!float;
fillGaussian(buf, mean, stddev);
param.value.set(buf);
}
return &init;
}
/**
Creates a parameter initialiser that uses the method of Glorot and Bengio (2010).
This technique initialises a parameter with samples from the following uniform distribution:
U(-6 / (fan_in + fan_out), 6 / (fan_in + fan_out))
For more details, see Glorot and Bengio (2010): http://jmlr.org/proceedings/papers/v9/glorot10a/glorot10a.pdf
Returns:
The constructed $(D ParamInitiaizer).
*/
ParamInitializer glorotUniformInit()
{
void init(Operation param)
{
auto bound = sqrt(6.0f / (param.shape.fanIn + param.shape.fanOut));
auto buf = param.value.get!float;
fillUniform(buf, -bound, bound);
param.value.set(buf);
}
return &init;
}
/**
Creates a parameter initialiser that uses the method of Glorot and Bengio (2010).
This technique initialises a parameter with samples from the following Gaussian distribution:
μ = 0
σ = sqrt(2 / (fan_in + fan_out))
For more details, see Glorot and Bengio (2010): http://jmlr.org/proceedings/papers/v9/glorot10a/glorot10a.pdf
Returns:
The constructed $(D ParamInitiaizer).
*/
ParamInitializer glorotGaussianInit()
{
void init(Operation param)
{
auto buf = param.value.get!float;
fillGaussian(buf, 0, sqrt(2.0f / (param.shape.fanIn + param.shape.fanOut)));
param.value.set(buf);
}
return &init;
}
/**
Creates a parameter initialiser that uses the method of He et al. (2015).
This technique initialises a parameter with samples from the following uniform distribution:
U(-6 / fan_in, 6 / fan_in)
For more details, see He et al. (2015): http://arxiv.org/abs/1502.01852
Returns:
The constructed $(D ParamInitiaizer).
*/
ParamInitializer heUniformInit()
{
void init(Operation param)
{
auto buf = param.value.get!float;
fillUniform(buf, 0, sqrt(6.0f / (param.shape.fanIn)));
param.value.set(buf);
}
return &init;
}
/**
Creates a parameter initialiser that uses the method of He et al. (2015).
This technique initialises a parameter with samples from the following Gaussian distribution:
μ = 0
σ = sqrt(2 / fan_in)
For more details, see He et al. (2015): http://arxiv.org/abs/1502.01852
Returns:
The constructed $(D ParamInitiaizer).
*/
ParamInitializer heGaussianInit()
{
void init(Operation param)
{
auto buf = param.value.get!float;
fillGaussian(buf, 0, sqrt(2.0f / (param.shape.fanIn)));
param.value.set(buf);
}
return &init;
}
| D |
module android.java.java.text.Normalizer_Form_d_interface;
import arsd.jni : IJavaObjectImplementation, JavaPackageId, JavaName, IJavaObject, ImportExportImpl, JavaInterfaceMembers;
static import arsd.jni;
import import0 = android.java.java.text.Normalizer_Form_d_interface;
import import2 = android.java.java.lang.Class_d_interface;
import import1 = android.java.java.lang.Enum_d_interface;
@JavaName("Normalizer$Form")
final class Normalizer_Form : IJavaObject {
static immutable string[] _d_canCastTo = [
];
@Import static import0.Normalizer_Form[] values();
@Import static import0.Normalizer_Form valueOf(string);
@Import string name();
@Import int ordinal();
@Import @JavaName("toString") string toString_();
override string toString() { return arsd.jni.javaObjectToString(this); }
@Import bool equals(IJavaObject);
@Import int hashCode();
@Import int compareTo(import1.Enum);
@Import import2.Class getDeclaringClass();
@Import static import1.Enum valueOf(import2.Class, string);
@Import int compareTo(IJavaObject);
@Import import2.Class getClass();
@Import void notify();
@Import void notifyAll();
@Import void wait(long);
@Import void wait(long, int);
@Import void wait();
mixin IJavaObjectImplementation!(false);
public static immutable string _javaParameterString = "Ljava/text/Normalizer$Form;";
}
| D |
/*
* This file is part of gtkD.
*
* gtkD is free software; you can redistribute it and/or modify
* it under the terms of the GNU Lesser General Public License as published by
* the Free Software Foundation; either version 2.1 of the License, or
* (at your option) any later version.
*
* gtkD is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU Lesser General Public License for more details.
*
* You should have received a copy of the GNU Lesser General Public License
* along with gtkD; if not, write to the Free Software
* Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA
*/
// generated automatically - do not change
// find conversion definition on APILookup.txt
// implement new conversion functionalities on the wrap.utils pakage
/*
* Conversion parameters:
* inFile = GtkBuilder.html
* outPack = gtk
* outFile = Builder
* strct = GtkBuilder
* realStrct=
* ctorStrct=
* clss = Builder
* interf =
* class Code: Yes
* interface Code: No
* template for:
* extend =
* implements:
* prefixes:
* - gtk_builder_
* - gtk_
* omit structs:
* omit prefixes:
* omit code:
* - gtk_builder_new
* omit signals:
* imports:
* - gtkD.glib.Str
* - gtkD.gobject.ObjectG
* - gtkD.gobject.ParamSpec
* - gtkD.gobject.Value
* - gtkD.glib.ListSG
* - gtkD.glib.ErrorG
* - gtkD.glib.GException
* - gtkD.gtkc.gobject
* - gtkD.gtkc.paths
* - gtkD.glib.Module
* - gtkD.gobject.Type
* structWrap:
* - GObject* -> ObjectG
* - GParamSpec* -> ParamSpec
* - GSList* -> ListSG
* - GValue* -> Value
* module aliases:
* local aliases:
* overrides:
*/
module gtkD.gtk.Builder;
public import gtkD.gtkc.gtktypes;
private import gtkD.gtkc.gtk;
private import gtkD.glib.ConstructionException;
private import gtkD.glib.Str;
private import gtkD.gobject.ObjectG;
private import gtkD.gobject.ParamSpec;
private import gtkD.gobject.Value;
private import gtkD.glib.ListSG;
private import gtkD.glib.ErrorG;
private import gtkD.glib.GException;
private import gtkD.gtkc.gobject;
private import gtkD.gtkc.paths;
private import gtkD.glib.Module;
private import gtkD.gobject.Type;
private import gtkD.gobject.ObjectG;
/**
* Description
* A GtkBuilder is an auxiliary object that reads textual descriptions
* of a user interface and instantiates the described objects. To pass a
* description to a GtkBuilder, call gtk_builder_add_from_file() or
* gtk_builder_add_from_string(). These functions can be called multiple
* times; the builder merges the content of all descriptions.
* A GtkBuilder holds a reference to all objects that it has constructed
* and drops these references when it is finalized. This finalization can
* cause the destruction of non-widget objects or widgets which are not
* contained in a toplevel window. For toplevel windows constructed by a
* builder, it is the responsibility of the user to call gtk_widget_destroy()
* to get rid of them and all the widgets they contain.
* The functions gtk_builder_get_object() and gtk_builder_get_objects()
* can be used to access the widgets in the interface by the names assigned
* to them inside the UI description. Toplevel windows returned by these
* functions will stay around until the user explicitly destroys them
* with gtk_widget_destroy(). Other widgets will either be part of a
* larger hierarchy constructed by the builder (in which case you should
* not have to worry about their lifecycle), or without a parent, in which
* case they have to be added to some container to make use of them.
* Non-widget objects need to be reffed with g_object_ref() to keep them
* beyond the lifespan of the builder.
* The function gtk_builder_connect_signals() and variants thereof can be
* used to connect handlers to the named signals in the description.
* GtkBuilder UI Definitions
* GtkBuilder parses textual descriptions of user interfaces which
* are specified in an XML format which can be roughly described
* by the DTD below. We refer to these descriptions as
* GtkBuilder UI definitions or just
* UI definitions if the context is clear.
* Do not confuse GtkBuilder UI Definitions with
* GtkUIManager UI Definitions,
* which are more limited in scope.
* <!ELEMENT interface (requires|object)* >
* <!ELEMENT object (property|signal|child|ANY)* >
* <!ELEMENT property PCDATA >
* <!ELEMENT signal EMPTY >
* <!ELEMENT requires EMPTY >
* <!ELEMENT child (object|ANY*) >
* <!ATTLIST interface domain #IMPLIED >
* <!ATTLIST object id #REQUIRED
* class #REQUIRED
* type-func #IMPLIED
* constructor #IMPLIED >
* <!ATTLIST requires lib #REQUIRED
* version #REQUIRED >
* <!ATTLIST property name #REQUIRED
* translatable #IMPLIED
* comments #IMPLIED
* context #IMPLIED >
* <!ATTLIST signal name #REQUIRED
* handler #REQUIRED
* after #IMPLIED
* swapped #IMPLIED
* object #IMPLIED
* last_modification_time #IMPLIED >
* <!ATTLIST child type #IMPLIED
* internal-child #IMPLIED >
* The toplevel element is <interface>.
* It optionally takes a "domain" attribute, which will make
* the builder look for translated strings using dgettext() in the
* domain specified. This can also be done by calling
* gtk_builder_set_translation_domain() on the builder.
* Objects are described by <object> elements, which can
* contain <property> elements to set properties, <signal>
* elements which connect signals to handlers, and <child>
* elements, which describe child objects (most often widgets
* inside a container, but also e.g. actions in an action group,
* or columns in a tree model). A <child> element contains
* an <object> element which describes the child object.
* The target toolkit version(s) are described by <requires>
* elements, the "lib" attribute specifies the widget library in
* question (currently the only supported value is "gtk+") and the "version"
* attribute specifies the target version in the form "<major>.<minor>".
* The builder will error out if the version requirements are not met.
* Typically, the specific kind of object represented by an
* <object> element is specified by the "class" attribute.
* If the type has not been loaded yet, GTK+ tries to find the
* _get_type() from the class name by applying
* heuristics. This works in most cases, but if necessary, it is
* possible to specify the name of the _get_type()
* explictly with the "type-func" attribute. As a special case,
* GtkBuilder allows to use an object that has been constructed
* by a GtkUIManager in another part of the UI definition by
* specifying the id of the GtkUIManager in the "constructor"
* attribute and the name of the object in the "id" attribute.
* Objects must be given a name with the "id" attribute, which
* allows the application to retrieve them from the builder with
* gtk_builder_get_object(). An id is also necessary to use the
* object as property value in other parts of the UI definition.
* Setting properties of objects is pretty straightforward with
* the <property> element: the "name" attribute specifies
* the name of the property, and the content of the element
* specifies the value. If the "translatable" attribute is
* set to a true value, GTK+ uses gettext() (or dgettext() if
* the builder has a translation domain set) to find a translation
* for the value. This happens before the value is parsed, so
* it can be used for properties of any type, but it is probably
* most useful for string properties. It is also possible to
* specify a context to disambiguate short strings, and comments
* which may help the translators.
* GtkBuilder can parse textual representations for the most
* common property types: characters, strings, integers, floating-point
* numbers, booleans (strings like "TRUE", "t", "yes", "y", "1" are
* interpreted as TRUE, strings like "FALSE, "f", "no", "n", "0" are
* interpreted as FALSE), enumerations (can be specified by their
* name, nick or integer value), flags (can be specified by their name,
* nick, integer value, optionally combined with "|", e.g.
* "GTK_VISIBLE|GTK_REALIZED") and colors (in a format understood by
* gdk_color_parse()). Objects can be referred to by their name.
* Pixbufs can be specified as a filename of an image file to load.
* In general, GtkBuilder allows forward references to objects —
* an object doesn't have to constructed before it can be referred to.
* The exception to this rule is that an object has to be constructed
* before it can be used as the value of a construct-only property.
* Signal handlers are set up with the <signal> element.
* The "name" attribute specifies the name of the signal, and the
* "handler" attribute specifies the function to connect to the signal.
* By default, GTK+ tries to find the handler using g_module_symbol(),
* but this can be changed by passing a custom GtkBuilderConnectFunc
* to gtk_builder_connect_signals_full(). The remaining attributes,
* "after", "swapped" and "object", have the same meaning as the
* corresponding parameters of the g_signal_connect_object() or
* g_signal_connect_data() functions. A "last_modification_time" attribute
* is also allowed, but it does not have a meaning to the builder.
* Sometimes it is necessary to refer to widgets which have implicitly
* been constructed by GTK+ as part of a composite widget, to set
* properties on them or to add further children (e.g. the vbox
* of a GtkDialog). This can be achieved by setting the "internal-child"
* propery of the <child> element to a true value. Note that
* GtkBuilder still requires an <object> element for the internal
* child, even if it has already been constructed.
* A number of widgets have different places where a child can be
* added (e.g. tabs vs. page content in notebooks). This can be reflected
* in a UI definition by specifying the "type" attribute on a <child>
* The possible values for the "type" attribute are described in
* the sections describing the widget-specific portions of UI definitions.
* Example 58. A GtkBuilder UI Definition
* <interface>
* <object class="GtkDialog" id="dialog1">
* <child internal-child="vbox">
* <object class="GtkVBox" id="vbox1">
* <property name="border-width">10</property>
* <child internal-child="action_area">
* <object class="GtkHButtonBox" id="hbuttonbox1">
* <property name="border-width">20</property>
* <child>
* <object class="GtkButton" id="ok_button">
* <property name="label">gtk-ok</property>
* <property name="use-stock">TRUE</property>
* <signal name="clicked" handler="ok_button_clicked"/>
* </object>
* </child>
* </object>
* </child>
* </object>
* </child>
* </object>
* </interface>
* Beyond this general structure, several object classes define
* their own XML DTD fragments for filling in the ANY placeholders
* in the DTD above. Note that a custom element in a <child>
* element gets parsed by the custom tag handler of the parent
* object, while a custom element in an <object> element
* gets parsed by the custom tag handler of the object.
* These XML fragments are explained in the documentation of the
* respective objects, see
* GtkWidget,
* GtkLabel,
* GtkWindow,
* GtkContainer,
* GtkDialog,
* GtkCellLayout,
* GtkColorSelectionDialog,
* GtkFontSelectionDialog,
* GtkComboBoxEntry,
* GtkExpander,
* GtkFrame,
* GtkListStore,
* GtkTreeStore,
* GtkNotebook,
* GtkSizeGroup,
* GtkTreeView,
* GtkUIManager,
* GtkActionGroup.
* GtkMenuItem,
* GtkAssistant,
* GtkScale.
*/
public class Builder : ObjectG
{
/** the main Gtk struct */
protected GtkBuilder* gtkBuilder;
public GtkBuilder* getBuilderStruct()
{
return gtkBuilder;
}
/** the main Gtk struct as a void* */
protected override void* getStruct()
{
return cast(void*)gtkBuilder;
}
/**
* Sets our main struct and passes it to the parent class
*/
public this (GtkBuilder* gtkBuilder)
{
if(gtkBuilder is null)
{
this = null;
return;
}
//Check if there already is a D object for this gtk struct
void* ptr = getDObject(cast(GObject*)gtkBuilder);
if( ptr !is null )
{
this = cast(Builder)ptr;
return;
}
super(cast(GObject*)gtkBuilder);
this.gtkBuilder = gtkBuilder;
}
private struct GtkBuilderClass
{
GObjectClass parentClass;
extern(C) GType function( GtkBuilder*, char* ) get_type_from_name;
/* Padding for future expansion */
extern(C) void function() _gtk_reserved1;
extern(C) void function() _gtk_reserved2;
extern(C) void function() _gtk_reserved3;
extern(C) void function() _gtk_reserved4;
extern(C) void function() _gtk_reserved5;
extern(C) void function() _gtk_reserved6;
extern(C) void function() _gtk_reserved7;
extern(C) void function() _gtk_reserved8;
}
/**
* Creates a new builder object.
* Since 2.12
* Throws: ConstructionException GTK+ fails to create the object.
*/
public this ()
{
// GtkBuilder* gtk_builder_new (void);
auto p = gtk_builder_new();
if(p is null)
{
throw new ConstructionException("null returned by gtk_builder_new()");
}
this(cast(GtkBuilder*) p);
GtkBuilderClass* klass = Type.getInstanceClass!(GtkBuilderClass)( this );
klass.get_type_from_name = >k_builder_real_get_type_from_name_override;
}
/**
* This function is a modification of _gtk_builder_resolve_type_lazily from "gtk/gtkbuilder.c".
* It is needed because it assumes we are linking at compile time to the gtk libs.
* specifically the NULL in g_module_open( NULL, 0 );
* It replaces the default function pointer "get_type_from_name" in GtkBuilderClass.
*/
extern(C) private static GType gtk_builder_real_get_type_from_name_override ( GtkBuilder* builder, char *name )
{
GType gtype;
gtype = g_type_from_name( name );
if (gtype != GType.INVALID)
{
return gtype;
}
/*
* Try to map a type name to a _get_type function
* and call it, eg:
*
* GtkWindow -> gtk_window_get_type
* GtkHBox -> gtk_hbox_get_type
* GtkUIManager -> gtk_ui_manager_get_type
*
*/
char c;
string symbol_name;
for (int i = 0; name[i] != '\0'; i++)
{
c = name[i];
/* skip if uppercase, first or previous is uppercase */
if ((c == Str.asciiToupper (c) &&
i > 0 && name[i-1] != Str.asciiToupper (name[i-1])) ||
(i > 2 && name[i] == Str.asciiToupper (name[i]) &&
name[i-1] == Str.asciiToupper (name[i-1]) &&
name[i-2] == Str.asciiToupper (name[i-2]))
)
symbol_name ~= '_';
symbol_name ~= Str.asciiTolower (c);
}
symbol_name ~= "_get_type" ;
/* scan linked librarys for function symbol */
foreach ( lib; importLibs )
{
GType function() func;
Module mod = Module.open( libPath ~ lib, GModuleFlags.BIND_LAZY );
if( mod is null )
continue;
scope(exit) mod.close();
if ( mod.symbol( symbol_name, cast(void**) &func ) ) {
return func();
}
}
return GType.INVALID;
}
/**
*/
/**
* Parses a file containing a GtkBuilder
* UI definition and merges it with the current contents of builder.
* Since 2.12
* Params:
* filename = the name of the file to parse
* Returns: A positive value on success, 0 if an error occurred
* Throws: GException on failure.
*/
public uint addFromFile(string filename)
{
// guint gtk_builder_add_from_file (GtkBuilder *builder, const gchar *filename, GError **error);
GError* err = null;
auto p = gtk_builder_add_from_file(gtkBuilder, Str.toStringz(filename), &err);
if (err !is null)
{
throw new GException( new ErrorG(err) );
}
return p;
}
/**
* Parses a string containing a GtkBuilder
* UI definition and merges it with the current contents of builder.
* Since 2.12
* Params:
* buffer = the string to parse
* length = the length of buffer (may be -1 if buffer is nul-terminated)
* Returns: A positive value on success, 0 if an error occurred
* Throws: GException on failure.
*/
public uint addFromString(string buffer, uint length)
{
// guint gtk_builder_add_from_string (GtkBuilder *builder, const gchar *buffer, gsize length, GError **error);
GError* err = null;
auto p = gtk_builder_add_from_string(gtkBuilder, Str.toStringz(buffer), length, &err);
if (err !is null)
{
throw new GException( new ErrorG(err) );
}
return p;
}
/**
* Parses a file containing a GtkBuilder
* UI definition building only the requested objects and merges
* them with the current contents of builder.
* Note
* If you are adding an object that depends on an object that is not
* its child (for instance a GtkTreeView that depends on its
* GtkTreeModel), you have to explicitely list all of them in object_ids.
* Since 2.14
* Params:
* filename = the name of the file to parse
* objectIds = nul-terminated array of objects to build
* Returns: A positive value on success, 0 if an error occurred
* Throws: GException on failure.
*/
public uint addObjectsFromFile(string filename, string[] objectIds)
{
// guint gtk_builder_add_objects_from_file (GtkBuilder *builder, const gchar *filename, gchar **object_ids, GError **error);
GError* err = null;
auto p = gtk_builder_add_objects_from_file(gtkBuilder, Str.toStringz(filename), Str.toStringzArray(objectIds), &err);
if (err !is null)
{
throw new GException( new ErrorG(err) );
}
return p;
}
/**
* Parses a string containing a GtkBuilder
* UI definition building only the requested objects and merges
* them with the current contents of builder.
* Note
* If you are adding an object that depends on an object that is not
* its child (for instance a GtkTreeView that depends on its
* GtkTreeModel), you have to explicitely list all of them in object_ids.
* Since 2.14
* Params:
* buffer = the string to parse
* length = the length of buffer (may be -1 if buffer is nul-terminated)
* objectIds = nul-terminated array of objects to build
* Returns: A positive value on success, 0 if an error occurred
* Throws: GException on failure.
*/
public uint addObjectsFromString(string buffer, uint length, string[] objectIds)
{
// guint gtk_builder_add_objects_from_string (GtkBuilder *builder, const gchar *buffer, gsize length, gchar **object_ids, GError **error);
GError* err = null;
auto p = gtk_builder_add_objects_from_string(gtkBuilder, Str.toStringz(buffer), length, Str.toStringzArray(objectIds), &err);
if (err !is null)
{
throw new GException( new ErrorG(err) );
}
return p;
}
/**
* Gets the object named name. Note that this function does not
* increment the reference count of the returned object.
* Since 2.12
* Params:
* name = name of object to get
* Returns: the object named name or NULL if it could not be found in the object tree.
*/
public ObjectG getObject(string name)
{
// GObject* gtk_builder_get_object (GtkBuilder *builder, const gchar *name);
auto p = gtk_builder_get_object(gtkBuilder, Str.toStringz(name));
if(p is null)
{
return null;
}
return new ObjectG(cast(GObject*) p);
}
/**
* Gets all objects that have been constructed by builder. Note that
* this function does not increment the reference counts of the returned
* objects.
* Since 2.12
* Returns: a newly-allocated GSList containing all the objects constructed by the GtkBuilder instance. It should be freed by g_slist_free()
*/
public ListSG getObjects()
{
// GSList* gtk_builder_get_objects (GtkBuilder *builder);
auto p = gtk_builder_get_objects(gtkBuilder);
if(p is null)
{
return null;
}
return new ListSG(cast(GSList*) p);
}
/**
* This method is a simpler variation of gtk_builder_connect_signals_full().
* It uses GModule's introspective features (by opening the module NULL)
* to look at the application's symbol table. From here it tries to match
* the signal handler names given in the interface description with
* symbols in the application and connects the signals.
* Note that this function will not work correctly if GModule is not
* supported on the platform.
* When compiling applications for Windows, you must declare signal callbacks
* with G_MODULE_EXPORT, or they will not be put in the symbol table.
* On Linux and Unices, this is not necessary; applications should instead
* be compiled with the -Wl,--export-dynamic CFLAGS, and linked against
* gmodule-export-2.0.
* Since 2.12
* Params:
* userData = a pointer to a structure sent in as user data to all signals
*/
public void connectSignals(void* userData)
{
// void gtk_builder_connect_signals (GtkBuilder *builder, gpointer user_data);
gtk_builder_connect_signals(gtkBuilder, userData);
}
/**
* This function can be thought of the interpreted language binding
* version of gtk_builder_connect_signals(), except that it does not
* require GModule to function correctly.
* Since 2.12
* Params:
* func = the function used to connect the signals
* userData = arbitrary data that will be passed to the connection function
*/
public void connectSignalsFull(GtkBuilderConnectFunc func, void* userData)
{
// void gtk_builder_connect_signals_full (GtkBuilder *builder, GtkBuilderConnectFunc func, gpointer user_data);
gtk_builder_connect_signals_full(gtkBuilder, func, userData);
}
/**
* Sets the translation domain of builder.
* See "translation-domain".
* Since 2.12
* Params:
* domain = the translation domain or NULL
*/
public void setTranslationDomain(string domain)
{
// void gtk_builder_set_translation_domain (GtkBuilder *builder, const gchar *domain);
gtk_builder_set_translation_domain(gtkBuilder, Str.toStringz(domain));
}
/**
* Gets the translation domain of builder.
* Since 2.12
* Returns: the translation domain. This string is ownedby the builder object and must not be modified or freed.
*/
public string getTranslationDomain()
{
// const gchar* gtk_builder_get_translation_domain (GtkBuilder *builder);
return Str.toString(gtk_builder_get_translation_domain(gtkBuilder));
}
/**
* Looks up a type by name, using the virtual function that
* GtkBuilder has for that purpose. This is mainly used when
* implementing the GtkBuildable interface on a type.
* Since 2.12
* Params:
* typeName = type name to lookup
* Returns: the GType found for type_name or G_TYPE_INVALID if no type was found
*/
public GType getTypeFromName(string typeName)
{
// GType gtk_builder_get_type_from_name (GtkBuilder *builder, const char *type_name);
return gtk_builder_get_type_from_name(gtkBuilder, Str.toStringz(typeName));
}
/**
* This function demarshals a value from a string. This function
* calls g_value_init() on the value argument, so it need not be
* initialised beforehand.
* This function can handle char, uchar, boolean, int, uint, long,
* ulong, enum, flags, float, double, string, GdkColor and
* GtkAdjustment type values. Support for GtkWidget type values is
* still to come.
* Since 2.12
* Params:
* pspec = the GParamSpec for the property
* string = the string representation of the value
* value = the GValue to store the result in
* Returns: TRUE on success
* Throws: GException on failure.
*/
public int valueFromString(ParamSpec pspec, string string, Value value)
{
// gboolean gtk_builder_value_from_string (GtkBuilder *builder, GParamSpec *pspec, const gchar *string, GValue *value, GError **error);
GError* err = null;
auto p = gtk_builder_value_from_string(gtkBuilder, (pspec is null) ? null : pspec.getParamSpecStruct(), Str.toStringz(string), (value is null) ? null : value.getValueStruct(), &err);
if (err !is null)
{
throw new GException( new ErrorG(err) );
}
return p;
}
/**
* Like gtk_builder_value_from_string(), this function demarshals
* a value from a string, but takes a GType instead of GParamSpec.
* This function calls g_value_init() on the value argument, so it
* need not be initialised beforehand.
* Since 2.12
* Params:
* type = the GType of the value
* string = the string representation of the value
* value = the GValue to store the result in
* Returns: TRUE on success
* Throws: GException on failure.
*/
public int valueFromStringType(GType type, string string, Value value)
{
// gboolean gtk_builder_value_from_string_type (GtkBuilder *builder, GType type, const gchar *string, GValue *value, GError **error);
GError* err = null;
auto p = gtk_builder_value_from_string_type(gtkBuilder, type, Str.toStringz(string), (value is null) ? null : value.getValueStruct(), &err);
if (err !is null)
{
throw new GException( new ErrorG(err) );
}
return p;
}
}
| D |
/home/ukasha/Desktop/PIAIC-IoT-Repos/Quarter-1_3.30-6.30/Class_Codes/week_15_3rd-November,2019/part1/target/debug/deps/part1-2e45fa2b8d5bba80: src/main.rs
/home/ukasha/Desktop/PIAIC-IoT-Repos/Quarter-1_3.30-6.30/Class_Codes/week_15_3rd-November,2019/part1/target/debug/deps/part1-2e45fa2b8d5bba80.d: src/main.rs
src/main.rs:
| D |
module ogre.rendersystem.windows.windoweventutilities;
import ogre.compat;
import ogre.rendersystem.renderwindow;
import ogre.rendersystem.windoweventutilities;
/** \addtogroup Core
* @{
*/
/** \addtogroup RenderSystem
* @{
*/
version(Windows)
{
import ogre.bindings.mini_win32;
/**
@remarks
Utility class to handle Window Events/Pumping/Messages
*/
class WindowEventUtilities
{
struct RenderWindowPtr
{
RenderWindow mWin;
}
public:
extern(Windows) nothrow static LRESULT _WndProc(HWND hWnd, UINT uMsg, WPARAM wParam, LPARAM lParam)
{
try
{
if (uMsg == WM_CREATE)
{ // Store pointer to Win32Window in user data area
SetWindowLongPtr(hWnd, GWLP_USERDATA, cast(LONG_PTR)((cast(LPCREATESTRUCT)lParam).lpCreateParams));
return 0;
}
// look up window instance
// note: it is possible to get a WM_SIZE before WM_CREATE
RenderWindowPtr* _win = cast(RenderWindowPtr*)GetWindowLongPtr(hWnd, GWLP_USERDATA);
if (_win is null)
return DefWindowProc(hWnd, uMsg, wParam, lParam);
RenderWindow win = _win.mWin;
//LogManager* log = LogManager::getSingletonPtr();
//Iterator of all listeners registered to this RenderWindow
WindowEventListener[] listeners;
if((win in _msListeners))
listeners = _msListeners[win];
switch( uMsg )
{
case WM_ACTIVATE:
{
bool active = (LOWORD(wParam) != WA_INACTIVE);
if( active )
{
win.setActive( true );
}
else
{
if( win.isDeactivatedOnFocusChange() )
{
win.setActive( false );
}
}
foreach(l; listeners)
l.windowFocusChange(win);
break;
}
case WM_SYSKEYDOWN:
switch( wParam )
{
case VK_CONTROL:
case VK_SHIFT:
case VK_MENU: //ALT
//return zero to bypass defProc and signal we processed the message
return 0;
default:
break;
}
break;
case WM_SYSKEYUP:
switch( wParam )
{
case VK_CONTROL:
case VK_SHIFT:
case VK_MENU: //ALT
case VK_F10:
//return zero to bypass defProc and signal we processed the message
return 0;
default:
break;
}
break;
case WM_SYSCHAR:
// return zero to bypass defProc and signal we processed the message, unless it's an ALT-space
if (wParam != VK_SPACE)
return 0;
break;
case WM_ENTERSIZEMOVE:
//log.logMessage("WM_ENTERSIZEMOVE");
break;
case WM_EXITSIZEMOVE:
//log.logMessage("WM_EXITSIZEMOVE");
break;
case WM_MOVE:
//log.logMessage("WM_MOVE");
win.windowMovedOrResized();
foreach(l; listeners)
l.windowMoved(win);
break;
case WM_DISPLAYCHANGE:
win.windowMovedOrResized();
foreach(l; listeners)
l.windowResized(win);
break;
case WM_SIZE:
//log.logMessage("WM_SIZE");
win.windowMovedOrResized();
foreach(l; listeners)
l.windowResized(win);
break;
case WM_GETMINMAXINFO:
// Prevent the window from going smaller than some minimu size
(cast(MINMAXINFO*)lParam).ptMinTrackSize.x = 100;
(cast(MINMAXINFO*)lParam).ptMinTrackSize.y = 100;
break;
case WM_CLOSE:
{
//log.logMessage("WM_CLOSE");
bool close = true;
foreach(l; listeners)
{
if (!l.windowClosing(win))
close = false;
}
if (!close) return 0;
foreach(l; listeners)
l.windowClosed(win);
win.destroy();
return 0;
}
default:
break;
}
return DefWindowProc( hWnd, uMsg, wParam, lParam );
}
catch(Exception){}
return 0;
}
/**
@remarks
Call this once per frame if not using Root:startRendering(). This will update all registered
RenderWindows (If using external Windows, you can optionally register those yourself)
*/
static void messagePump()
{
// Windows Message Loop (NULL means check all HWNDs belonging to this context)
MSG msg;
while( PeekMessage( &msg, null, 0U, 0U, PM_REMOVE ) )
{
TranslateMessage( &msg );
DispatchMessage( &msg );
}
}
/**
@remarks
Add a listener to listen to renderwindow events (multiple listener's per renderwindow is fine)
The same listener can listen to multiple windows, as the Window Pointer is sent along with
any messages.
@param window
The RenderWindow you are interested in monitoring
@param listener
Your callback listener
*/
static void addWindowEventListener( RenderWindow window, WindowEventListener listener )
{
if((window in _msListeners) is null)
_msListeners[window] = null;
_msListeners[window].insert(listener);
}
/**
@remarks
Remove previously added listener
@param window
The RenderWindow you registered with
@param listener
The listener registered
*/
static void removeWindowEventListener( RenderWindow window, WindowEventListener listener )
{
if((window in _msListeners) is null)
return;
_msListeners[window].removeFromArray(listener);
}
/**
@remarks
Called by RenderWindows upon creation for Ogre generated windows. You are free to add your
external windows here too if needed.
@param window
The RenderWindow to monitor
*/
static void _addRenderWindow(RenderWindow window)
{
_msWindows.insert(window);
}
/**
@remarks
Called by RenderWindows upon creation for Ogre generated windows. You are free to add your
external windows here too if needed.
@param window
The RenderWindow to remove from list
*/
static void _removeRenderWindow(RenderWindow window)
{
_msWindows.removeFromArray(window);
}
//These are public only so GLXProc can access them without adding Xlib headers header
//typedef multimap<RenderWindow*, WindowEventListener*>::type WindowEventListeners;
//alias WindowEventListener[][RenderWindow] WindowEventListeners;
static WindowEventListener[][RenderWindow] _msListeners;
//typedef vector<RenderWindow*>.type Windows;
static RenderWindow[] _msWindows;
}
}
/** @} */
/** @} */ | D |
/Users/keynote/Documents/iOS/Swift/SwiftServer/PerfertlyServer/.build/debug/PerfectLib.build/Dir.swift.o : /Users/keynote/Documents/iOS/Swift/SwiftServer/PerfertlyServer/Packages/PerfectLib-2.0.5/Sources/PerfectLib/Bytes.swift /Users/keynote/Documents/iOS/Swift/SwiftServer/PerfertlyServer/Packages/PerfectLib-2.0.5/Sources/PerfectLib/Dir.swift /Users/keynote/Documents/iOS/Swift/SwiftServer/PerfertlyServer/Packages/PerfectLib-2.0.5/Sources/PerfectLib/File.swift /Users/keynote/Documents/iOS/Swift/SwiftServer/PerfertlyServer/Packages/PerfectLib-2.0.5/Sources/PerfectLib/JSONConvertible.swift /Users/keynote/Documents/iOS/Swift/SwiftServer/PerfertlyServer/Packages/PerfectLib-2.0.5/Sources/PerfectLib/Log.swift /Users/keynote/Documents/iOS/Swift/SwiftServer/PerfertlyServer/Packages/PerfectLib-2.0.5/Sources/PerfectLib/PerfectError.swift /Users/keynote/Documents/iOS/Swift/SwiftServer/PerfertlyServer/Packages/PerfectLib-2.0.5/Sources/PerfectLib/PerfectServer.swift /Users/keynote/Documents/iOS/Swift/SwiftServer/PerfertlyServer/Packages/PerfectLib-2.0.5/Sources/PerfectLib/SwiftCompatibility.swift /Users/keynote/Documents/iOS/Swift/SwiftServer/PerfertlyServer/Packages/PerfectLib-2.0.5/Sources/PerfectLib/SysProcess.swift /Users/keynote/Documents/iOS/Swift/SwiftServer/PerfertlyServer/Packages/PerfectLib-2.0.5/Sources/PerfectLib/Utilities.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule
/Users/keynote/Documents/iOS/Swift/SwiftServer/PerfertlyServer/.build/debug/PerfectLib.build/Dir~partial.swiftmodule : /Users/keynote/Documents/iOS/Swift/SwiftServer/PerfertlyServer/Packages/PerfectLib-2.0.5/Sources/PerfectLib/Bytes.swift /Users/keynote/Documents/iOS/Swift/SwiftServer/PerfertlyServer/Packages/PerfectLib-2.0.5/Sources/PerfectLib/Dir.swift /Users/keynote/Documents/iOS/Swift/SwiftServer/PerfertlyServer/Packages/PerfectLib-2.0.5/Sources/PerfectLib/File.swift /Users/keynote/Documents/iOS/Swift/SwiftServer/PerfertlyServer/Packages/PerfectLib-2.0.5/Sources/PerfectLib/JSONConvertible.swift /Users/keynote/Documents/iOS/Swift/SwiftServer/PerfertlyServer/Packages/PerfectLib-2.0.5/Sources/PerfectLib/Log.swift /Users/keynote/Documents/iOS/Swift/SwiftServer/PerfertlyServer/Packages/PerfectLib-2.0.5/Sources/PerfectLib/PerfectError.swift /Users/keynote/Documents/iOS/Swift/SwiftServer/PerfertlyServer/Packages/PerfectLib-2.0.5/Sources/PerfectLib/PerfectServer.swift /Users/keynote/Documents/iOS/Swift/SwiftServer/PerfertlyServer/Packages/PerfectLib-2.0.5/Sources/PerfectLib/SwiftCompatibility.swift /Users/keynote/Documents/iOS/Swift/SwiftServer/PerfertlyServer/Packages/PerfectLib-2.0.5/Sources/PerfectLib/SysProcess.swift /Users/keynote/Documents/iOS/Swift/SwiftServer/PerfertlyServer/Packages/PerfectLib-2.0.5/Sources/PerfectLib/Utilities.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule
/Users/keynote/Documents/iOS/Swift/SwiftServer/PerfertlyServer/.build/debug/PerfectLib.build/Dir~partial.swiftdoc : /Users/keynote/Documents/iOS/Swift/SwiftServer/PerfertlyServer/Packages/PerfectLib-2.0.5/Sources/PerfectLib/Bytes.swift /Users/keynote/Documents/iOS/Swift/SwiftServer/PerfertlyServer/Packages/PerfectLib-2.0.5/Sources/PerfectLib/Dir.swift /Users/keynote/Documents/iOS/Swift/SwiftServer/PerfertlyServer/Packages/PerfectLib-2.0.5/Sources/PerfectLib/File.swift /Users/keynote/Documents/iOS/Swift/SwiftServer/PerfertlyServer/Packages/PerfectLib-2.0.5/Sources/PerfectLib/JSONConvertible.swift /Users/keynote/Documents/iOS/Swift/SwiftServer/PerfertlyServer/Packages/PerfectLib-2.0.5/Sources/PerfectLib/Log.swift /Users/keynote/Documents/iOS/Swift/SwiftServer/PerfertlyServer/Packages/PerfectLib-2.0.5/Sources/PerfectLib/PerfectError.swift /Users/keynote/Documents/iOS/Swift/SwiftServer/PerfertlyServer/Packages/PerfectLib-2.0.5/Sources/PerfectLib/PerfectServer.swift /Users/keynote/Documents/iOS/Swift/SwiftServer/PerfertlyServer/Packages/PerfectLib-2.0.5/Sources/PerfectLib/SwiftCompatibility.swift /Users/keynote/Documents/iOS/Swift/SwiftServer/PerfertlyServer/Packages/PerfectLib-2.0.5/Sources/PerfectLib/SysProcess.swift /Users/keynote/Documents/iOS/Swift/SwiftServer/PerfertlyServer/Packages/PerfectLib-2.0.5/Sources/PerfectLib/Utilities.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule
| D |
instance Mod_7349_OUT_Buerger_REL (Npc_Default)
{
// ------ NSC ------
name = "Bürger";
guild = GIL_OUT;
id = 7349;
voice = 1;
flags = 0; //NPC_FLAG_IMMORTAL oder 0
npctype = NPCTYPE_REL_BUERGER;
// ------ Attribute ------
B_SetAttributesToChapter (self, 1); //setzt Attribute und LEVEL entsprechend dem angegebenen Kapitel (1-6)
// ------ Kampf-Taktik ------
fight_tactic = FAI_HUMAN_COWARD; // MASTER / STRONG / COWARD
// ------ Equippte Waffen ------ //Munition wird automatisch generiert, darf aber angegeben werden
EquipItem (self, ItMw_1h_Bau_Mace);
// ------ Inventory ------
B_CreateAmbientInv (self);
// ------ visuals ------ //Muss NACH Attributen kommen, weil in B_SetNpcVisual die Breite abh. v. STR skaliert wird
B_SetNpcVisual (self, MALE, "Hum_Head_Bald", Face_P_NormalBart_Riordian, BodyTex_P, ITAR_BuergerNew_01);
Mdl_SetModelFatness (self, 1);
Mdl_ApplyOverlayMds (self, "Humans_Relaxed.mds"); // Tired / Militia / Mage / Arrogance / Relaxed
// ------ NSC-relevante Talente vergeben ------
B_GiveNpcTalents (self);
// ------ Kampf-Talente ------ //Der enthaltene B_AddFightSkill setzt Talent-Ani abhängig von TrefferChance% - alle Kampftalente werden gleichhoch gesetzt
B_SetFightSkills (self, 0); //Grenzen für Talent-Level liegen bei 30 und 60
// ------ TA anmelden ------
daily_routine = Rtn_PreStart_7349;
};
FUNC VOID Rtn_PreStart_7349 ()
{
TA_Stand_ArmsCrossed (08,00,22,00,"REL_CITY_109");
TA_Sleep (22,00,08,00,"REL_CITY_263");
}; | D |
/Users/river/Desktop/2019_ios_hw6/build/2019_ios_hw6.build/Debug-iphonesimulator/2019_ios_hw6.build/Objects-normal/x86_64/AppDelegate.o : /Users/river/Desktop/2019_ios_hw6/2019_ios_hw6/AppDelegate.swift /Users/river/Desktop/2019_ios_hw6/2019_ios_hw6/RenderArg.swift /Users/river/Desktop/2019_ios_hw6/2019_ios_hw6/ViewController.swift /Users/river/Desktop/2019_ios_hw6/2019_ios_hw6/LoadingViewController.swift /Users/river/Desktop/2019_ios_hw6/2019_ios_hw6/ResultViewController.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/river/Desktop/2019_ios_hw6/build/2019_ios_hw6.build/Debug-iphonesimulator/2019_ios_hw6.build/Objects-normal/x86_64/AppDelegate~partial.swiftmodule : /Users/river/Desktop/2019_ios_hw6/2019_ios_hw6/AppDelegate.swift /Users/river/Desktop/2019_ios_hw6/2019_ios_hw6/RenderArg.swift /Users/river/Desktop/2019_ios_hw6/2019_ios_hw6/ViewController.swift /Users/river/Desktop/2019_ios_hw6/2019_ios_hw6/LoadingViewController.swift /Users/river/Desktop/2019_ios_hw6/2019_ios_hw6/ResultViewController.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/river/Desktop/2019_ios_hw6/build/2019_ios_hw6.build/Debug-iphonesimulator/2019_ios_hw6.build/Objects-normal/x86_64/AppDelegate~partial.swiftdoc : /Users/river/Desktop/2019_ios_hw6/2019_ios_hw6/AppDelegate.swift /Users/river/Desktop/2019_ios_hw6/2019_ios_hw6/RenderArg.swift /Users/river/Desktop/2019_ios_hw6/2019_ios_hw6/ViewController.swift /Users/river/Desktop/2019_ios_hw6/2019_ios_hw6/LoadingViewController.swift /Users/river/Desktop/2019_ios_hw6/2019_ios_hw6/ResultViewController.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
| D |
/Users/student2018/Desktop/SwiftProjects/TrafficSim/RoadMapProcessing/TrafficSim-hapkpqbqloshewgqirzmxswpwkvb/Build/Intermediates.noindex/TrafficSim.build/Debug/TrafficSim.build/Objects-normal/x86_64/RoadMapHandler.o : /Users/student2018/Desktop/SwiftProjects/TrafficSim/TrafficSim/GameScene.swift /Users/student2018/Desktop/SwiftProjects/TrafficSim/TrafficSim/AppDelegate.swift /Users/student2018/Desktop/SwiftProjects/TrafficSim/TrafficSim/Intersection.swift /Users/student2018/Desktop/SwiftProjects/TrafficSim/TrafficSim/RoadMapHandler.swift /Users/student2018/Desktop/SwiftProjects/TrafficSim/TrafficSim/ViewController.swift /Users/student2018/Desktop/SwiftProjects/TrafficSim/TrafficSim/NiceFunctions.swift /Users/student2018/Desktop/SwiftProjects/TrafficSim/TrafficSim/RoadClass.swift /Users/student2018/Desktop/SwiftProjects/TrafficSim/TrafficSim/CarClass.swift /Users/student2018/Desktop/SwiftProjects/TrafficSim/TrafficSim/ConnectingRoadSegments.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/XPC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ModelIO.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreData.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/simd.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/GLKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SceneKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SpriteKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/AppKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/GameplayKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule
/Users/student2018/Desktop/SwiftProjects/TrafficSim/RoadMapProcessing/TrafficSim-hapkpqbqloshewgqirzmxswpwkvb/Build/Intermediates.noindex/TrafficSim.build/Debug/TrafficSim.build/Objects-normal/x86_64/RoadMapHandler~partial.swiftmodule : /Users/student2018/Desktop/SwiftProjects/TrafficSim/TrafficSim/GameScene.swift /Users/student2018/Desktop/SwiftProjects/TrafficSim/TrafficSim/AppDelegate.swift /Users/student2018/Desktop/SwiftProjects/TrafficSim/TrafficSim/Intersection.swift /Users/student2018/Desktop/SwiftProjects/TrafficSim/TrafficSim/RoadMapHandler.swift /Users/student2018/Desktop/SwiftProjects/TrafficSim/TrafficSim/ViewController.swift /Users/student2018/Desktop/SwiftProjects/TrafficSim/TrafficSim/NiceFunctions.swift /Users/student2018/Desktop/SwiftProjects/TrafficSim/TrafficSim/RoadClass.swift /Users/student2018/Desktop/SwiftProjects/TrafficSim/TrafficSim/CarClass.swift /Users/student2018/Desktop/SwiftProjects/TrafficSim/TrafficSim/ConnectingRoadSegments.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/XPC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ModelIO.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreData.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/simd.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/GLKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SceneKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SpriteKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/AppKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/GameplayKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule
/Users/student2018/Desktop/SwiftProjects/TrafficSim/RoadMapProcessing/TrafficSim-hapkpqbqloshewgqirzmxswpwkvb/Build/Intermediates.noindex/TrafficSim.build/Debug/TrafficSim.build/Objects-normal/x86_64/RoadMapHandler~partial.swiftdoc : /Users/student2018/Desktop/SwiftProjects/TrafficSim/TrafficSim/GameScene.swift /Users/student2018/Desktop/SwiftProjects/TrafficSim/TrafficSim/AppDelegate.swift /Users/student2018/Desktop/SwiftProjects/TrafficSim/TrafficSim/Intersection.swift /Users/student2018/Desktop/SwiftProjects/TrafficSim/TrafficSim/RoadMapHandler.swift /Users/student2018/Desktop/SwiftProjects/TrafficSim/TrafficSim/ViewController.swift /Users/student2018/Desktop/SwiftProjects/TrafficSim/TrafficSim/NiceFunctions.swift /Users/student2018/Desktop/SwiftProjects/TrafficSim/TrafficSim/RoadClass.swift /Users/student2018/Desktop/SwiftProjects/TrafficSim/TrafficSim/CarClass.swift /Users/student2018/Desktop/SwiftProjects/TrafficSim/TrafficSim/ConnectingRoadSegments.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/XPC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ModelIO.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreData.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/simd.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/GLKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SceneKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SpriteKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/AppKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/GameplayKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule
| D |
module minexewgames.ntile.WorldGeom;
import minexewgames.di;
import minexewgames.engine;
import minexewgames.ntile.Resources;
import minexewgames.ntile.WorldBlocks;
import minexewgames.n3d2;
import std.c.string;
import std.stdio;
enum VERTICES_IN_BLOCK = BLOCK_WIDTH * BLOCK_HEIGHT * 18;
struct WorldVertex {
@Location(AttrLoc.position)
ivec3 pos; // 12
@Location(AttrLoc.normal) @Normalized
short[4] n; // 20
@Location(AttrLoc.color) @Normalized
byte4 rgba; // 24
@Location(AttrLoc.uv)
vec2 uv; // 32
}
static assert(WorldVertex.sizeof == 32);
alias VertexType = WorldVertex;
VertexType* v0;
// a cluster of 4x4 blocks (64x64 tiles)
// 2.25 MiB of vertex data per cluster
class WorldGeomCluster {
enum w = 4;
enum h = 4;
WorldGeom wg;
ivec2 blockXY; // leftmost topmost in the cluster
VertexArray vertices;
@Initializer
void init(WorldGeom wg) {
this.wg = wg;
vertices = diNew!VertexArray();
vertices.initVertexType!VertexType();
}
void intializeTilesInCluster() {
VertexType* p_vertices = vertices.allocOffline!VertexType(VERTICES_IN_BLOCK * w * h);
v0 = p_vertices;
for (int y = 0; y < h; y++)
for (int x = 0; x < w; x++) {
wg.initializeTilesInBlock(blockXY + ivec2(x, y), p_vertices);
// FIXME
wg.updateAllTiles(blockXY + ivec2(x, y), p_vertices);
p_vertices += VERTICES_IN_BLOCK;
}
}
void updateTilesInCluster() {
}
}
class WorldGeom {
RenderingContext ctx;
WorldBlocks world;
@Recipe("path=ntile/shaders/basic")
ShaderProgram prog;
@Recipe("path=ntile/textures/worldtex_%d.png,generateMipmaps=0,loadMipmapLevels=7,mipmapping=false")
Texture tex;
WorldGeomCluster[][] clusters;
ShaderVariable!float lodBias;
@Initializer
void init(WorldBlocks world) {
this.world = world;
ctx = diNew!RenderingContext(prog);
ctx.setTexture2D(tex);
lodBias.bind(ctx, "lodBias");
lodBias = -1.5f;
}
void draw(Camera cam) {
ctx.setup(cam);
auto clust = clusters[0][0];
clust.vertices.install();
clust.vertices.draw(PrimitiveMode.triangles);
ctx.teardown();
}
void initializeTilesInBlock(ivec2 blockXY, VertexType* p_vertices) {
for (int y = 0; y < BLOCK_HEIGHT; y++) {
int32_t xx1 = TILE_X / 2 + blockXY.x * BLOCK_WIDTH * TILE_X;
int32_t xx2 = xx1 + TILE_X;
immutable int32_t yy1 = TILE_Y / 2 + (blockXY.y * BLOCK_HEIGHT + y) * TILE_Y;
immutable int32_t yy2 = yy1 + TILE_Y;
for (int x = 0; x < BLOCK_WIDTH; x++) {
static immutable int16_t[4] normal_up = [0, 0, INT16_MAX, 0];
static immutable int16_t[4] normal_east = [INT16_MAX, 0, 0, 0];
static immutable int16_t[4] normal_south = [0, INT16_MAX, 0, 0];
for (int i = 0; i < 18; i++)
memset(&p_vertices[i].rgba, 0xFF, 4);
// this
p_vertices[0].n[] = normal_up;
p_vertices[1].n[] = normal_up;
p_vertices[2].n[] = normal_up;
p_vertices[3].n[] = normal_up;
p_vertices[4].n[] = normal_up;
p_vertices[5].n[] = normal_up;
p_vertices[0].pos.x = xx1;
p_vertices[0].pos.y = yy1;
p_vertices[0].uv.x = 0.0f;
p_vertices[0].uv.y = 0.0f;
p_vertices[1].pos.x = xx1;
p_vertices[1].pos.y = yy2;
p_vertices[1].uv.x = 0.0f;
p_vertices[1].uv.y = 1.0f;
p_vertices[2].pos.x = xx2;
p_vertices[2].pos.y = yy1;
p_vertices[2].uv.x = 1.0f;
p_vertices[2].uv.y = 0.0f;
p_vertices[3].pos.x = xx2;
p_vertices[3].pos.y = yy1;
p_vertices[3].uv.x = 1.0f;
p_vertices[3].uv.y = 0.0f;
p_vertices[4].pos.x = xx1;
p_vertices[4].pos.y = yy2;
p_vertices[4].uv.x = 0.0f;
p_vertices[4].uv.y = 1.0f;
p_vertices[5].pos.x = xx2;
p_vertices[5].pos.y = yy2;
p_vertices[5].uv.x = 1.0f;
p_vertices[5].uv.y = 1.0f;
// eastern
p_vertices[6].n[] = normal_east;
p_vertices[7].n[] = normal_east;
p_vertices[8].n[] = normal_east;
p_vertices[9].n[] = normal_east;
p_vertices[10].n[] = normal_east;
p_vertices[11].n[] = normal_east;
p_vertices[6].pos.x = xx2;
p_vertices[6].pos.y = yy2;
p_vertices[6].uv.x = 0.0f;
p_vertices[6].uv.y = 0.0f;
p_vertices[7].pos.x = xx2;
p_vertices[7].pos.y = yy2;
p_vertices[7].uv.x = 0.0f;
p_vertices[7].uv.y = 1.0f;
p_vertices[8].pos.x = xx2;
p_vertices[8].pos.y = yy1;
p_vertices[8].uv.x = 1.0f;
p_vertices[8].uv.y = 0.0f;
p_vertices[9].pos.x = xx2;
p_vertices[9].pos.y = yy1;
p_vertices[9].uv.x = 1.0f;
p_vertices[9].uv.y = 0.0f;
p_vertices[10].pos.x = xx2;
p_vertices[10].pos.y = yy2;
p_vertices[10].uv.x = 0.0f;
p_vertices[10].uv.y = 1.0f;
p_vertices[11].pos.x = xx2;
p_vertices[11].pos.y = yy1;
p_vertices[11].uv.x = 1.0f;
p_vertices[11].uv.y = 1.0f;
// southern
p_vertices[12].n[] = normal_south;
p_vertices[13].n[] = normal_south;
p_vertices[14].n[] = normal_south;
p_vertices[15].n[] = normal_south;
p_vertices[16].n[] = normal_south;
p_vertices[17].n[] = normal_south;
p_vertices[12].pos.x = xx1;
p_vertices[12].pos.y = yy2;
p_vertices[12].uv.x = 0.0f;
p_vertices[12].uv.y = 0.0f;
p_vertices[13].pos.x = xx1;
p_vertices[13].pos.y = yy2;
p_vertices[13].uv.x = 0.0f;
p_vertices[13].uv.y = 1.0f;
p_vertices[14].pos.x = xx2;
p_vertices[14].pos.y = yy2;
p_vertices[14].uv.x = 1.0f;
p_vertices[14].uv.y = 0.0f;
p_vertices[15].pos.x = xx2;
p_vertices[15].pos.y = yy2;
p_vertices[15].uv.x = 1.0f;
p_vertices[15].uv.y = 0.0f;
p_vertices[16].pos.x = xx1;
p_vertices[16].pos.y = yy2;
p_vertices[16].uv.x = 0.0f;
p_vertices[16].uv.y = 1.0f;
p_vertices[17].pos.x = xx2;
p_vertices[17].pos.y = yy2;
p_vertices[17].uv.x = 1.0f;
p_vertices[17].uv.y = 1.0f;
p_vertices += 18;
xx1 += 16;
xx2 += 16;
}
}
}
void updateAllTiles(ivec2 blockXY, WorldVertex* p_vertices) {
immutable ivec2 worldSize = world.worldSize;
WorldBlock* block = world.blocks[blockXY.y * worldSize.x + blockXY.x];
WorldBlock* block_east = (blockXY.x + 1 < worldSize.x) ? world.blocks[blockXY.y * worldSize.x + blockXY.x + 1] : null;
WorldBlock* block_south = (blockXY.y + 1 < worldSize.y) ? world.blocks[(blockXY.y + 1) * worldSize.x + blockXY.x] : null;
for (int y = 0; y < BLOCK_HEIGHT; y++) {
WorldTile* p_tile = &block.tiles[y][0];
WorldTile* tile_east = (block_east != null) ? &block_east.tiles[y][0] : null;
WorldTile* p_tile_south;
if (y + 1 < BLOCK_HEIGHT)
p_tile_south = &block.tiles[y + 1][0];
else
p_tile_south = (block_south != null) ? &block_south.tiles[0][0] : null;
if (p_tile_south != null) {
for (int x = 0; x < BLOCK_WIDTH - 1; x++) {
UpdateTile(p_tile, p_tile + 1, p_tile_south, p_vertices);
p_tile++;
p_tile_south++;
}
UpdateTile(p_tile, tile_east, p_tile_south, p_vertices);
}
else {
for (int x = 0; x < BLOCK_WIDTH - 1; x++) {
UpdateTile(p_tile, p_tile + 1, null, p_vertices);
p_tile++;
}
UpdateTile(p_tile, tile_east, null, p_vertices);
}
}
}
void UpdateTile(WorldTile* tile, WorldTile* tile_east, WorldTile* tile_south, ref WorldVertex* p_vertices)
{
for (int i = 0; i < 6; i++) {
p_vertices[i].pos.z = tile.elev;
memcpy(&p_vertices[i].rgba[0], &tile.colour[0], 3);
}
p_vertices += 6;
int16_t normal_x;
if (tile_east != null) {
normal_x = (tile.elev > tile_east.elev) ? INT16_MAX : INT16_MIN;
memcpy(&p_vertices[0].rgba[0], &tile.colour[0], 3);
memcpy(&p_vertices[1].rgba[0], &tile_east.colour[0], 3);
memcpy(&p_vertices[2].rgba[0], &tile.colour[0], 3);
memcpy(&p_vertices[3].rgba[0], &tile.colour[0], 3);
memcpy(&p_vertices[4].rgba[0], &tile_east.colour[0], 3);
memcpy(&p_vertices[5].rgba[0], &tile_east.colour[0], 3);
p_vertices[0].pos.z = tile.elev;
p_vertices[1].pos.z = tile_east.elev;
p_vertices[2].pos.z = tile.elev;
p_vertices[3].pos.z = tile.elev;
p_vertices[4].pos.z = tile_east.elev;
p_vertices[5].pos.z = tile_east.elev;
}
else {
normal_x = (tile.elev > 0) ? INT16_MAX : INT16_MIN;
memcpy(&p_vertices[0].rgba[0], &tile.colour[0], 3);
memcpy(&p_vertices[1].rgba[0], &tile.colour[0], 3);
memcpy(&p_vertices[2].rgba[0], &tile.colour[0], 3);
memcpy(&p_vertices[3].rgba[0], &tile.colour[0], 3);
memcpy(&p_vertices[4].rgba[0], &tile.colour[0], 3);
memcpy(&p_vertices[5].rgba[0], &tile.colour[0], 3);
p_vertices[0].pos.z = tile.elev;
p_vertices[1].pos.z = 0;
p_vertices[2].pos.z = tile.elev;
p_vertices[3].pos.z = tile.elev;
p_vertices[4].pos.z = 0;
p_vertices[5].pos.z = 0;
}
p_vertices[0].n[0] = normal_x;
p_vertices[1].n[0] = normal_x;
p_vertices[2].n[0] = normal_x;
p_vertices[3].n[0] = normal_x;
p_vertices[4].n[0] = normal_x;
p_vertices[5].n[0] = normal_x;
p_vertices += 6;
int16_t normal_y;
if (tile_south != null) {
normal_y = (tile.elev > tile_south.elev) ? INT16_MAX : INT16_MIN;
memcpy(&p_vertices[0].rgba[0], &tile.colour[0], 3);
memcpy(&p_vertices[1].rgba[0], &tile_south.colour[0], 3);
memcpy(&p_vertices[2].rgba[0], &tile.colour[0], 3);
memcpy(&p_vertices[3].rgba[0], &tile.colour[0], 3);
memcpy(&p_vertices[4].rgba[0], &tile_south.colour[0], 3);
memcpy(&p_vertices[5].rgba[0], &tile_south.colour[0], 3);
p_vertices[0].pos.z = tile.elev;
p_vertices[1].pos.z = tile_south.elev;
p_vertices[2].pos.z = tile.elev;
p_vertices[3].pos.z = tile.elev;
p_vertices[4].pos.z = tile_south.elev;
p_vertices[5].pos.z = tile_south.elev;
}
else {
normal_y = (tile.elev > 0) ? INT16_MAX : INT16_MIN;
memcpy(&p_vertices[0].rgba[0], &tile.colour[0], 3);
memcpy(&p_vertices[1].rgba[0], &tile.colour[0], 3);
memcpy(&p_vertices[2].rgba[0], &tile.colour[0], 3);
memcpy(&p_vertices[3].rgba[0], &tile.colour[0], 3);
memcpy(&p_vertices[4].rgba[0], &tile.colour[0], 3);
memcpy(&p_vertices[5].rgba[0], &tile.colour[0], 3);
p_vertices[0].pos.z = tile.elev;
p_vertices[1].pos.z = 0;
p_vertices[2].pos.z = tile.elev;
p_vertices[3].pos.z = tile.elev;
p_vertices[4].pos.z = 0;
p_vertices[5].pos.z = 0;
}
p_vertices[0].n[1] = normal_y;
p_vertices[1].n[1] = normal_y;
p_vertices[2].n[1] = normal_y;
p_vertices[3].n[1] = normal_y;
p_vertices[4].n[1] = normal_y;
p_vertices[5].n[1] = normal_y;
p_vertices += 6;
}
}
| D |
// ************************************************************
// EXIT
// ************************************************************
instance Info_GRD_276_Exit(C_INFO)
{
npc = GRD_276_Brueckenwache;
nr = 999;
condition = Info_GRD_276_Exit_Condition;
information = Info_GRD_276_Exit_Info;
permanent = 1;
description = DIALOG_ENDE;
};
func int Info_GRD_276_Exit_Condition()
{
return 1;
};
func void Info_GRD_276_Exit_Info()
{
AI_StopProcessInfos(self);
};
// *****************************************************************
// Hi
// *****************************************************************
instance Info_GRD_276_Tips(C_INFO)
{
npc = GRD_276_Brueckenwache;
nr = 1;
condition = Info_GRD_276_Tips_Condition;
information = Info_GRD_276_Tips_Info;
permanent = 0;
// description = "Hi! I'm new here.";
// description = "Hi! Ich bin neu hier.";
description = "Zdar! Jsem tady nový.";
};
func int Info_GRD_276_Tips_Condition()
{
if (Kapitel <= 2)
{
return 1;
};
};
func void Info_GRD_276_Tips_Info()
{
// AI_Output(other,self,"Info_GRD_276_Tips_15_00"); //Hi! I'm new here.
// AI_Output(other,self,"Info_GRD_276_Tips_15_00"); //Hi! Ich bin neu hier.
AI_Output(other,self,"Info_GRD_276_Tips_15_00"); //Zdar! Jsem tady novej!
// AI_Output(self,other,"Info_GRD_276_Tips_07_01"); //How nice for you.
// AI_Output(self,other,"Info_GRD_276_Tips_07_01"); //Schön für dich.
AI_Output(self,other,"Info_GRD_276_Tips_07_01"); //To se teda máš!
};
// *****************************************************************
// Tips
// *****************************************************************
instance Info_GRD_276_Bla(C_INFO)
{
npc = GRD_276_Brueckenwache;
nr = 2;
condition = Info_GRD_276_Bla_Condition;
information = Info_GRD_276_Bla_Info;
//#Needs_Attention zbytocny permanent dialog - to by som zrusil
permanent = 1;
// description = "Is that the Old Camp over there?";
// description = "Ist das da hinten das Alte Lager?";
description = "Je támhleto Starý tábor?";
};
func int Info_GRD_276_Bla_Condition()
{
if (Npc_KnowsInfo(hero,Info_GRD_276_Tips))
{
return 1;
};
};
func void Info_GRD_276_Bla_Info()
{
// AI_Output(other,self,"Info_GRD_276_Bla_15_00"); //Is that the Old Camp over there?
// AI_Output(other,self,"Info_GRD_276_Bla_15_00"); //Ist das da hinten das Alte Lager?
AI_Output(other,self,"Info_GRD_276_Bla_15_00"); //Je támhleto Starý tábor?
// AI_Output(self,other,"Info_GRD_276_Bla_07_01"); //No, that's the New Camp. The Old Camp is underneath the bridge.
// AI_Output(self,other,"Info_GRD_276_Bla_07_01"); //Nein, das ist das Neue Lager. Das Alte Lager liegt unter der Brücke.
AI_Output(self,other,"Info_GRD_276_Bla_07_01"); //Ne, to je Nový tábor. Starý tábor je pod mostem. (ironicky)
AI_StopProcessInfos(self);
};
| D |
/Users/safiqulislam/Desktop/SDK/AQDEMO/DerivedData/AQDEMO/Build/Intermediates.noindex/AQDEMO.build/Debug-iphonesimulator/AQDEMO.build/Objects-normal/x86_64/SocketStringReader.o : /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Engine/SocketEngineSpec.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Manager/SocketManagerSpec.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Client/SocketIOClientSpec.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/AQHelperUtility/AQTextField.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/Model/AQMessage.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Engine/SocketEnginePollable.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Parse/SocketParsable.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Engine/SocketEngine.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Engine/SocketEnginePacketType.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Starscream/SSLClientCertificate.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketManager/KeyboardManagerDelegate.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/Model/SocketModel.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/AQChat/AQChatImageMessageCell.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/AQChat/AQChatTextMessageCell.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/AQDynamicForm.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/AQHelperUtility/Extension.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Starscream/Compression.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Client/SocketIOClientConfiguration.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Client/SocketIOClientOption.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Util/SocketStringReader.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/AQHelperUtility/AQImageLoader.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketManager/KeyboardManager.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Ack/SocketAckManager.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Manager/SocketManager.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketManager/AQSocketManager.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Util/SocketLogger.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Client/SocketEventHandler.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/AQChat/AQChatViewController.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/Model/AQUser.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Ack/SocketAckEmitter.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Util/SocketTypes.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Util/SocketExtensions.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/AQHelperUtility/AQConstants.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Client/SocketIOStatus.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Parse/SocketPacket.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Starscream/WebSocket.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Engine/SocketEngineWebsocket.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Client/SocketIOClient.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Engine/SocketEngineClient.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Client/SocketAnyEvent.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/AQThreadList.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/AQHelperUtility/AQPickerView.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/AQHelperUtility/AQTextView.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Client/SocketRawView.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Util/SSLSecurity.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Starscream/StarscreamSSLSecurity.swift /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreImage.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/QuartzCore.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Metal.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/UIKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval32.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ucontext64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet6/in6.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceObjC.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransform3D.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugInCOM.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIO.h /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/AQDEMO.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/alloca.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/data.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/quota.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTextTab.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netdb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/timeb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernelMetalLib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/glob.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timespec.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomic.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_dsync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/_malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/proc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ipc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSThread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/sched.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucred.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSSpinLockDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctermid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/uuid/uuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/gethostuuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchTextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKeyCommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSound.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kmod.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pwd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_interface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtectionSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenshotService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFence.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionDifference.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/once.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDiffableDataSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/source.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/resource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILayoutGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenMode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLNode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/rbtree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFPage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookieStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ThreadLocalStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredentialStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPMessage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionChange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLAuthenticationChallenge.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookie.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHashTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMapTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFOperatorTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_purgable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_posix_vdisable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileHandle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/file.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/clonefile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/copyfile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/utsname.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFrame.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVHostTime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/runtime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindowScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTLine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputePipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_os_inline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterShape.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureScope.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/runetype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUbiquitousKeyValueStore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFeature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMethodSignature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CABase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIOBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/readpassphrase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRasterizationRate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCompoundPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSComparisonPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecCertificate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRunDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/CipherSuite.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotificationQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardPopoverSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/time_value.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_page_size.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_setsize.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceRef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_def.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStddef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_offsetof.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBag.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/fp_reg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfigurationReading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGShading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibLoading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueCoding.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragging.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionRequestHandling.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderThumbnailing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTiming.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitioning.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropping.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_symbol_aliasing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataSourceTranslating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewAnimating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderEnumerating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/AssertionReporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteractionSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContentSizeCategoryImageAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategoryAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueObserving.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/msg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fmtmsg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/search.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fnmatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/dispatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwitch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_switch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITouch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBezierPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/KeyPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/math.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tgmath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kauth.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-api.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port_obj.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigaltstack.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CADisplayLink.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetwork.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecSharedCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityInternal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropProposal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateInterval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/acl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_dl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILabel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/dyld_kernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDepthStencil.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/util.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syscall.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNull.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_null.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtocol.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAutoreleasePool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferPool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdbool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISegmentedControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRefreshControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecAccessControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread_impl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sysctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFFTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFSocketStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContentStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ndbm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplicationShortcutItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_nl_item.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/System.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/shm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioccom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttycom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Random.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecRandom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityZoom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGAffineTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/vm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mman.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dlfcn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libgen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/in.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDomain.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILexicon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRegion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_region.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationServiceExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileVersion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRegularExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityIdentification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUserNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPAuthentication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSInvocation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CoreFoundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalizedIndexedCollation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CoreAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRenderDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOperation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItemDecoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStateRestoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageSymbolConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewControllerConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder+UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeActionsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRubyAnnotation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSJSONSerialization.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextualAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPencilInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextItemInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDropInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransaction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITraitCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXPCConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAValueFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTimingFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSException.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelFormatDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarCommon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_common.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIButton.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPattern.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVReturn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/un.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRun.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CoreVideo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTGlyphInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorConversionInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProcessInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/ipc_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/page_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/zone_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/hash_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/vm_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/lockgroup_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/io.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sockio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/filio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/cpio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/uio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_zero.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-auto.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBinaryHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_map.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/bootstrap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/tcp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/setjmp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/workloop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/grp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemGroup.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/group.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wordexp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_char.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_var.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/ndr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimalNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISlider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/FileProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingCurveProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSUserActivity+NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuBuilder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResourceStateCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputeCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLParallelRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBlitCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgumentEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/architecture/byte_order.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVImageBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUndoManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStatusBarManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/DocumentManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLinguisticTagger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationTrigger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusDebugger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextChecker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDatePicker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICloudSharingController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImagePickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinterPickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVideoEditorController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerExtensionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchContainerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISplitViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentMenuViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIReferenceLibraryViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchDisplayController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CISampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLSampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValueTransformer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataConsumer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPaper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileWrapper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStepper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsPDFRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsImageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragPreviewRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccelerometer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRAWFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNUserNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFilePresenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRelativeDateTimeFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSISO8601DateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLengthFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateIntervalFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMassFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurementFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteCountFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSListFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnergyFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFramesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTypesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyedArchiver.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILargeContentViewer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CALayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEAGLLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATiledLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAShapeLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMetalLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAScrollLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransformLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAReplicatorLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAGradientLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATextLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringTokenizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPinchGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenEdgePanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRotationGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITapGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIHoverGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILongPressGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_clr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutAnchor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFieldBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPushBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicItemBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollisionBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISnapBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAttachmentBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGravityBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_behavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProcessor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageAccumulator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewPropertyAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextFormattingCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusAnimationCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitionCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINotificationFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISelectionFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImpactFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBitVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIDetector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterConstructor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomRotor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIBarcodeDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityLocationDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSortDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLStageInputOutputDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLVertexDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/err.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/attr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/xattr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeStubs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontMetrics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_statistics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetDiagnostics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPreferences.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPathUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageProperties.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/times.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImageDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/MacTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTLayoutTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/std_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/nl_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_voucher_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/memory_object_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/gltypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadataAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTStringAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_attributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFunctionConstantValues.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkDefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/cdefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/statvfs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xattr_flags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/eflags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/paths.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread_spis.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/TargetConditionals.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_syscalls.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDataShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UnicodeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSLocaleShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSTimeZoneShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFHashingShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexPathShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCalendarShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCoderShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSFileManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSUndoManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSKeyedArchiverShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSErrorShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ObjectiveCOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/DispatchOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UIKitOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDictionaryShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterBuiltins.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/NSString+UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibDeclarations.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderActions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccessRestrictions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerFunctions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UNNotificationResponse+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSIndexPath+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSItemProvider+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneActivationConditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneDefinitions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ConditionalMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AssertMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_traps.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ifaddrs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManagerErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig_errors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataDetectors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRendererSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizerSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProgress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/GlobalObjects.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInputTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslimits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sysexits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserDefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttydefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit_uevents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/appleapiopts.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocus.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragURLPreviews.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_filesec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_iovec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsobj_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_gid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_pid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_guid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uuid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_cond_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_once_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mode_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_time_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ct_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctype_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mbstate_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_size_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blksize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rsize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ssize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ptrdiff_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_off_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_clock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_nlink_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_socklen_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_errno_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wchar_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_addr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_caddr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_intptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uintptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_attr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_condattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlockattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutexattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_useconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_suseconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctrans_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigset_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsblkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsfilcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wint_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mach_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_dev_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_intmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uintmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutex_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sa_family_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPixelFormat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/float.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_act.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMotionEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBlurEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVibrancyEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/HeapObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_inspect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderMaterializedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/ShareSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActionSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Target.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSocket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/socket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/arpa/inet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/lock_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_seek_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSDataAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_isset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/wait.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ulimit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUnit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_init.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_inherit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTextCheckingResult.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_s_ifmt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGradient.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIManagedDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationContent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPressesEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/event.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusMovementHint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutConstraint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RefCount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_reboot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_prot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/getopt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/assert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMessagePort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMachPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_short.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShimSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFProxySupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecureTransport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecImportExport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_va_list.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_host.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kdebug_signpost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecTrust.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCompositionalLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewTransitionLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewFlowLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInput.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringEncodingExt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIOpenURLContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBitmapContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenu.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/net_kev.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fenv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/iconv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWebView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverBackgroundView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStackView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScrollView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPickerView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewHeaderFooterView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityIndicatorView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIProgressView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffectView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSShadow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ftw.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/complex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utmpx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lctx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecPolicy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecKey.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrthography.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_reply.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_copy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLLibrary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderSearchQuery.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLESAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_posix_availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Visibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationLegacySwiftCompatibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileSecurity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecIdentity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProxy.h /Users/safiqulislam/Desktop/SDK/AQDEMO/DerivedData/AQDEMO/Build/Intermediates.noindex/AQDEMO.build/Debug-iphonesimulator/AQDEMO.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/safiqulislam/Desktop/SDK/AQDEMO/DerivedData/AQDEMO/Build/Intermediates.noindex/AQDEMO.build/Debug-iphonesimulator/AQDEMO.build/Objects-normal/x86_64/SocketStringReader~partial.swiftmodule : /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Engine/SocketEngineSpec.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Manager/SocketManagerSpec.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Client/SocketIOClientSpec.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/AQHelperUtility/AQTextField.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/Model/AQMessage.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Engine/SocketEnginePollable.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Parse/SocketParsable.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Engine/SocketEngine.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Engine/SocketEnginePacketType.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Starscream/SSLClientCertificate.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketManager/KeyboardManagerDelegate.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/Model/SocketModel.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/AQChat/AQChatImageMessageCell.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/AQChat/AQChatTextMessageCell.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/AQDynamicForm.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/AQHelperUtility/Extension.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Starscream/Compression.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Client/SocketIOClientConfiguration.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Client/SocketIOClientOption.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Util/SocketStringReader.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/AQHelperUtility/AQImageLoader.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketManager/KeyboardManager.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Ack/SocketAckManager.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Manager/SocketManager.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketManager/AQSocketManager.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Util/SocketLogger.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Client/SocketEventHandler.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/AQChat/AQChatViewController.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/Model/AQUser.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Ack/SocketAckEmitter.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Util/SocketTypes.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Util/SocketExtensions.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/AQHelperUtility/AQConstants.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Client/SocketIOStatus.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Parse/SocketPacket.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Starscream/WebSocket.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Engine/SocketEngineWebsocket.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Client/SocketIOClient.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Engine/SocketEngineClient.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Client/SocketAnyEvent.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/AQThreadList.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/AQHelperUtility/AQPickerView.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/AQHelperUtility/AQTextView.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Client/SocketRawView.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Util/SSLSecurity.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Starscream/StarscreamSSLSecurity.swift /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreImage.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/QuartzCore.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Metal.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/UIKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval32.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ucontext64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet6/in6.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceObjC.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransform3D.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugInCOM.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIO.h /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/AQDEMO.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/alloca.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/data.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/quota.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTextTab.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netdb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/timeb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernelMetalLib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/glob.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timespec.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomic.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_dsync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/_malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/proc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ipc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSThread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/sched.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucred.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSSpinLockDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctermid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/uuid/uuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/gethostuuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchTextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKeyCommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSound.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kmod.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pwd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_interface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtectionSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenshotService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFence.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionDifference.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/once.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDiffableDataSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/source.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/resource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILayoutGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenMode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLNode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/rbtree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFPage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookieStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ThreadLocalStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredentialStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPMessage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionChange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLAuthenticationChallenge.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookie.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHashTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMapTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFOperatorTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_purgable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_posix_vdisable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileHandle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/file.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/clonefile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/copyfile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/utsname.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFrame.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVHostTime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/runtime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindowScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTLine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputePipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_os_inline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterShape.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureScope.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/runetype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUbiquitousKeyValueStore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFeature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMethodSignature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CABase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIOBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/readpassphrase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRasterizationRate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCompoundPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSComparisonPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecCertificate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRunDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/CipherSuite.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotificationQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardPopoverSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/time_value.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_page_size.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_setsize.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceRef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_def.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStddef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_offsetof.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBag.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/fp_reg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfigurationReading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGShading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibLoading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueCoding.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragging.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionRequestHandling.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderThumbnailing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTiming.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitioning.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropping.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_symbol_aliasing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataSourceTranslating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewAnimating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderEnumerating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/AssertionReporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteractionSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContentSizeCategoryImageAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategoryAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueObserving.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/msg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fmtmsg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/search.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fnmatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/dispatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwitch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_switch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITouch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBezierPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/KeyPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/math.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tgmath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kauth.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-api.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port_obj.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigaltstack.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CADisplayLink.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetwork.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecSharedCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityInternal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropProposal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateInterval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/acl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_dl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILabel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/dyld_kernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDepthStencil.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/util.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syscall.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNull.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_null.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtocol.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAutoreleasePool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferPool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdbool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISegmentedControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRefreshControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecAccessControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread_impl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sysctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFFTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFSocketStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContentStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ndbm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplicationShortcutItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_nl_item.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/System.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/shm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioccom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttycom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Random.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecRandom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityZoom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGAffineTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/vm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mman.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dlfcn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libgen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/in.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDomain.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILexicon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRegion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_region.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationServiceExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileVersion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRegularExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityIdentification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUserNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPAuthentication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSInvocation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CoreFoundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalizedIndexedCollation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CoreAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRenderDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOperation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItemDecoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStateRestoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageSymbolConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewControllerConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder+UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeActionsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRubyAnnotation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSJSONSerialization.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextualAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPencilInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextItemInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDropInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransaction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITraitCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXPCConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAValueFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTimingFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSException.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelFormatDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarCommon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_common.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIButton.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPattern.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVReturn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/un.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRun.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CoreVideo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTGlyphInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorConversionInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProcessInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/ipc_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/page_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/zone_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/hash_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/vm_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/lockgroup_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/io.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sockio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/filio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/cpio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/uio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_zero.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-auto.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBinaryHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_map.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/bootstrap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/tcp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/setjmp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/workloop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/grp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemGroup.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/group.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wordexp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_char.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_var.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/ndr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimalNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISlider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/FileProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingCurveProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSUserActivity+NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuBuilder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResourceStateCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputeCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLParallelRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBlitCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgumentEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/architecture/byte_order.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVImageBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUndoManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStatusBarManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/DocumentManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLinguisticTagger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationTrigger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusDebugger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextChecker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDatePicker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICloudSharingController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImagePickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinterPickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVideoEditorController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerExtensionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchContainerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISplitViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentMenuViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIReferenceLibraryViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchDisplayController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CISampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLSampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValueTransformer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataConsumer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPaper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileWrapper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStepper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsPDFRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsImageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragPreviewRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccelerometer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRAWFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNUserNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFilePresenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRelativeDateTimeFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSISO8601DateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLengthFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateIntervalFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMassFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurementFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteCountFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSListFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnergyFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFramesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTypesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyedArchiver.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILargeContentViewer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CALayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEAGLLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATiledLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAShapeLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMetalLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAScrollLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransformLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAReplicatorLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAGradientLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATextLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringTokenizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPinchGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenEdgePanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRotationGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITapGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIHoverGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILongPressGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_clr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutAnchor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFieldBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPushBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicItemBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollisionBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISnapBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAttachmentBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGravityBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_behavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProcessor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageAccumulator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewPropertyAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextFormattingCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusAnimationCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitionCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINotificationFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISelectionFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImpactFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBitVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIDetector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterConstructor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomRotor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIBarcodeDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityLocationDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSortDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLStageInputOutputDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLVertexDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/err.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/attr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/xattr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeStubs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontMetrics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_statistics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetDiagnostics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPreferences.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPathUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageProperties.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/times.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImageDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/MacTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTLayoutTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/std_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/nl_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_voucher_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/memory_object_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/gltypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadataAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTStringAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_attributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFunctionConstantValues.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkDefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/cdefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/statvfs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xattr_flags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/eflags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/paths.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread_spis.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/TargetConditionals.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_syscalls.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDataShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UnicodeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSLocaleShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSTimeZoneShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFHashingShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexPathShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCalendarShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCoderShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSFileManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSUndoManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSKeyedArchiverShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSErrorShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ObjectiveCOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/DispatchOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UIKitOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDictionaryShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterBuiltins.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/NSString+UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibDeclarations.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderActions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccessRestrictions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerFunctions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UNNotificationResponse+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSIndexPath+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSItemProvider+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneActivationConditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneDefinitions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ConditionalMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AssertMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_traps.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ifaddrs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManagerErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig_errors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataDetectors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRendererSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizerSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProgress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/GlobalObjects.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInputTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslimits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sysexits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserDefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttydefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit_uevents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/appleapiopts.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocus.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragURLPreviews.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_filesec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_iovec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsobj_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_gid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_pid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_guid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uuid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_cond_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_once_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mode_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_time_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ct_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctype_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mbstate_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_size_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blksize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rsize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ssize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ptrdiff_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_off_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_clock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_nlink_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_socklen_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_errno_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wchar_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_addr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_caddr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_intptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uintptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_attr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_condattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlockattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutexattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_useconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_suseconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctrans_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigset_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsblkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsfilcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wint_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mach_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_dev_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_intmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uintmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutex_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sa_family_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPixelFormat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/float.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_act.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMotionEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBlurEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVibrancyEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/HeapObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_inspect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderMaterializedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/ShareSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActionSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Target.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSocket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/socket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/arpa/inet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/lock_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_seek_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSDataAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_isset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/wait.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ulimit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUnit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_init.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_inherit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTextCheckingResult.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_s_ifmt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGradient.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIManagedDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationContent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPressesEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/event.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusMovementHint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutConstraint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RefCount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_reboot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_prot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/getopt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/assert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMessagePort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMachPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_short.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShimSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFProxySupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecureTransport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecImportExport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_va_list.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_host.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kdebug_signpost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecTrust.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCompositionalLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewTransitionLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewFlowLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInput.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringEncodingExt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIOpenURLContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBitmapContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenu.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/net_kev.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fenv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/iconv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWebView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverBackgroundView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStackView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScrollView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPickerView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewHeaderFooterView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityIndicatorView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIProgressView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffectView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSShadow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ftw.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/complex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utmpx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lctx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecPolicy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecKey.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrthography.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_reply.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_copy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLLibrary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderSearchQuery.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLESAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_posix_availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Visibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationLegacySwiftCompatibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileSecurity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecIdentity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProxy.h /Users/safiqulislam/Desktop/SDK/AQDEMO/DerivedData/AQDEMO/Build/Intermediates.noindex/AQDEMO.build/Debug-iphonesimulator/AQDEMO.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/safiqulislam/Desktop/SDK/AQDEMO/DerivedData/AQDEMO/Build/Intermediates.noindex/AQDEMO.build/Debug-iphonesimulator/AQDEMO.build/Objects-normal/x86_64/SocketStringReader~partial.swiftdoc : /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Engine/SocketEngineSpec.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Manager/SocketManagerSpec.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Client/SocketIOClientSpec.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/AQHelperUtility/AQTextField.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/Model/AQMessage.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Engine/SocketEnginePollable.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Parse/SocketParsable.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Engine/SocketEngine.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Engine/SocketEnginePacketType.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Starscream/SSLClientCertificate.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketManager/KeyboardManagerDelegate.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/Model/SocketModel.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/AQChat/AQChatImageMessageCell.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/AQChat/AQChatTextMessageCell.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/AQDynamicForm.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/AQHelperUtility/Extension.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Starscream/Compression.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Client/SocketIOClientConfiguration.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Client/SocketIOClientOption.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Util/SocketStringReader.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/AQHelperUtility/AQImageLoader.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketManager/KeyboardManager.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Ack/SocketAckManager.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Manager/SocketManager.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketManager/AQSocketManager.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Util/SocketLogger.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Client/SocketEventHandler.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/AQChat/AQChatViewController.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/Model/AQUser.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Ack/SocketAckEmitter.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Util/SocketTypes.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Util/SocketExtensions.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/AQHelperUtility/AQConstants.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Client/SocketIOStatus.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Parse/SocketPacket.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Starscream/WebSocket.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Engine/SocketEngineWebsocket.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Client/SocketIOClient.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Engine/SocketEngineClient.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Client/SocketAnyEvent.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/AQThreadList.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/AQHelperUtility/AQPickerView.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/AQHelperUtility/AQTextView.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Client/SocketRawView.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Util/SSLSecurity.swift /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/SocketIO/Starscream/StarscreamSSLSecurity.swift /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreImage.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/QuartzCore.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Metal.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/UIKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval32.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ucontext64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet6/in6.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceObjC.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransform3D.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugInCOM.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIO.h /Users/safiqulislam/Desktop/SDK/AQDEMO/AQDEMO/AQDEMO.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/alloca.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/data.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/quota.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTextTab.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netdb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/timeb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernelMetalLib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/glob.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timespec.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomic.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_dsync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/_malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/proc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ipc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSThread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/sched.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucred.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSSpinLockDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctermid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/uuid/uuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/gethostuuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchTextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKeyCommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSound.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kmod.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pwd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_interface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtectionSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenshotService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFence.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionDifference.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/once.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDiffableDataSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/source.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/resource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILayoutGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenMode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLNode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/rbtree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFPage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookieStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ThreadLocalStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredentialStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPMessage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionChange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLAuthenticationChallenge.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookie.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHashTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMapTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFOperatorTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_purgable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_posix_vdisable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileHandle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/file.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/clonefile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/copyfile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/utsname.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFrame.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVHostTime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/runtime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindowScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTLine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputePipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_os_inline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterShape.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureScope.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/runetype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUbiquitousKeyValueStore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFeature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMethodSignature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CABase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIOBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/readpassphrase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRasterizationRate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCompoundPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSComparisonPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecCertificate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRunDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/CipherSuite.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotificationQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardPopoverSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/time_value.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_page_size.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_setsize.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceRef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_def.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStddef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_offsetof.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBag.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/fp_reg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfigurationReading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGShading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibLoading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueCoding.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragging.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionRequestHandling.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderThumbnailing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTiming.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitioning.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropping.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_symbol_aliasing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataSourceTranslating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewAnimating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderEnumerating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/AssertionReporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteractionSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContentSizeCategoryImageAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategoryAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueObserving.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/msg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fmtmsg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/search.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fnmatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/dispatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwitch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_switch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITouch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBezierPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/KeyPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/math.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tgmath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kauth.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-api.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port_obj.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigaltstack.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CADisplayLink.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetwork.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecSharedCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityInternal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropProposal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateInterval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/acl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_dl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILabel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/dyld_kernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDepthStencil.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/util.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syscall.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNull.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_null.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtocol.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAutoreleasePool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferPool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdbool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISegmentedControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRefreshControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecAccessControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread_impl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sysctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFFTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFSocketStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContentStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ndbm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplicationShortcutItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_nl_item.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/System.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/shm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioccom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttycom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Random.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecRandom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityZoom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGAffineTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/vm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mman.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dlfcn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libgen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/in.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDomain.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILexicon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRegion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_region.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationServiceExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileVersion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRegularExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityIdentification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUserNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPAuthentication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSInvocation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CoreFoundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalizedIndexedCollation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CoreAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRenderDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOperation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItemDecoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStateRestoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageSymbolConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewControllerConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder+UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeActionsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRubyAnnotation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSJSONSerialization.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextualAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPencilInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextItemInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDropInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransaction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITraitCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXPCConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAValueFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTimingFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSException.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelFormatDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarCommon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_common.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIButton.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPattern.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVReturn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/un.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRun.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CoreVideo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTGlyphInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorConversionInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProcessInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/ipc_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/page_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/zone_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/hash_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/vm_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/lockgroup_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/io.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sockio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/filio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/cpio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/uio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_zero.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-auto.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBinaryHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_map.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/bootstrap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/tcp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/setjmp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/workloop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/grp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemGroup.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/group.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wordexp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_char.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_var.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/ndr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimalNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISlider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/FileProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingCurveProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSUserActivity+NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuBuilder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResourceStateCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputeCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLParallelRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBlitCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgumentEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/architecture/byte_order.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVImageBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUndoManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStatusBarManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/DocumentManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLinguisticTagger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationTrigger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusDebugger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextChecker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDatePicker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICloudSharingController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImagePickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinterPickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVideoEditorController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerExtensionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchContainerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISplitViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentMenuViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIReferenceLibraryViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchDisplayController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CISampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLSampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValueTransformer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataConsumer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPaper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileWrapper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStepper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsPDFRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsImageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragPreviewRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccelerometer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRAWFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNUserNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFilePresenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRelativeDateTimeFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSISO8601DateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLengthFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateIntervalFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMassFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurementFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteCountFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSListFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnergyFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFramesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTypesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyedArchiver.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILargeContentViewer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CALayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEAGLLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATiledLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAShapeLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMetalLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAScrollLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransformLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAReplicatorLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAGradientLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATextLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringTokenizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPinchGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenEdgePanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRotationGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITapGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIHoverGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILongPressGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_clr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutAnchor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFieldBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPushBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicItemBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollisionBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISnapBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAttachmentBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGravityBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_behavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProcessor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageAccumulator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewPropertyAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextFormattingCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusAnimationCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitionCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINotificationFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISelectionFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImpactFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBitVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIDetector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterConstructor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomRotor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIBarcodeDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityLocationDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSortDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLStageInputOutputDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLVertexDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/err.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/attr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/xattr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeStubs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontMetrics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_statistics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetDiagnostics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPreferences.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPathUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageProperties.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/times.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImageDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/MacTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTLayoutTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/std_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/nl_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_voucher_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/memory_object_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/gltypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadataAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTStringAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_attributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFunctionConstantValues.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkDefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/cdefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/statvfs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xattr_flags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/eflags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/paths.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread_spis.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/TargetConditionals.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_syscalls.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDataShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UnicodeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSLocaleShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSTimeZoneShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFHashingShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexPathShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCalendarShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCoderShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSFileManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSUndoManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSKeyedArchiverShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSErrorShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ObjectiveCOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/DispatchOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UIKitOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDictionaryShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterBuiltins.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/NSString+UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibDeclarations.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderActions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccessRestrictions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerFunctions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UNNotificationResponse+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSIndexPath+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSItemProvider+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneActivationConditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneDefinitions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ConditionalMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AssertMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_traps.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ifaddrs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManagerErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig_errors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataDetectors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRendererSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizerSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProgress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/GlobalObjects.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInputTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslimits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sysexits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserDefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttydefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit_uevents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/appleapiopts.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocus.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragURLPreviews.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_filesec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_iovec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsobj_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_gid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_pid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_guid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uuid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_cond_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_once_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mode_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_time_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ct_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctype_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mbstate_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_size_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blksize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rsize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ssize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ptrdiff_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_off_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_clock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_nlink_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_socklen_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_errno_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wchar_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_addr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_caddr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_intptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uintptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_attr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_condattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlockattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutexattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_useconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_suseconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctrans_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigset_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsblkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsfilcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wint_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mach_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_dev_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_intmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uintmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutex_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sa_family_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPixelFormat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/float.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_act.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMotionEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBlurEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVibrancyEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/HeapObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_inspect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderMaterializedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/ShareSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActionSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Target.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSocket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/socket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/arpa/inet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/lock_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_seek_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSDataAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_isset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/wait.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ulimit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUnit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_init.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_inherit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTextCheckingResult.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_s_ifmt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGradient.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIManagedDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationContent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPressesEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/event.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusMovementHint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutConstraint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RefCount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_reboot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_prot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/getopt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/assert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMessagePort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMachPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_short.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShimSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFProxySupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecureTransport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecImportExport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_va_list.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_host.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kdebug_signpost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecTrust.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCompositionalLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewTransitionLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewFlowLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInput.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringEncodingExt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIOpenURLContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBitmapContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenu.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/net_kev.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fenv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/iconv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWebView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverBackgroundView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStackView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScrollView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPickerView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewHeaderFooterView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityIndicatorView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIProgressView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffectView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSShadow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ftw.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/complex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utmpx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lctx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecPolicy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecKey.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrthography.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_reply.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_copy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLLibrary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderSearchQuery.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLESAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_posix_availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Visibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationLegacySwiftCompatibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileSecurity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecIdentity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProxy.h /Users/safiqulislam/Desktop/SDK/AQDEMO/DerivedData/AQDEMO/Build/Intermediates.noindex/AQDEMO.build/Debug-iphonesimulator/AQDEMO.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
| D |
module hunt.http.client.CookieStore;
import hunt.http.Cookie;
import hunt.net.util.HttpURI;
/**
* A CookieStore object represents a storage for cookie. Can store and retrieve
* cookies.
*
* <p>{@link CookieManager} will call {@code CookieStore.add} to save cookies
* for every incoming HTTP response, and call {@code CookieStore.get} to
* retrieve cookie for every outgoing HTTP request. A CookieStore
* is responsible for removing HttpCookie instances which have expired.
*
* @author Edward Wang
*/
interface CookieStore {
/**
* Adds one HTTP cookie to the store. This is called for every
* incoming HTTP response.
*
* <p>A cookie to store may or may not be associated with an URI. If it
* is not associated with an URI, the cookie's domain and path attribute
* will indicate where it comes from. If it is associated with an URI and
* its domain and path attribute are not specified, given URI will indicate
* where this cookie comes from.
*
* <p>If a cookie corresponding to the given URI already exists,
* then it is replaced with the new one.
*
* @param uri the uri this cookie associated with.
* if {@code null}, this cookie will not be associated
* with an URI
* @param cookie the cookie to store
*
* @throws NullPointerException if {@code cookie} is {@code null}
*
* @see #get
*
*/
void add(HttpURI uri, HttpCookie cookie);
/**
* Retrieve cookies associated with given URI, or whose domain matches the
* given URI. Only cookies that have not expired are returned.
* This is called for every outgoing HTTP request.
*
* @return an immutable list of HttpCookie,
* return empty list if no cookies match the given URI
*
* @param uri the uri associated with the cookies to be returned
*
* @throws NullPointerException if {@code uri} is {@code null}
*
* @see #add
*
*/
HttpCookie[] get(string uri);
/**
* Get all not-expired cookies in cookie store.
*
* @return an immutable list of http cookies;
* return empty list if there's no http cookie in store
*/
HttpCookie[] getCookies();
/**
* Get all URIs which identify the cookies in this cookie store.
*
* @return an immutable list of URIs;
* return empty list if no cookie in this cookie store
* is associated with an URI
*/
string[] getURIs();
/**
* Remove a cookie from store.
*
* @param uri the uri this cookie associated with.
* if {@code null}, the cookie to be removed is not associated
* with an URI when added; if not {@code null}, the cookie
* to be removed is associated with the given URI when added.
* @param cookie the cookie to remove
*
* @return {@code true} if this store contained the specified cookie
*
* @throws NullPointerException if {@code cookie} is {@code null}
*/
bool remove(string uri, HttpCookie cookie);
/**
* Remove all cookies in this cookie store.
*
* @return {@code true} if this store changed as a result of the call
*/
bool removeAll();
alias clear = removeAll;
/**
* Removes all of {@link Cookie}s in this store that have expired by
* the specified SysTime.
*
* @return true if any cookies were purged.
*/
bool clearExpired();
}
| D |
/*
* attributes.d
*
* This file holds bindings to pango's pango-attributes.h. The original copyright
* is displayed below, but does not pertain to this file.
*
* Author: Dave Wilkinson
*
*/
module binding.pango.attributes;
/* Pango
* pango-attributes.h: Attributed text
*
* Copyright (C) 2000 Red Hat Software
*
* This library is free software; you can redistribute it and/or
* modify it under the terms of the GNU Library General Public
* License as published by the Free Software Foundation; either
* version 2 of the License, or (at your option) any later version.
*
* This library is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU
* Library General Public License for more details.
*
* You should have received a copy of the GNU Library General Public
* License along with this library; if not, write to the
* Free Software Foundation, Inc., 59 Temple Place - Suite 330,
* Boston, MA 02111-1307, USA.
*/
import binding.pango.types;
import binding.pango.font;
import binding.pango.gravity;
extern(C):
/* PangoColor */
alias _PangoColor PangoColor;
struct _PangoColor
{
guint16 red;
guint16 green;
guint16 blue;
}
//#define PANGO_TYPE_COLOR pango_color_get_type ()
GType pango_color_get_type () ;
PangoColor *pango_color_copy (PangoColor *src);
void pango_color_free (PangoColor *color);
gboolean pango_color_parse (PangoColor *color,
char *spec);
gchar *pango_color_to_string(PangoColor *color);
/* Attributes */
alias _PangoAttribute PangoAttribute;
alias _PangoAttrClass PangoAttrClass;
alias _PangoAttrString PangoAttrString;
alias _PangoAttrLanguage PangoAttrLanguage;
alias _PangoAttrInt PangoAttrInt;
alias _PangoAttrSize PangoAttrSize;
alias _PangoAttrFloat PangoAttrFloat;
alias _PangoAttrColor PangoAttrColor;
alias _PangoAttrFontDesc PangoAttrFontDesc;
alias _PangoAttrShape PangoAttrShape;
//#define PANGO_TYPE_ATTR_LIST pango_attr_list_get_type ()
extern(C) struct _PangoAttrList;
extern(C) struct _PangoAttrIterator;
alias _PangoAttrList PangoAttrList;
alias _PangoAttrIterator PangoAttrIterator;
enum PangoAttrType
{
PANGO_ATTR_INVALID, /* 0 is an invalid attribute type */
PANGO_ATTR_LANGUAGE, /* PangoAttrLanguage */
PANGO_ATTR_FAMILY, /* PangoAttrString */
PANGO_ATTR_STYLE, /* PangoAttrInt */
PANGO_ATTR_WEIGHT, /* PangoAttrInt */
PANGO_ATTR_VARIANT, /* PangoAttrInt */
PANGO_ATTR_STRETCH, /* PangoAttrInt */
PANGO_ATTR_SIZE, /* PangoAttrSize */
PANGO_ATTR_FONT_DESC, /* PangoAttrFontDesc */
PANGO_ATTR_FOREGROUND, /* PangoAttrColor */
PANGO_ATTR_BACKGROUND, /* PangoAttrColor */
PANGO_ATTR_UNDERLINE, /* PangoAttrInt */
PANGO_ATTR_STRIKETHROUGH, /* PangoAttrInt */
PANGO_ATTR_RISE, /* PangoAttrInt */
PANGO_ATTR_SHAPE, /* PangoAttrShape */
PANGO_ATTR_SCALE, /* PangoAttrFloat */
PANGO_ATTR_FALLBACK, /* PangoAttrInt */
PANGO_ATTR_LETTER_SPACING, /* PangoAttrInt */
PANGO_ATTR_UNDERLINE_COLOR, /* PangoAttrColor */
PANGO_ATTR_STRIKETHROUGH_COLOR,/* PangoAttrColor */
PANGO_ATTR_ABSOLUTE_SIZE, /* PangoAttrSize */
PANGO_ATTR_GRAVITY, /* PangoAttrInt */
PANGO_ATTR_GRAVITY_HINT /* PangoAttrInt */
}
enum PangoUnderline {
PANGO_UNDERLINE_NONE,
PANGO_UNDERLINE_SINGLE,
PANGO_UNDERLINE_DOUBLE,
PANGO_UNDERLINE_LOW,
PANGO_UNDERLINE_ERROR
}
struct _PangoAttribute
{
PangoAttrClass *klass;
guint start_index; /* in bytes */
guint end_index; /* in bytes. The character at this index is not included */
}
alias gboolean (*PangoAttrFilterFunc) (PangoAttribute *attribute,
gpointer data);
alias gpointer (*PangoAttrDataCopyFunc) (gconstpointer data);
struct _PangoAttrClass
{
/*< public >*/
PangoAttrType type;
PangoAttribute * (*copy) (PangoAttribute *attr);
void (*destroy) (PangoAttribute *attr);
gboolean (*equal) (PangoAttribute *attr1, PangoAttribute *attr2);
}
struct _PangoAttrString
{
PangoAttribute attr;
char *value;
}
struct _PangoAttrLanguage
{
PangoAttribute attr;
PangoLanguage *value;
}
struct _PangoAttrInt
{
PangoAttribute attr;
int value;
}
struct _PangoAttrFloat
{
PangoAttribute attr;
double value;
}
struct _PangoAttrColor
{
PangoAttribute attr;
PangoColor color;
}
struct _PangoAttrSize
{
PangoAttribute attr;
int size;
guint absolute;
}
struct _PangoAttrShape
{
PangoAttribute attr;
PangoRectangle ink_rect;
PangoRectangle logical_rect;
gpointer data;
PangoAttrDataCopyFunc copy_func;
GDestroyNotify destroy_func;
}
struct _PangoAttrFontDesc
{
PangoAttribute attr;
PangoFontDescription *desc;
}
PangoAttrType pango_attr_type_register (gchar *name);
PangoAttribute * pango_attribute_copy (PangoAttribute *attr);
void pango_attribute_destroy (PangoAttribute *attr);
gboolean pango_attribute_equal (PangoAttribute *attr1,
PangoAttribute *attr2);
PangoAttribute *pango_attr_language_new (PangoLanguage *language);
PangoAttribute *pango_attr_family_new ( char *family);
PangoAttribute *pango_attr_foreground_new (guint16 red,
guint16 green,
guint16 blue);
PangoAttribute *pango_attr_background_new (guint16 red,
guint16 green,
guint16 blue);
PangoAttribute *pango_attr_size_new (int size);
PangoAttribute *pango_attr_size_new_absolute (int size);
PangoAttribute *pango_attr_style_new (PangoStyle style);
PangoAttribute *pango_attr_weight_new (PangoWeight weight);
PangoAttribute *pango_attr_variant_new (PangoVariant variant);
PangoAttribute *pango_attr_stretch_new (PangoStretch stretch);
PangoAttribute *pango_attr_font_desc_new (PangoFontDescription *desc);
PangoAttribute *pango_attr_underline_new (PangoUnderline underline);
PangoAttribute *pango_attr_underline_color_new (guint16 red,
guint16 green,
guint16 blue);
PangoAttribute *pango_attr_strikethrough_new (gboolean strikethrough);
PangoAttribute *pango_attr_strikethrough_color_new (guint16 red,
guint16 green,
guint16 blue);
PangoAttribute *pango_attr_rise_new (int rise);
PangoAttribute *pango_attr_scale_new (double scale_factor);
PangoAttribute *pango_attr_fallback_new (gboolean enable_fallback);
PangoAttribute *pango_attr_letter_spacing_new (int letter_spacing);
PangoAttribute *pango_attr_shape_new (PangoRectangle *ink_rect,
PangoRectangle *logical_rect);
PangoAttribute *pango_attr_shape_new_with_data (PangoRectangle *ink_rect,
PangoRectangle *logical_rect,
gpointer data,
PangoAttrDataCopyFunc copy_func,
GDestroyNotify destroy_func);
PangoAttribute *pango_attr_gravity_new (PangoGravity gravity);
PangoAttribute *pango_attr_gravity_hint_new (PangoGravityHint hint);
GType pango_attr_list_get_type () ;
PangoAttrList * pango_attr_list_new ();
PangoAttrList * pango_attr_list_ref (PangoAttrList *list);
void pango_attr_list_unref (PangoAttrList *list);
PangoAttrList * pango_attr_list_copy (PangoAttrList *list);
void pango_attr_list_insert (PangoAttrList *list,
PangoAttribute *attr);
void pango_attr_list_insert_before (PangoAttrList *list,
PangoAttribute *attr);
void pango_attr_list_change (PangoAttrList *list,
PangoAttribute *attr);
void pango_attr_list_splice (PangoAttrList *list,
PangoAttrList *other,
gint pos,
gint len);
PangoAttrList *pango_attr_list_filter (PangoAttrList *list,
PangoAttrFilterFunc func,
gpointer data);
PangoAttrIterator *pango_attr_list_get_iterator (PangoAttrList *list);
void pango_attr_iterator_range (PangoAttrIterator *iterator,
gint *start,
gint *end);
gboolean pango_attr_iterator_next (PangoAttrIterator *iterator);
PangoAttrIterator *pango_attr_iterator_copy (PangoAttrIterator *iterator);
void pango_attr_iterator_destroy (PangoAttrIterator *iterator);
PangoAttribute * pango_attr_iterator_get (PangoAttrIterator *iterator,
PangoAttrType type);
void pango_attr_iterator_get_font (PangoAttrIterator *iterator,
PangoFontDescription *desc,
PangoLanguage **language,
GSList **extra_attrs);
GSList * pango_attr_iterator_get_attrs (PangoAttrIterator *iterator);
gboolean pango_parse_markup (char *markup_text,
int length,
gunichar accel_marker,
PangoAttrList **attr_list,
char **text,
gunichar *accel_char,
GError **error);
| D |
/**********************************************************\
| |
| hprose |
| |
| Official WebSite: http://www.hprose.com/ |
| http://www.hprose.org/ |
| |
\**********************************************************/
/**********************************************************\
* *
* hprose/io/bytes.d *
* *
* hprose bytes io library for D. *
* *
* LastModified: Mar 3, 2015 *
* Author: Ma Bingyao <andot@hprose.com> *
* *
\**********************************************************/
module hprose.io.bytes;
@trusted:
import hprose.io.tags;
import std.algorithm;
import std.bigint;
import std.conv;
import std.stdio;
import std.string;
import std.traits;
class BytesIO {
private {
char[] _buffer;
long _pos;
}
@property {
long size() {
return _buffer.length;
}
bool eof() {
return _pos >= size;
}
immutable(ubyte)[] buffer() {
return cast(immutable(ubyte)[])_buffer;
}
}
this() {
this("");
}
this(string data) {
init(data);
}
this(ubyte[] data) {
init(data);
}
void init(T)(T data) {
_buffer = cast(char[])data;
_pos = 0;
}
void close() {
_buffer.length = 0;
_pos = 0;
}
char read() {
if (size > _pos) {
return _buffer[_pos++];
}
else {
throw new Exception("no byte found in stream");
}
}
char[] read(int n) {
char[] bytes = _buffer[_pos .. _pos + n];
_pos += n;
return bytes;
}
char[] readFull() {
char[] bytes = _buffer[_pos .. $];
_pos = size;
return bytes;
}
char[] readUntil(T...)(T tags) {
long count = countUntil(_buffer[_pos .. $], tags);
if (count < 0) return readFull();
char[] bytes = _buffer[_pos .. _pos + count];
_pos += count + 1;
return bytes;
}
char skipUntil(T...)(T tags) {
auto count = countUntil(_buffer[_pos .. $], tags);
if (count < 0) throw new Exception("does not find tags in stream");
char result = _buffer[_pos + count];
_pos += count + 1;
return result;
}
string readUTF8Char() {
long pos = _pos;
ubyte tag = read();
switch (tag >> 4) {
case 0: .. case 7: break;
case 12, 13: ++_pos; break;
case 14: _pos += 2; break;
default: throw new Exception("bad utf-8 encoding");
}
if (_pos > size) throw new Exception("bad utf-8 encoding");
return cast(string)_buffer[pos .. _pos];
}
T readString(T = string)(int wlen) if (isSomeString!T) {
long pos = _pos;
for (int i = 0; i < wlen; ++i) {
ubyte tag = read();
switch (tag >> 4) {
case 0: .. case 7: break;
case 12, 13: ++_pos; break;
case 14: _pos += 2; break;
case 15: _pos += 3; ++i; break;
default: throw new Exception("bad utf-8 encoding");
}
}
if (_pos > size) throw new Exception("bad utf-8 encoding");
return cast(T)_buffer[pos .. _pos];
}
T readInt(T = int)(char tag) if (isSigned!T) {
int c = read();
if (c == tag) return 0;
T result = 0;
long len = size;
T sign = 1;
switch (c) {
case TagNeg: sign = -1; goto case TagPos;
case TagPos: c = read(); goto default;
default: break;
}
while (_pos < len && c != tag) {
result *= 10;
result += (c - '0') * sign;
c = read();
}
return result;
}
T readInt(T)(char tag) if (isUnsigned!T) {
return cast(T)readInt!(Signed!T)(tag);
}
void skip(int n) {
_pos += n;
}
BytesIO write(in char[] data) {
if (data.length > 0) {
_buffer ~= data;
}
return this;
}
BytesIO write(in byte[] data) {
return write(cast(char[])data);
}
BytesIO write(in ubyte[] data) {
return write(cast(char[])data);
}
BytesIO write(T)(in T x) {
static if (isIntegral!T ||
isSomeChar!T ||
is(T == float)) {
_buffer ~= cast(char[])to!string(x);
}
else static if (is(T == double) ||
is(T == real)) {
_buffer ~= cast(char[])format("%.16g", x);
}
return this;
}
override string toString() {
return cast(string)_buffer;
}
}
unittest {
BytesIO bytes = new BytesIO("i123;d3.14;");
assert(bytes.readUntil(';') == "i123");
assert(bytes.readUntil(';') == "d3.14");
bytes.write("hello");
assert(bytes.read(5) == "hello");
const int i = 123456789;
bytes.write(i).write(';');
assert(bytes.readInt(';') == i);
bytes.write(1).write('1').write(';');
assert(bytes.readInt(';') == 11);
const float f = 3.14159265;
bytes.write(f).write(';');
assert(bytes.readUntil(';') == "3.14159");
const double d = 3.141592653589793238;
bytes.write(d).write(';');
assert(bytes.readUntil(';') == "3.141592653589793");
const real r = 3.141592653589793238;
bytes.write(r).write(';');
assert(bytes.readUntil(';', '.') == "3");
assert(bytes.skipUntil(';', '.') == ';');
bytes.write("你好啊");
assert(bytes.readString(3) == "你好啊");
} | D |
header htdef - hash trees
type htTnod
is Pnam : * char ; name string
Psym : * void ; symbol
Vhsh : int ; hash value
Plft : * htTnod ; left branch
Prgt : * htTnod ; right branch
end
ht_ini : (void) int
ht_nam : (*htTnod) * char ; get node name
ht_sym : (*htTnod) * void ; get node symbol
ht_set : (*htTnod, *void) void ; set node symbol
ht_ins : (*char) *htTnod ; insert new name
ht_fnd : (*char) *htTnod ; find name in tree
type htTcbk : (*htTnod) void ; call back function
ht_wlk : (*htTcbk) void ; walk tree
ht_anl : (void) void ; analyse tree
end header
| D |
/mnt/e/myrcore/lab_code/lab4_code1/os/target/debug/deps/semver_parser-9e846b437b1ac09f.rmeta: /home/xushanpu123/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/semver-parser-0.7.0/src/lib.rs /home/xushanpu123/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/semver-parser-0.7.0/src/version.rs /home/xushanpu123/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/semver-parser-0.7.0/src/range.rs /home/xushanpu123/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/semver-parser-0.7.0/src/common.rs /home/xushanpu123/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/semver-parser-0.7.0/src/recognize.rs
/mnt/e/myrcore/lab_code/lab4_code1/os/target/debug/deps/libsemver_parser-9e846b437b1ac09f.rlib: /home/xushanpu123/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/semver-parser-0.7.0/src/lib.rs /home/xushanpu123/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/semver-parser-0.7.0/src/version.rs /home/xushanpu123/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/semver-parser-0.7.0/src/range.rs /home/xushanpu123/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/semver-parser-0.7.0/src/common.rs /home/xushanpu123/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/semver-parser-0.7.0/src/recognize.rs
/mnt/e/myrcore/lab_code/lab4_code1/os/target/debug/deps/semver_parser-9e846b437b1ac09f.d: /home/xushanpu123/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/semver-parser-0.7.0/src/lib.rs /home/xushanpu123/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/semver-parser-0.7.0/src/version.rs /home/xushanpu123/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/semver-parser-0.7.0/src/range.rs /home/xushanpu123/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/semver-parser-0.7.0/src/common.rs /home/xushanpu123/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/semver-parser-0.7.0/src/recognize.rs
/home/xushanpu123/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/semver-parser-0.7.0/src/lib.rs:
/home/xushanpu123/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/semver-parser-0.7.0/src/version.rs:
/home/xushanpu123/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/semver-parser-0.7.0/src/range.rs:
/home/xushanpu123/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/semver-parser-0.7.0/src/common.rs:
/home/xushanpu123/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/semver-parser-0.7.0/src/recognize.rs:
| D |
/**
* TypeInfo support code.
*
* Copyright: Copyright Digital Mars 2004 - 2009.
* License: <a href="http://www.boost.org/LICENSE_1_0.txt">Boost License 1.0</a>.
* Authors: Walter Bright
*/
/* Copyright Digital Mars 2004 - 2009.
* Distributed under the Boost Software License, Version 1.0.
* (See accompanying file LICENSE_1_0.txt or copy at
* http://www.boost.org/LICENSE_1_0.txt)
*/
module rt.typeinfo.ti_Acdouble;
private import rt.typeinfo.ti_cdouble;
private import rt.util.hash;
// cdouble[]
class TypeInfo_Ar : TypeInfo
{
override string toString() { return "cdouble[]"; }
override hash_t getHash(in void* p)
{ cdouble[] s = *cast(cdouble[]*)p;
return hashOf(s.ptr, s.length * cdouble.sizeof);
}
override equals_t equals(in void* p1, in void* p2)
{
cdouble[] s1 = *cast(cdouble[]*)p1;
cdouble[] s2 = *cast(cdouble[]*)p2;
size_t len = s1.length;
if (len != s2.length)
return false;
for (size_t u = 0; u < len; u++)
{
if (!TypeInfo_r._equals(s1[u], s2[u]))
return false;
}
return true;
}
override int compare(in void* p1, in void* p2)
{
cdouble[] s1 = *cast(cdouble[]*)p1;
cdouble[] s2 = *cast(cdouble[]*)p2;
size_t len = s1.length;
if (s2.length < len)
len = s2.length;
for (size_t u = 0; u < len; u++)
{
int c = TypeInfo_r._compare(s1[u], s2[u]);
if (c)
return c;
}
if (s1.length < s2.length)
return -1;
else if (s1.length > s2.length)
return 1;
return 0;
}
override size_t tsize()
{
return (cdouble[]).sizeof;
}
override uint flags()
{
return 1;
}
override TypeInfo next()
{
return typeid(cdouble);
}
override size_t talign()
{
return (cdouble[]).alignof;
}
version (X86_64) override int argTypes(out TypeInfo arg1, out TypeInfo arg2)
{
//arg1 = typeid(size_t);
//arg2 = typeid(void*);
return 0;
}
}
| D |
/*
* All content copyright Terracotta, Inc., unless otherwise indicated. All rights reserved.
*
* Licensed under the Apache License, Version 2.0 (the "License"); you may not
* use this file except in compliance with the License. You may obtain a copy
* of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS, WITHOUT
* WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the
* License for the specific language governing permissions and limitations
* under the License.
*
*/
module hunt.quartz.utils.PoolingConnectionProvider;
// import javax.sql.DataSource;
// /**
// * <p>
// * <code>ConnectionProvider</code>s supporting pooling of connections.
// * </p>
// *
// * <p>
// * Implementations must pool connections.
// * </p>
// *
// * @see DBConnectionManager
// * @see ConnectionProvider
// * @author Ludovic Orban
// */
// interface PoolingConnectionProvider : ConnectionProvider {
// /** The pooling provider. */
// string POOLING_PROVIDER = "provider";
// /** The c3p0 pooling provider. */
// string POOLING_PROVIDER_C3P0 = "c3p0";
// /** The Hikari pooling provider. */
// string POOLING_PROVIDER_HIKARICP = "hikaricp";
// /** The JDBC database driver. */
// string DB_DRIVER = "driver";
// /** The JDBC database URL. */
// string DB_URL = "URL";
// /** The database user name. */
// string DB_USER = "user";
// /** The database user password. */
// string DB_PASSWORD = "password";
// /** The maximum number of database connections to have in the pool. Default is 10. */
// string DB_MAX_CONNECTIONS = "maxConnections";
// /**
// * The database sql query to execute every time a connection is returned
// * to the pool to ensure that it is still valid.
// */
// string DB_VALIDATION_QUERY = "validationQuery";
// /** Default maximum number of database connections in the pool. */
// int DEFAULT_DB_MAX_CONNECTIONS = 10;
// DataSource getDataSource();
// }
| D |
module UnrealScript.UTGame.GFxUIView;
import ScriptClasses;
import UnrealScript.Helpers;
import UnrealScript.Engine.LocalPlayer;
import UnrealScript.UDKBase.UDKPlayerController;
import UnrealScript.GFxUI.GFxObject;
extern(C++) interface GFxUIView : GFxObject
{
public extern(D):
private static __gshared ScriptClass mStaticClass;
@property final static ScriptClass StaticClass() { mixin(MGSCC("Class UTGame.GFxUIView")); }
private static __gshared GFxUIView mDefaultProperties;
@property final static GFxUIView DefaultProperties() { mixin(MGDPC("GFxUIView", "GFxUIView UTGame.Default__GFxUIView")); }
static struct Functions
{
private static __gshared
{
ScriptFunction mHasLinkConnection;
ScriptFunction mGetPlayerOwner;
ScriptFunction mGetUDKPlayerOwner;
ScriptFunction mGetPlayerName;
ScriptFunction mIsLoggedIn;
ScriptFunction mGetCommonOptionsURL;
ScriptFunction mGetPlayerIndex;
ScriptFunction mGetPlayerControllerId;
ScriptFunction mConsoleCommand;
}
public @property static final
{
ScriptFunction HasLinkConnection() { mixin(MGF("mHasLinkConnection", "Function UTGame.GFxUIView.HasLinkConnection")); }
ScriptFunction GetPlayerOwner() { mixin(MGF("mGetPlayerOwner", "Function UTGame.GFxUIView.GetPlayerOwner")); }
ScriptFunction GetUDKPlayerOwner() { mixin(MGF("mGetUDKPlayerOwner", "Function UTGame.GFxUIView.GetUDKPlayerOwner")); }
ScriptFunction GetPlayerName() { mixin(MGF("mGetPlayerName", "Function UTGame.GFxUIView.GetPlayerName")); }
ScriptFunction IsLoggedIn() { mixin(MGF("mIsLoggedIn", "Function UTGame.GFxUIView.IsLoggedIn")); }
ScriptFunction GetCommonOptionsURL() { mixin(MGF("mGetCommonOptionsURL", "Function UTGame.GFxUIView.GetCommonOptionsURL")); }
ScriptFunction GetPlayerIndex() { mixin(MGF("mGetPlayerIndex", "Function UTGame.GFxUIView.GetPlayerIndex")); }
ScriptFunction GetPlayerControllerId() { mixin(MGF("mGetPlayerControllerId", "Function UTGame.GFxUIView.GetPlayerControllerId")); }
ScriptFunction ConsoleCommand() { mixin(MGF("mConsoleCommand", "Function UTGame.GFxUIView.ConsoleCommand")); }
}
}
static struct Constants
{
enum
{
GS_USERNAME_MAXLENGTH = 15,
GS_PASSWORD_MAXLENGTH = 30,
GS_MESSAGE_MAXLENGTH = 255,
GS_EMAIL_MAXLENGTH = 50,
GS_CDKEY_PART_MAXLENGTH = 4,
CONTEXT_PRESENCE_MENUPRESENCE = 0,
CONTEXT_GAME_MODE = 0x0000800B,
CONTEXT_GAME_MODE_DM = 0,
CONTEXT_GAME_MODE_CTF = 1,
CONTEXT_GAME_MODE_WAR = 2,
CONTEXT_GAME_MODE_VCTF = 3,
CONTEXT_GAME_MODE_TDM = 4,
CONTEXT_GAME_MODE_DUEL = 5,
CONTEXT_GAME_MODE_CUSTOM = 6,
CONTEXT_GAME_MODE_CAMPAIGN = 7,
CONTEXT_MAPNAME = 0,
CONTEXT_LOCKEDSERVER = 1,
CONTEXT_ALLOWKEYBOARD = 2,
CONTEXT_BOTSKILL = 10,
CONTEXT_PURESERVER = 11,
CONTEXT_VSBOTS = 12,
CONTEXT_CAMPAIGN = 13,
CONTEXT_FORCERESPAWN = 14,
CONTEXT_FULLSERVER = 15,
CONTEXT_EMPTYSERVER = 16,
CONTEXT_DEDICATEDSERVER = 17,
CONTEXT_MAPNAME_CUSTOM = 0,
CONTEXT_BOTSKILL_NOVICE = 0,
CONTEXT_BOTSKILL_AVERAGE = 1,
CONTEXT_BOTSKILL_EXPERIENCED = 2,
CONTEXT_BOTSKILL_SKILLED = 3,
CONTEXT_BOTSKILL_ADEPT = 4,
CONTEXT_BOTSKILL_MASTERFUL = 5,
CONTEXT_BOTSKILL_INHUMAN = 6,
CONTEXT_BOTSKILL_GODLIKE = 7,
CONTEXT_GOALSCORE_5 = 0,
CONTEXT_GOALSCORE_10 = 1,
CONTEXT_GOALSCORE_15 = 2,
CONTEXT_GOALSCORE_20 = 3,
CONTEXT_GOALSCORE_30 = 4,
CONTEXT_NUMBOTS_0 = 0,
CONTEXT_NUMBOTS_1 = 1,
CONTEXT_NUMBOTS_2 = 2,
CONTEXT_NUMBOTS_3 = 3,
CONTEXT_NUMBOTS_4 = 4,
CONTEXT_NUMBOTS_5 = 5,
CONTEXT_NUMBOTS_6 = 6,
CONTEXT_NUMBOTS_7 = 7,
CONTEXT_NUMBOTS_8 = 8,
CONTEXT_TIMELIMIT_5 = 0,
CONTEXT_TIMELIMIT_10 = 1,
CONTEXT_TIMELIMIT_15 = 2,
CONTEXT_TIMELIMIT_20 = 3,
CONTEXT_TIMELIMIT_30 = 4,
CONTEXT_PURESERVER_NO = 0,
CONTEXT_PURESERVER_YES = 1,
CONTEXT_PURESERVER_ANY = 2,
CONTEXT_LOCKEDSERVER_NO = 0,
CONTEXT_LOCKEDSERVER_YES = 1,
CONTEXT_CAMPAIGN_NO = 0,
CONTEXT_CAMPAIGN_YES = 1,
CONTEXT_FORCERESPAWN_NO = 0,
CONTEXT_FORCERESPAWN_YES = 1,
CONTEXT_ALLOWKEYBOARD_NO = 0,
CONTEXT_ALLOWKEYBOARD_YES = 1,
CONTEXT_ALLOWKEYBOARD_ANY = 2,
CONTEXT_FULLSERVER_NO = 0,
CONTEXT_FULLSERVER_YES = 1,
CONTEXT_EMPTYSERVER_NO = 0,
CONTEXT_EMPTYSERVER_YES = 1,
CONTEXT_DEDICATEDSERVER_NO = 0,
CONTEXT_DEDICATEDSERVER_YES = 1,
CONTEXT_VSBOTS_NONE = 0,
CONTEXT_VSBOTS_1_TO_2 = 1,
CONTEXT_VSBOTS_1_TO_1 = 2,
CONTEXT_VSBOTS_3_TO_2 = 3,
CONTEXT_VSBOTS_2_TO_1 = 4,
CONTEXT_VSBOTS_3_TO_1 = 5,
CONTEXT_VSBOTS_4_TO_1 = 6,
PROPERTY_NUMBOTS = 0x100000F7,
PROPERTY_TIMELIMIT = 0x1000000A,
PROPERTY_GOALSCORE = 0x1000000B,
PROPERTY_LEADERBOARDRATING = 0x20000004,
PROPERTY_EPICMUTATORS = 0x10000105,
PROPERTY_CUSTOMMAPNAME = 0x40000001,
PROPERTY_CUSTOMGAMEMODE = 0x40000002,
PROPERTY_SERVERDESCRIPTION = 0x40000003,
PROPERTY_CUSTOMMUTATORS = 0x40000004,
QUERY_DM = 0,
QUERY_TDM = 1,
QUERY_CTF = 2,
QUERY_VCTF = 3,
QUERY_WAR = 4,
QUERY_DUEL = 5,
QUERY_CAMPAIGN = 6,
STATS_VIEW_DM_PLAYER_ALLTIME = 1,
STATS_VIEW_DM_RANKED_ALLTIME = 2,
STATS_VIEW_DM_WEAPONS_ALLTIME = 3,
STATS_VIEW_DM_VEHICLES_ALLTIME = 4,
STATS_VIEW_DM_VEHICLEWEAPONS_ALLTIME = 5,
STATS_VIEW_DM_VEHICLES_RANKED_ALLTIME = 6,
STATS_VIEW_DM_VEHICLEWEAPONS_RANKED_ALLTIME = 7,
STATS_VIEW_DM_WEAPONS_RANKED_ALLTIME = 8,
}
}
@property final
{
bool bRequiresNetwork() { mixin(MGBPC(120, 0x1)); }
bool bRequiresNetwork(bool val) { mixin(MSBPC(120, 0x1)); }
}
final:
static bool HasLinkConnection()
{
ubyte params[4];
params[] = 0;
StaticClass.ProcessEvent(Functions.HasLinkConnection, params.ptr, cast(void*)0);
return *cast(bool*)params.ptr;
}
LocalPlayer GetPlayerOwner(int* PlayerIndex = null)
{
ubyte params[8];
params[] = 0;
if (PlayerIndex !is null)
*cast(int*)params.ptr = *PlayerIndex;
(cast(ScriptObject)this).ProcessEvent(Functions.GetPlayerOwner, params.ptr, cast(void*)0);
return *cast(LocalPlayer*)¶ms[4];
}
UDKPlayerController GetUDKPlayerOwner(int* PlayerIndex = null)
{
ubyte params[8];
params[] = 0;
if (PlayerIndex !is null)
*cast(int*)params.ptr = *PlayerIndex;
(cast(ScriptObject)this).ProcessEvent(Functions.GetUDKPlayerOwner, params.ptr, cast(void*)0);
return *cast(UDKPlayerController*)¶ms[4];
}
ScriptString GetPlayerName()
{
ubyte params[12];
params[] = 0;
(cast(ScriptObject)this).ProcessEvent(Functions.GetPlayerName, params.ptr, cast(void*)0);
return *cast(ScriptString*)params.ptr;
}
bool IsLoggedIn(int* ControllerId = null, bool* bRequireOnlineLogin = null)
{
ubyte params[12];
params[] = 0;
if (ControllerId !is null)
*cast(int*)params.ptr = *ControllerId;
if (bRequireOnlineLogin !is null)
*cast(bool*)¶ms[4] = *bRequireOnlineLogin;
(cast(ScriptObject)this).ProcessEvent(Functions.IsLoggedIn, params.ptr, cast(void*)0);
return *cast(bool*)¶ms[8];
}
ScriptString GetCommonOptionsURL()
{
ubyte params[12];
params[] = 0;
(cast(ScriptObject)this).ProcessEvent(Functions.GetCommonOptionsURL, params.ptr, cast(void*)0);
return *cast(ScriptString*)params.ptr;
}
int GetPlayerIndex()
{
ubyte params[4];
params[] = 0;
(cast(ScriptObject)this).ProcessEvent(Functions.GetPlayerIndex, params.ptr, cast(void*)0);
return *cast(int*)params.ptr;
}
int GetPlayerControllerId(int PlayerIndex)
{
ubyte params[8];
params[] = 0;
*cast(int*)params.ptr = PlayerIndex;
(cast(ScriptObject)this).ProcessEvent(Functions.GetPlayerControllerId, params.ptr, cast(void*)0);
return *cast(int*)¶ms[4];
}
void ConsoleCommand(ScriptString Cmd, bool* bWriteToLog = null)
{
ubyte params[16];
params[] = 0;
*cast(ScriptString*)params.ptr = Cmd;
if (bWriteToLog !is null)
*cast(bool*)¶ms[12] = *bWriteToLog;
(cast(ScriptObject)this).ProcessEvent(Functions.ConsoleCommand, params.ptr, cast(void*)0);
}
}
| D |
PLONG PLAT ED95 KD LOMAGAGE HIMAGAGE SLAT SLONG RESULTNO DP DM WT ROCKTYPE
298.700012 68.4000015 2.9000001 130.600006 23 28 -38.4000015 144.300003 138 4.80000019 4.80000019 0.790742332 sediments, limestone
260 78 9 25 22 25 -27 152.199997 1858 8 12 0.917635106 extrusives, intrusives
294.799988 74.1999969 3.0999999 38.2000008 20 25 -28.2000008 153 1970 4.0999999 4.0999999 0.789435431 extrusives, basalts
288.799988 81.1999969 3.4000001 140 16 29 -29 115 1939 4.5 4.5 0.641165285 sediments
290.899994 77.4000015 4.0999999 0 20 25 -30 150 1925 4.0999999 4.0999999 0.781666779 extrusives, basalts
| D |
instance Mil_310_Stadtwache (Npc_Default)
{
// ------ NSC ------
name = NAME_Stadtwache;
guild = GIL_MIL;
id = 310;
voice = 7;
flags = NPC_FLAG_IMMORTAL;
npctype = NPCTYPE_MAIN;
// ------ Aivars ------
aivar[AIV_NewsOverride] = TRUE;
// ------ Attribute ------
B_SetAttributesToChapter (self, 6);
// ------ Kampf-Taktik ------
fight_tactic = FAI_HUMAN_MASTER;
// ------ Equippte Waffen ------
EquipItem (self, ItMw_1h_Mil_Sword);
// ------ Inventory ------
B_CreateAmbientInv (self);
// ------ visuals ------
B_SetNpcVisual (self, MALE, "Hum_Head_Psionic", Face_N_Raven, BodyTex_N, ITAR_MIL_L);
Mdl_SetModelFatness (self, 1);
Mdl_ApplyOverlayMds (self, "Humans_Militia.mds");
// ------ NSC-relevante Talente vergeben ------
B_GiveNpcTalents (self);
// ------ Kampf-Talente ------
B_SetFightSkills (self, 50);
// ------ TA anmelden ------
daily_routine = Rtn_Start_310;
};
FUNC VOID Rtn_Start_310 ()
{
TA_Guard_Passage (08,00,22,00,"NW_CITY_ENTRANCE_GUARD_02");
TA_Guard_Passage (22,00,08,00,"NW_CITY_ENTRANCE_GUARD_02");
};
| D |
/Users/thendral/POC/vapor/Friends/.build/debug/JSON.build/JSON+Bytes.swift.o : /Users/thendral/POC/vapor/Friends/Packages/JSON-1.0.6/Sources/JSON/File.swift /Users/thendral/POC/vapor/Friends/Packages/JSON-1.0.6/Sources/JSON/JSON+Bytes.swift /Users/thendral/POC/vapor/Friends/Packages/JSON-1.0.6/Sources/JSON/JSON+Equatable.swift /Users/thendral/POC/vapor/Friends/Packages/JSON-1.0.6/Sources/JSON/JSON+Node.swift /Users/thendral/POC/vapor/Friends/Packages/JSON-1.0.6/Sources/JSON/JSON+Parse.swift /Users/thendral/POC/vapor/Friends/Packages/JSON-1.0.6/Sources/JSON/JSON+Serialize.swift /Users/thendral/POC/vapor/Friends/Packages/JSON-1.0.6/Sources/JSON/JSON.swift /Users/thendral/POC/vapor/Friends/Packages/JSON-1.0.6/Sources/JSON/JSONRepresentable.swift /Users/thendral/POC/vapor/Friends/Packages/JSON-1.0.6/Sources/JSON/Sequence+Convertible.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/thendral/POC/vapor/Friends/.build/debug/Node.swiftmodule /Users/thendral/POC/vapor/Friends/.build/debug/PathIndexable.swiftmodule /Users/thendral/POC/vapor/Friends/.build/debug/Polymorphic.swiftmodule /Users/thendral/POC/vapor/Friends/.build/debug/Core.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Users/thendral/POC/vapor/Friends/.build/debug/libc.swiftmodule /Users/thendral/POC/vapor/Friends/.build/debug/Jay.swiftmodule
/Users/thendral/POC/vapor/Friends/.build/debug/JSON.build/JSON+Bytes~partial.swiftmodule : /Users/thendral/POC/vapor/Friends/Packages/JSON-1.0.6/Sources/JSON/File.swift /Users/thendral/POC/vapor/Friends/Packages/JSON-1.0.6/Sources/JSON/JSON+Bytes.swift /Users/thendral/POC/vapor/Friends/Packages/JSON-1.0.6/Sources/JSON/JSON+Equatable.swift /Users/thendral/POC/vapor/Friends/Packages/JSON-1.0.6/Sources/JSON/JSON+Node.swift /Users/thendral/POC/vapor/Friends/Packages/JSON-1.0.6/Sources/JSON/JSON+Parse.swift /Users/thendral/POC/vapor/Friends/Packages/JSON-1.0.6/Sources/JSON/JSON+Serialize.swift /Users/thendral/POC/vapor/Friends/Packages/JSON-1.0.6/Sources/JSON/JSON.swift /Users/thendral/POC/vapor/Friends/Packages/JSON-1.0.6/Sources/JSON/JSONRepresentable.swift /Users/thendral/POC/vapor/Friends/Packages/JSON-1.0.6/Sources/JSON/Sequence+Convertible.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/thendral/POC/vapor/Friends/.build/debug/Node.swiftmodule /Users/thendral/POC/vapor/Friends/.build/debug/PathIndexable.swiftmodule /Users/thendral/POC/vapor/Friends/.build/debug/Polymorphic.swiftmodule /Users/thendral/POC/vapor/Friends/.build/debug/Core.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Users/thendral/POC/vapor/Friends/.build/debug/libc.swiftmodule /Users/thendral/POC/vapor/Friends/.build/debug/Jay.swiftmodule
/Users/thendral/POC/vapor/Friends/.build/debug/JSON.build/JSON+Bytes~partial.swiftdoc : /Users/thendral/POC/vapor/Friends/Packages/JSON-1.0.6/Sources/JSON/File.swift /Users/thendral/POC/vapor/Friends/Packages/JSON-1.0.6/Sources/JSON/JSON+Bytes.swift /Users/thendral/POC/vapor/Friends/Packages/JSON-1.0.6/Sources/JSON/JSON+Equatable.swift /Users/thendral/POC/vapor/Friends/Packages/JSON-1.0.6/Sources/JSON/JSON+Node.swift /Users/thendral/POC/vapor/Friends/Packages/JSON-1.0.6/Sources/JSON/JSON+Parse.swift /Users/thendral/POC/vapor/Friends/Packages/JSON-1.0.6/Sources/JSON/JSON+Serialize.swift /Users/thendral/POC/vapor/Friends/Packages/JSON-1.0.6/Sources/JSON/JSON.swift /Users/thendral/POC/vapor/Friends/Packages/JSON-1.0.6/Sources/JSON/JSONRepresentable.swift /Users/thendral/POC/vapor/Friends/Packages/JSON-1.0.6/Sources/JSON/Sequence+Convertible.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/thendral/POC/vapor/Friends/.build/debug/Node.swiftmodule /Users/thendral/POC/vapor/Friends/.build/debug/PathIndexable.swiftmodule /Users/thendral/POC/vapor/Friends/.build/debug/Polymorphic.swiftmodule /Users/thendral/POC/vapor/Friends/.build/debug/Core.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Users/thendral/POC/vapor/Friends/.build/debug/libc.swiftmodule /Users/thendral/POC/vapor/Friends/.build/debug/Jay.swiftmodule
| D |
/Users/petercernak/vapor/TILApp/Build/Intermediates.noindex/TILApp.build/Debug/Fluent.build/Objects-normal/x86_64/AnyModel.o : /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Model/ID.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Schema/SchemaSupporting+CRUD.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Model/Model+CRUD.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/QueryBuilder/QueryBuilder+CRUD.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Utilities/Deprecated.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Service/MigrateCommand.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Service/RevertCommand.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/QueryBuilder/QueryBuilder+Decode.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/QueryBuilder/QueryBuilder+Range.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Model/SoftDeletable.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/QueryBuilder/QueryBuilder+Aggregate.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Migration/MigrationConfig.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Schema/SchemaSupporting.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Join/JoinSupporting.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Migration/MigrationSupporting.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Transaction/TransactionSupporting.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Query/QuerySupporting.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Migration/MigrationLog.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/QueryBuilder/QueryBuilder+Model.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Model/Model.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Model/AnyModel.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Relations/Children.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Join/QueryBuilder+Join.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Schema/SchemaSupporting+Migration.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Migration/Migration.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Migration/AnyMigration.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/QueryBuilder/QueryBuilder+Run.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Service/FluentProvider.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Schema/SchemaBuilder.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/QueryBuilder/QueryBuilder.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Schema/SchemaUpdater.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/QueryBuilder/QueryBuilder+Filter.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Utilities/FluentError.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Schema/SchemaCreator.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Schema/DatabasesConfig+References.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Relations/Siblings.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Migration/Migrations.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Migration/AnyMigrations.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/QueryBuilder/QueryBuilder+Operators.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Utilities/Exports.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Relations/Parent.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Service/CommandConfig+Fluent.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Cache/KeyedCacheSupporting+Fluent.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Database/DatabaseConnection+Fluent.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Model/ModelEvent.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Model/Pivot.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/QueryBuilder/QueryBuilder+Sort.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Cache/CacheEntry.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Query/FluentProperty.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Users/petercernak/vapor/TILApp/Build/Products/Debug/NIO.framework/Modules/NIO.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Async.framework/Modules/Async.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Command.framework/Modules/Command.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Service.framework/Modules/Service.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Console.framework/Modules/Console.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Core.framework/Modules/Core.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Logging.framework/Modules/Logging.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Debugging.framework/Modules/Debugging.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/COperatingSystem.framework/Modules/COperatingSystem.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/NIOConcurrencyHelpers.framework/Modules/NIOConcurrencyHelpers.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Bits.framework/Modules/Bits.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/NIOFoundationCompat.framework/Modules/NIOFoundationCompat.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/DatabaseKit.framework/Modules/DatabaseKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/petercernak/vapor/TILApp/.build/checkouts/swift-nio.git--2128188973977302459/Sources/CNIOAtomics/include/cpp_magic.h /Users/petercernak/vapor/TILApp/.build/checkouts/swift-nio.git--2128188973977302459/Sources/CNIODarwin/include/c_nio_darwin.h /Users/petercernak/vapor/TILApp/.build/checkouts/swift-nio.git--2128188973977302459/Sources/CNIOAtomics/include/c-atomics.h /Users/petercernak/vapor/TILApp/.build/checkouts/swift-nio.git--2128188973977302459/Sources/CNIOLinux/include/c_nio_linux.h /Users/petercernak/vapor/TILApp/TILApp.xcodeproj/GeneratedModuleMap/CNIOSHA1/module.modulemap /Users/petercernak/vapor/TILApp/.build/checkouts/swift-nio-zlib-support.git--6538424668019974428/module.modulemap /Users/petercernak/vapor/TILApp/TILApp.xcodeproj/GeneratedModuleMap/CNIODarwin/module.modulemap /Users/petercernak/vapor/TILApp/TILApp.xcodeproj/GeneratedModuleMap/CNIOAtomics/module.modulemap /Users/petercernak/vapor/TILApp/TILApp.xcodeproj/GeneratedModuleMap/CNIOLinux/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/petercernak/vapor/TILApp/Build/Intermediates.noindex/TILApp.build/Debug/Fluent.build/Objects-normal/x86_64/AnyModel~partial.swiftmodule : /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Model/ID.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Schema/SchemaSupporting+CRUD.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Model/Model+CRUD.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/QueryBuilder/QueryBuilder+CRUD.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Utilities/Deprecated.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Service/MigrateCommand.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Service/RevertCommand.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/QueryBuilder/QueryBuilder+Decode.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/QueryBuilder/QueryBuilder+Range.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Model/SoftDeletable.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/QueryBuilder/QueryBuilder+Aggregate.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Migration/MigrationConfig.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Schema/SchemaSupporting.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Join/JoinSupporting.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Migration/MigrationSupporting.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Transaction/TransactionSupporting.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Query/QuerySupporting.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Migration/MigrationLog.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/QueryBuilder/QueryBuilder+Model.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Model/Model.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Model/AnyModel.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Relations/Children.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Join/QueryBuilder+Join.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Schema/SchemaSupporting+Migration.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Migration/Migration.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Migration/AnyMigration.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/QueryBuilder/QueryBuilder+Run.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Service/FluentProvider.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Schema/SchemaBuilder.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/QueryBuilder/QueryBuilder.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Schema/SchemaUpdater.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/QueryBuilder/QueryBuilder+Filter.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Utilities/FluentError.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Schema/SchemaCreator.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Schema/DatabasesConfig+References.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Relations/Siblings.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Migration/Migrations.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Migration/AnyMigrations.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/QueryBuilder/QueryBuilder+Operators.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Utilities/Exports.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Relations/Parent.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Service/CommandConfig+Fluent.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Cache/KeyedCacheSupporting+Fluent.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Database/DatabaseConnection+Fluent.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Model/ModelEvent.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Model/Pivot.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/QueryBuilder/QueryBuilder+Sort.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Cache/CacheEntry.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Query/FluentProperty.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Users/petercernak/vapor/TILApp/Build/Products/Debug/NIO.framework/Modules/NIO.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Async.framework/Modules/Async.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Command.framework/Modules/Command.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Service.framework/Modules/Service.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Console.framework/Modules/Console.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Core.framework/Modules/Core.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Logging.framework/Modules/Logging.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Debugging.framework/Modules/Debugging.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/COperatingSystem.framework/Modules/COperatingSystem.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/NIOConcurrencyHelpers.framework/Modules/NIOConcurrencyHelpers.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Bits.framework/Modules/Bits.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/NIOFoundationCompat.framework/Modules/NIOFoundationCompat.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/DatabaseKit.framework/Modules/DatabaseKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/petercernak/vapor/TILApp/.build/checkouts/swift-nio.git--2128188973977302459/Sources/CNIOAtomics/include/cpp_magic.h /Users/petercernak/vapor/TILApp/.build/checkouts/swift-nio.git--2128188973977302459/Sources/CNIODarwin/include/c_nio_darwin.h /Users/petercernak/vapor/TILApp/.build/checkouts/swift-nio.git--2128188973977302459/Sources/CNIOAtomics/include/c-atomics.h /Users/petercernak/vapor/TILApp/.build/checkouts/swift-nio.git--2128188973977302459/Sources/CNIOLinux/include/c_nio_linux.h /Users/petercernak/vapor/TILApp/TILApp.xcodeproj/GeneratedModuleMap/CNIOSHA1/module.modulemap /Users/petercernak/vapor/TILApp/.build/checkouts/swift-nio-zlib-support.git--6538424668019974428/module.modulemap /Users/petercernak/vapor/TILApp/TILApp.xcodeproj/GeneratedModuleMap/CNIODarwin/module.modulemap /Users/petercernak/vapor/TILApp/TILApp.xcodeproj/GeneratedModuleMap/CNIOAtomics/module.modulemap /Users/petercernak/vapor/TILApp/TILApp.xcodeproj/GeneratedModuleMap/CNIOLinux/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/petercernak/vapor/TILApp/Build/Intermediates.noindex/TILApp.build/Debug/Fluent.build/Objects-normal/x86_64/AnyModel~partial.swiftdoc : /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Model/ID.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Schema/SchemaSupporting+CRUD.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Model/Model+CRUD.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/QueryBuilder/QueryBuilder+CRUD.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Utilities/Deprecated.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Service/MigrateCommand.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Service/RevertCommand.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/QueryBuilder/QueryBuilder+Decode.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/QueryBuilder/QueryBuilder+Range.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Model/SoftDeletable.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/QueryBuilder/QueryBuilder+Aggregate.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Migration/MigrationConfig.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Schema/SchemaSupporting.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Join/JoinSupporting.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Migration/MigrationSupporting.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Transaction/TransactionSupporting.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Query/QuerySupporting.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Migration/MigrationLog.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/QueryBuilder/QueryBuilder+Model.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Model/Model.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Model/AnyModel.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Relations/Children.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Join/QueryBuilder+Join.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Schema/SchemaSupporting+Migration.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Migration/Migration.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Migration/AnyMigration.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/QueryBuilder/QueryBuilder+Run.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Service/FluentProvider.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Schema/SchemaBuilder.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/QueryBuilder/QueryBuilder.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Schema/SchemaUpdater.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/QueryBuilder/QueryBuilder+Filter.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Utilities/FluentError.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Schema/SchemaCreator.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Schema/DatabasesConfig+References.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Relations/Siblings.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Migration/Migrations.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Migration/AnyMigrations.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/QueryBuilder/QueryBuilder+Operators.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Utilities/Exports.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Relations/Parent.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Service/CommandConfig+Fluent.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Cache/KeyedCacheSupporting+Fluent.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Database/DatabaseConnection+Fluent.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Model/ModelEvent.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Model/Pivot.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/QueryBuilder/QueryBuilder+Sort.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Cache/CacheEntry.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/Fluent/Query/FluentProperty.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Users/petercernak/vapor/TILApp/Build/Products/Debug/NIO.framework/Modules/NIO.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Async.framework/Modules/Async.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Command.framework/Modules/Command.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Service.framework/Modules/Service.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Console.framework/Modules/Console.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Core.framework/Modules/Core.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Logging.framework/Modules/Logging.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Debugging.framework/Modules/Debugging.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/COperatingSystem.framework/Modules/COperatingSystem.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/NIOConcurrencyHelpers.framework/Modules/NIOConcurrencyHelpers.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Bits.framework/Modules/Bits.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/NIOFoundationCompat.framework/Modules/NIOFoundationCompat.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/DatabaseKit.framework/Modules/DatabaseKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/petercernak/vapor/TILApp/.build/checkouts/swift-nio.git--2128188973977302459/Sources/CNIOAtomics/include/cpp_magic.h /Users/petercernak/vapor/TILApp/.build/checkouts/swift-nio.git--2128188973977302459/Sources/CNIODarwin/include/c_nio_darwin.h /Users/petercernak/vapor/TILApp/.build/checkouts/swift-nio.git--2128188973977302459/Sources/CNIOAtomics/include/c-atomics.h /Users/petercernak/vapor/TILApp/.build/checkouts/swift-nio.git--2128188973977302459/Sources/CNIOLinux/include/c_nio_linux.h /Users/petercernak/vapor/TILApp/TILApp.xcodeproj/GeneratedModuleMap/CNIOSHA1/module.modulemap /Users/petercernak/vapor/TILApp/.build/checkouts/swift-nio-zlib-support.git--6538424668019974428/module.modulemap /Users/petercernak/vapor/TILApp/TILApp.xcodeproj/GeneratedModuleMap/CNIODarwin/module.modulemap /Users/petercernak/vapor/TILApp/TILApp.xcodeproj/GeneratedModuleMap/CNIOAtomics/module.modulemap /Users/petercernak/vapor/TILApp/TILApp.xcodeproj/GeneratedModuleMap/CNIOLinux/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
| D |
; Copyright (C) 2008 The Android Open Source Project
;
; Licensed under the Apache License, Version 2.0 (the "License");
; you may not use this file except in compliance with the License.
; You may obtain a copy of the License at
;
; http://www.apache.org/licenses/LICENSE-2.0
;
; Unless required by applicable law or agreed to in writing, software
; distributed under the License is distributed on an "AS IS" BASIS,
; WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
; See the License for the specific language governing permissions and
; limitations under the License.
.source T_aget_object_7.java
.class public dot.junit.opcodes.aget_object.d.T_aget_object_7
.super java/lang/Object
.method public <init>()V
.limit regs 1
invoke-direct {v0}, java/lang/Object/<init>()V
return-void
.end method
.method public run([Ljava/lang/String;I)Ljava/lang/String;
.limit regs 9
aget-object v0, v7, v6
return-object v0
.end method
| D |
/Users/zwelithinimathebula/Documents/Project/Yookos/build/Yookos.build/Release-iphoneos/Yookos.build/Objects-normal/armv7/HelpCentre.o : /Users/zwelithinimathebula/Documents/Project/Yookos/Yookos/ViewController.swift /Users/zwelithinimathebula/Documents/Project/Yookos/Yookos/ExtentionsMethods.swift /Users/zwelithinimathebula/Documents/Project/Yookos/Yookos/HttpRequest.swift /Users/zwelithinimathebula/Documents/Project/Yookos/Yookos/LoginTerms.swift /Users/zwelithinimathebula/Documents/Project/Yookos/Yookos/AppDelegate.swift /Users/zwelithinimathebula/Documents/Project/Yookos/Yookos/FAIcon.swift /Users/zwelithinimathebula/Documents/Project/Yookos/Yookos/Profile.swift /Users/zwelithinimathebula/Documents/Project/Yookos/Yookos/MyProtocol.swift /Users/zwelithinimathebula/Documents/Project/Yookos/Yookos/Services.swift /Users/zwelithinimathebula/Documents/Project/Yookos/Yookos/LocationManager.swift /Users/zwelithinimathebula/Documents/Project/Yookos/Yookos/OnBoardingTableVIew.swift /Users/zwelithinimathebula/Documents/Project/Yookos/Yookos/SignUpStepTwoView.swift /Users/zwelithinimathebula/Documents/Project/Yookos/Yookos/SignUpViewController.swift /Users/zwelithinimathebula/Documents/Project/Yookos/Yookos/OnboardingCell.swift /Users/zwelithinimathebula/Documents/Project/Yookos/Yookos/HelpCentre.swift /Users/zwelithinimathebula/Documents/Project/Yookos/Yookos/VerificationView.swift /Users/zwelithinimathebula/Documents/Project/Yookos/Yookos/loginViewController.swift /Users/zwelithinimathebula/Documents/Project/Yookos/Yookos/TermsNConditions.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/Swift.swiftmodule /Users/zwelithinimathebula/Documents/Project/Yookos/Yookos/FBBridging-Header.h ./Bolts.framework/Headers/BFWebViewAppLinkResolver.h ./Bolts.framework/Headers/BFURL.h ./Bolts.framework/Headers/BFMeasurementEvent.h ./Bolts.framework/Headers/BFAppLinkTarget.h ./Bolts.framework/Headers/BFAppLinkReturnToRefererView.h ./Bolts.framework/Headers/BFAppLinkReturnToRefererController.h ./Bolts.framework/Headers/BFAppLinkResolving.h ./Bolts.framework/Headers/BFAppLinkNavigation.h ./Bolts.framework/Headers/BFAppLink.h ./Bolts.framework/Headers/BFTaskCompletionSource.h ./Bolts.framework/Headers/BFTask.h ./Bolts.framework/Headers/BFExecutor.h ./Bolts.framework/Headers/BFCancellationTokenSource.h ./Bolts.framework/Headers/BFCancellationTokenRegistration.h ./Bolts.framework/Headers/BFCancellationToken.h ./Bolts.framework/Headers/BoltsVersion.h ./Bolts.framework/Headers/Bolts.h ./Bolts.framework/Modules/module.modulemap ./FBSDKCoreKit.framework/Headers/FBSDKProfilePictureView.h ./FBSDKCoreKit.framework/Headers/FBSDKProfile.h ./FBSDKCoreKit.framework/Headers/FBSDKMutableCopying.h ./FBSDKCoreKit.framework/Headers/FBSDKGraphErrorRecoveryProcessor.h ./FBSDKCoreKit.framework/Headers/FBSDKAppLinkUtility.h /Users/zwelithinimathebula/Documents/Project/Yookos/Bolts.framework/Modules/module.modulemap ./FBSDKCoreKit.framework/Headers/FBSDKAppLinkResolver.h ./FBSDKCoreKit.framework/Headers/FBSDKUtility.h ./FBSDKCoreKit.framework/Headers/FBSDKTestUsersManager.h ./FBSDKCoreKit.framework/Headers/FBSDKSettings.h ./FBSDKCoreKit.framework/Headers/FBSDKGraphRequestDataAttachment.h ./FBSDKCoreKit.framework/Headers/FBSDKGraphRequest.h ./FBSDKCoreKit.framework/Headers/FBSDKConstants.h ./FBSDKCoreKit.framework/Headers/FBSDKButton.h ./FBSDKCoreKit.framework/Headers/FBSDKApplicationDelegate.h ./FBSDKCoreKit.framework/Headers/FBSDKAppEvents.h ./FBSDKCoreKit.framework/Headers/FBSDKMacros.h ./FBSDKCoreKit.framework/Headers/FBSDKGraphRequestConnection.h ./FBSDKCoreKit.framework/Headers/FBSDKCopying.h ./FBSDKCoreKit.framework/Headers/FBSDKAccessToken.h ./FBSDKCoreKit.framework/Headers/FBSDKCoreKit.h ./FBSDKCoreKit.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/CoreImage.swiftmodule ./FBSDKLoginKit.framework/Headers/FBSDKLoginTooltipView.h ./FBSDKLoginKit.framework/Headers/FBSDKLoginManagerLoginResult.h ./FBSDKLoginKit.framework/Headers/FBSDKLoginConstants.h ./FBSDKLoginKit.framework/Headers/FBSDKTooltipView.h ./FBSDKLoginKit.framework/Headers/FBSDKLoginManager.h /Users/zwelithinimathebula/Documents/Project/Yookos/FBSDKCoreKit.framework/Modules/module.modulemap ./FBSDKLoginKit.framework/Headers/FBSDKLoginButton.h ./FBSDKLoginKit.framework/Headers/FBSDKLoginKit.h ./FBSDKLoginKit.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/CoreLocation.swiftmodule
/Users/zwelithinimathebula/Documents/Project/Yookos/build/Yookos.build/Release-iphoneos/Yookos.build/Objects-normal/armv7/HelpCentre~partial.swiftmodule : /Users/zwelithinimathebula/Documents/Project/Yookos/Yookos/ViewController.swift /Users/zwelithinimathebula/Documents/Project/Yookos/Yookos/ExtentionsMethods.swift /Users/zwelithinimathebula/Documents/Project/Yookos/Yookos/HttpRequest.swift /Users/zwelithinimathebula/Documents/Project/Yookos/Yookos/LoginTerms.swift /Users/zwelithinimathebula/Documents/Project/Yookos/Yookos/AppDelegate.swift /Users/zwelithinimathebula/Documents/Project/Yookos/Yookos/FAIcon.swift /Users/zwelithinimathebula/Documents/Project/Yookos/Yookos/Profile.swift /Users/zwelithinimathebula/Documents/Project/Yookos/Yookos/MyProtocol.swift /Users/zwelithinimathebula/Documents/Project/Yookos/Yookos/Services.swift /Users/zwelithinimathebula/Documents/Project/Yookos/Yookos/LocationManager.swift /Users/zwelithinimathebula/Documents/Project/Yookos/Yookos/OnBoardingTableVIew.swift /Users/zwelithinimathebula/Documents/Project/Yookos/Yookos/SignUpStepTwoView.swift /Users/zwelithinimathebula/Documents/Project/Yookos/Yookos/SignUpViewController.swift /Users/zwelithinimathebula/Documents/Project/Yookos/Yookos/OnboardingCell.swift /Users/zwelithinimathebula/Documents/Project/Yookos/Yookos/HelpCentre.swift /Users/zwelithinimathebula/Documents/Project/Yookos/Yookos/VerificationView.swift /Users/zwelithinimathebula/Documents/Project/Yookos/Yookos/loginViewController.swift /Users/zwelithinimathebula/Documents/Project/Yookos/Yookos/TermsNConditions.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/Swift.swiftmodule /Users/zwelithinimathebula/Documents/Project/Yookos/Yookos/FBBridging-Header.h ./Bolts.framework/Headers/BFWebViewAppLinkResolver.h ./Bolts.framework/Headers/BFURL.h ./Bolts.framework/Headers/BFMeasurementEvent.h ./Bolts.framework/Headers/BFAppLinkTarget.h ./Bolts.framework/Headers/BFAppLinkReturnToRefererView.h ./Bolts.framework/Headers/BFAppLinkReturnToRefererController.h ./Bolts.framework/Headers/BFAppLinkResolving.h ./Bolts.framework/Headers/BFAppLinkNavigation.h ./Bolts.framework/Headers/BFAppLink.h ./Bolts.framework/Headers/BFTaskCompletionSource.h ./Bolts.framework/Headers/BFTask.h ./Bolts.framework/Headers/BFExecutor.h ./Bolts.framework/Headers/BFCancellationTokenSource.h ./Bolts.framework/Headers/BFCancellationTokenRegistration.h ./Bolts.framework/Headers/BFCancellationToken.h ./Bolts.framework/Headers/BoltsVersion.h ./Bolts.framework/Headers/Bolts.h ./Bolts.framework/Modules/module.modulemap ./FBSDKCoreKit.framework/Headers/FBSDKProfilePictureView.h ./FBSDKCoreKit.framework/Headers/FBSDKProfile.h ./FBSDKCoreKit.framework/Headers/FBSDKMutableCopying.h ./FBSDKCoreKit.framework/Headers/FBSDKGraphErrorRecoveryProcessor.h ./FBSDKCoreKit.framework/Headers/FBSDKAppLinkUtility.h /Users/zwelithinimathebula/Documents/Project/Yookos/Bolts.framework/Modules/module.modulemap ./FBSDKCoreKit.framework/Headers/FBSDKAppLinkResolver.h ./FBSDKCoreKit.framework/Headers/FBSDKUtility.h ./FBSDKCoreKit.framework/Headers/FBSDKTestUsersManager.h ./FBSDKCoreKit.framework/Headers/FBSDKSettings.h ./FBSDKCoreKit.framework/Headers/FBSDKGraphRequestDataAttachment.h ./FBSDKCoreKit.framework/Headers/FBSDKGraphRequest.h ./FBSDKCoreKit.framework/Headers/FBSDKConstants.h ./FBSDKCoreKit.framework/Headers/FBSDKButton.h ./FBSDKCoreKit.framework/Headers/FBSDKApplicationDelegate.h ./FBSDKCoreKit.framework/Headers/FBSDKAppEvents.h ./FBSDKCoreKit.framework/Headers/FBSDKMacros.h ./FBSDKCoreKit.framework/Headers/FBSDKGraphRequestConnection.h ./FBSDKCoreKit.framework/Headers/FBSDKCopying.h ./FBSDKCoreKit.framework/Headers/FBSDKAccessToken.h ./FBSDKCoreKit.framework/Headers/FBSDKCoreKit.h ./FBSDKCoreKit.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/CoreImage.swiftmodule ./FBSDKLoginKit.framework/Headers/FBSDKLoginTooltipView.h ./FBSDKLoginKit.framework/Headers/FBSDKLoginManagerLoginResult.h ./FBSDKLoginKit.framework/Headers/FBSDKLoginConstants.h ./FBSDKLoginKit.framework/Headers/FBSDKTooltipView.h ./FBSDKLoginKit.framework/Headers/FBSDKLoginManager.h /Users/zwelithinimathebula/Documents/Project/Yookos/FBSDKCoreKit.framework/Modules/module.modulemap ./FBSDKLoginKit.framework/Headers/FBSDKLoginButton.h ./FBSDKLoginKit.framework/Headers/FBSDKLoginKit.h ./FBSDKLoginKit.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/CoreLocation.swiftmodule
/Users/zwelithinimathebula/Documents/Project/Yookos/build/Yookos.build/Release-iphoneos/Yookos.build/Objects-normal/armv7/HelpCentre~partial.swiftdoc : /Users/zwelithinimathebula/Documents/Project/Yookos/Yookos/ViewController.swift /Users/zwelithinimathebula/Documents/Project/Yookos/Yookos/ExtentionsMethods.swift /Users/zwelithinimathebula/Documents/Project/Yookos/Yookos/HttpRequest.swift /Users/zwelithinimathebula/Documents/Project/Yookos/Yookos/LoginTerms.swift /Users/zwelithinimathebula/Documents/Project/Yookos/Yookos/AppDelegate.swift /Users/zwelithinimathebula/Documents/Project/Yookos/Yookos/FAIcon.swift /Users/zwelithinimathebula/Documents/Project/Yookos/Yookos/Profile.swift /Users/zwelithinimathebula/Documents/Project/Yookos/Yookos/MyProtocol.swift /Users/zwelithinimathebula/Documents/Project/Yookos/Yookos/Services.swift /Users/zwelithinimathebula/Documents/Project/Yookos/Yookos/LocationManager.swift /Users/zwelithinimathebula/Documents/Project/Yookos/Yookos/OnBoardingTableVIew.swift /Users/zwelithinimathebula/Documents/Project/Yookos/Yookos/SignUpStepTwoView.swift /Users/zwelithinimathebula/Documents/Project/Yookos/Yookos/SignUpViewController.swift /Users/zwelithinimathebula/Documents/Project/Yookos/Yookos/OnboardingCell.swift /Users/zwelithinimathebula/Documents/Project/Yookos/Yookos/HelpCentre.swift /Users/zwelithinimathebula/Documents/Project/Yookos/Yookos/VerificationView.swift /Users/zwelithinimathebula/Documents/Project/Yookos/Yookos/loginViewController.swift /Users/zwelithinimathebula/Documents/Project/Yookos/Yookos/TermsNConditions.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/Swift.swiftmodule /Users/zwelithinimathebula/Documents/Project/Yookos/Yookos/FBBridging-Header.h ./Bolts.framework/Headers/BFWebViewAppLinkResolver.h ./Bolts.framework/Headers/BFURL.h ./Bolts.framework/Headers/BFMeasurementEvent.h ./Bolts.framework/Headers/BFAppLinkTarget.h ./Bolts.framework/Headers/BFAppLinkReturnToRefererView.h ./Bolts.framework/Headers/BFAppLinkReturnToRefererController.h ./Bolts.framework/Headers/BFAppLinkResolving.h ./Bolts.framework/Headers/BFAppLinkNavigation.h ./Bolts.framework/Headers/BFAppLink.h ./Bolts.framework/Headers/BFTaskCompletionSource.h ./Bolts.framework/Headers/BFTask.h ./Bolts.framework/Headers/BFExecutor.h ./Bolts.framework/Headers/BFCancellationTokenSource.h ./Bolts.framework/Headers/BFCancellationTokenRegistration.h ./Bolts.framework/Headers/BFCancellationToken.h ./Bolts.framework/Headers/BoltsVersion.h ./Bolts.framework/Headers/Bolts.h ./Bolts.framework/Modules/module.modulemap ./FBSDKCoreKit.framework/Headers/FBSDKProfilePictureView.h ./FBSDKCoreKit.framework/Headers/FBSDKProfile.h ./FBSDKCoreKit.framework/Headers/FBSDKMutableCopying.h ./FBSDKCoreKit.framework/Headers/FBSDKGraphErrorRecoveryProcessor.h ./FBSDKCoreKit.framework/Headers/FBSDKAppLinkUtility.h /Users/zwelithinimathebula/Documents/Project/Yookos/Bolts.framework/Modules/module.modulemap ./FBSDKCoreKit.framework/Headers/FBSDKAppLinkResolver.h ./FBSDKCoreKit.framework/Headers/FBSDKUtility.h ./FBSDKCoreKit.framework/Headers/FBSDKTestUsersManager.h ./FBSDKCoreKit.framework/Headers/FBSDKSettings.h ./FBSDKCoreKit.framework/Headers/FBSDKGraphRequestDataAttachment.h ./FBSDKCoreKit.framework/Headers/FBSDKGraphRequest.h ./FBSDKCoreKit.framework/Headers/FBSDKConstants.h ./FBSDKCoreKit.framework/Headers/FBSDKButton.h ./FBSDKCoreKit.framework/Headers/FBSDKApplicationDelegate.h ./FBSDKCoreKit.framework/Headers/FBSDKAppEvents.h ./FBSDKCoreKit.framework/Headers/FBSDKMacros.h ./FBSDKCoreKit.framework/Headers/FBSDKGraphRequestConnection.h ./FBSDKCoreKit.framework/Headers/FBSDKCopying.h ./FBSDKCoreKit.framework/Headers/FBSDKAccessToken.h ./FBSDKCoreKit.framework/Headers/FBSDKCoreKit.h ./FBSDKCoreKit.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/CoreImage.swiftmodule ./FBSDKLoginKit.framework/Headers/FBSDKLoginTooltipView.h ./FBSDKLoginKit.framework/Headers/FBSDKLoginManagerLoginResult.h ./FBSDKLoginKit.framework/Headers/FBSDKLoginConstants.h ./FBSDKLoginKit.framework/Headers/FBSDKTooltipView.h ./FBSDKLoginKit.framework/Headers/FBSDKLoginManager.h /Users/zwelithinimathebula/Documents/Project/Yookos/FBSDKCoreKit.framework/Modules/module.modulemap ./FBSDKLoginKit.framework/Headers/FBSDKLoginButton.h ./FBSDKLoginKit.framework/Headers/FBSDKLoginKit.h ./FBSDKLoginKit.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/CoreLocation.swiftmodule
| D |
/Users/dudo/Documents/code/dichroic_mirror/rusty_mirror/target/debug/deps/rand_xorshift-757a410b5db19bf2.rmeta: /Users/dudo/.cargo/registry/src/github.com-1ecc6299db9ec823/rand_xorshift-0.1.1/src/lib.rs
/Users/dudo/Documents/code/dichroic_mirror/rusty_mirror/target/debug/deps/librand_xorshift-757a410b5db19bf2.rlib: /Users/dudo/.cargo/registry/src/github.com-1ecc6299db9ec823/rand_xorshift-0.1.1/src/lib.rs
/Users/dudo/Documents/code/dichroic_mirror/rusty_mirror/target/debug/deps/rand_xorshift-757a410b5db19bf2.d: /Users/dudo/.cargo/registry/src/github.com-1ecc6299db9ec823/rand_xorshift-0.1.1/src/lib.rs
/Users/dudo/.cargo/registry/src/github.com-1ecc6299db9ec823/rand_xorshift-0.1.1/src/lib.rs:
| D |
instance STT_301_IAN_Exit(C_Info)
{
npc = STT_301_Ian;
nr = 999;
condition = STT_301_IAN_Exit_Condition;
information = STT_301_IAN_Exit_Info;
important = 0;
permanent = 1;
description = DIALOG_ENDE;
};
func int STT_301_IAN_Exit_Condition()
{
return 1;
};
func void STT_301_IAN_Exit_Info()
{
AI_Output(other,self,"STT_301_IAN_Exit_Info_15_01"); //Rozejrzę się trochę po okolicy.
AI_Output(self,other,"STT_301_IAN_Exit_Info_13_02"); //Nie sprawiaj żadnych kłopotów.
AI_StopProcessInfos(self);
};
instance STT_301_IAN_HI(C_Info)
{
npc = STT_301_Ian;
condition = STT_301_IAN_HI_Condition;
information = STT_301_IAN_HI_Info;
important = 0;
permanent = 0;
description = "To ty jesteś Ian, szef tej kopalni?";
};
func int STT_301_IAN_HI_Condition()
{
if(!Npc_KnowsInfo(hero,stt_301_ian_nest))
{
return TRUE;
};
};
func void STT_301_IAN_HI_Info()
{
AI_Output(other,self,"STT_301_IAN_HI_Info_15_01"); //To ty jesteś Ian, szef tej kopalni?
AI_Output(self,other,"STT_301_IAN_HI_Info_13_02"); //Tak, to ja. A to moja kopalnia, więc lepiej nie próbuj niczego głupiego.
};
instance STT_301_IAN_GOMEZ(C_Info)
{
npc = STT_301_Ian;
condition = STT_301_IAN_GOMEZ_Condition;
information = STT_301_IAN_GOMEZ_Info;
important = 0;
permanent = 0;
description = "Myślałem, że to kopalnia Gomeza?";
};
func int STT_301_IAN_GOMEZ_Condition()
{
if(Npc_KnowsInfo(hero,stt_301_ian_hi))
{
return TRUE;
};
};
func void STT_301_IAN_GOMEZ_Info()
{
AI_Output(other,self,"STT_301_IAN_GOMEZ_Info_15_01"); //Myślałem, że to kopalnia Gomeza?
AI_Output(self,other,"STT_301_IAN_GOMEZ_Info_13_02"); //No cóż, oczywiście, kopalnia należy do Starego Obozu. Ale tutaj, pod ziemią, jest tylko jeden szef - ja!
};
instance STT_301_IAN_ORE(C_Info)
{
npc = STT_301_Ian;
condition = STT_301_IAN_ORE_Condition;
information = STT_301_IAN_ORE_Info;
important = 0;
permanent = 0;
description = "Możesz mi opowiedzieć o wydobyciu rudy?";
};
func int STT_301_IAN_ORE_Condition()
{
if(Npc_KnowsInfo(hero,stt_301_ian_gomez))
{
return TRUE;
};
};
func void STT_301_IAN_ORE_Info()
{
AI_Output(other,self,"STT_301_IAN_ORE_Info_15_01"); //Możesz mi opowiedzieć o wydobyciu rudy?
AI_Output(self,other,"STT_301_IAN_ORE_Info_13_02"); //Kopiemy dniem i nocą. Dzięki temu wydobywamy około 200 worków rudy na miesiąc, plus jakieś 20 worków, które od razu zostają przetopione.
AI_Output(self,other,"STT_301_IAN_ORE_Info_13_03"); //Z rudy, którą dostarczamy królowi można by wykuć oręż dla nie lada armii.
};
instance STT_301_IAN_MORE(C_Info)
{
npc = STT_301_Ian;
condition = STT_301_IAN_MORE_Condition;
information = STT_301_IAN_MORE_Info;
important = 0;
permanent = 0;
description = "Słyszałem, że ruda ma właściwości magiczne. Opowiedz mi o tym.";
};
func int STT_301_IAN_MORE_Condition()
{
return Npc_KnowsInfo(hero,stt_301_ian_ore);
};
func void STT_301_IAN_MORE_Info()
{
AI_Output(other,self,"STT_301_IAN_MORE_Info_15_01"); //Słyszałem, że ruda ma właściwości magiczne. Opowiedz mi o tym.
AI_Output(self,other,"STT_301_IAN_MORE_Info_13_02"); //Tak, nasza ruda rzeczywiście posiada właściwości magiczne. Wykuta z niej broń nigdy się nie psuje, a miecze i topory są ostrzejsze, niż te wykute ze stali.
AI_Output(self,other,"STT_301_IAN_MORE_Info_13_03"); //Każda armia wyposażona w taki oręż ma poważną przewagę w boju.
};
instance STT_301_IAN_MAGIC(C_Info)
{
npc = STT_301_Ian;
condition = STT_301_IAN_MAGIC_Condition;
information = STT_301_IAN_MAGIC_Info;
important = 0;
permanent = 0;
description = "Opowiedz mi coś jeszcze o rudzie.";
};
func int STT_301_IAN_MAGIC_Condition()
{
return Npc_KnowsInfo(hero,stt_301_ian_more);
};
func void STT_301_IAN_MAGIC_Info()
{
AI_Output(other,self,"STT_301_IAN_MAGIC_Info_15_01"); //Opowiedz mi coś jeszcze o rudzie.
AI_Output(self,other,"STT_301_IAN_MAGIC_Info_13_02"); //Niestety, magiczne właściwości rudy zanikają podczas przetapiania. W hutach Nordmaru znają odpowiednie techniki przetapiania.
AI_Output(self,other,"STT_301_IAN_MAGIC_Info_13_03"); //Ale nawet bez mocy magicznych, broń wykonana z naszej rudy jest bardziej wytrzymała i zadaje większe obrażenia niż zwykły oręż.
};
instance STT_301_IAN_MINE(C_Info)
{
npc = STT_301_Ian;
condition = STT_301_IAN_MINE_Condition;
information = STT_301_IAN_MINE_Info;
important = 0;
permanent = 0;
description = "Opowiedz mi o kopalni.";
};
func int STT_301_IAN_MINE_Condition()
{
if((Kapitel < 3) && Npc_KnowsInfo(hero,stt_301_ian_hi))
{
return TRUE;
};
};
func void STT_301_IAN_MINE_Info()
{
AI_Output(other,self,"STT_301_IAN_MINE_Info_15_01"); //Opowiedz mi o kopalni.
AI_Output(self,other,"STT_301_IAN_MINE_Info_13_02"); //Jeśli chcesz się tu trochę rozejrzeć, to radzę ci dobrze uważać. W jaskiniach kryją się pełzacze. Najlepiej trzymaj się głównego szybu.
AI_Output(self,other,"STT_301_IAN_MINE_Info_13_03"); //I nie przeszkadzaj Świątynnym Strażnikom. Chociaż przez większość czasu zbijają bąki, to najlepsi sprzymierzeńcy, jakich można sobie wyobrazić podczas starcia z pełzaczami.
AI_Output(other,self,"STT_301_IAN_MINE_Info_15_04"); //Postaram się o tym pamiętać.
AI_Output(self,other,"STT_301_IAN_MINE_Info_13_05"); //Mam jeszcze sporo roboty. A, i nie przeszkadzaj w pracy moim ludziom!
AI_Output(other,self,"STT_301_IAN_MINE_Info_15_06"); //Tylko się tu trochę rozejrzę.
};
instance STT_301_IAN_WANTLIST(C_Info)
{
npc = STT_301_Ian;
condition = STT_301_IAN_WANTLIST_Condition;
information = STT_301_IAN_WANTLIST_Info;
important = 0;
permanent = 0;
description = "Przychodzę tu po listę dla Obozu.";
};
func int STT_301_IAN_WANTLIST_Condition()
{
if((Diego_BringList == LOG_RUNNING) && !Npc_KnowsInfo(hero,Info_Diego_IanPassword))
{
return TRUE;
};
};
func void STT_301_IAN_WANTLIST_Info()
{
AI_Output(other,self,"STT_301_IAN_WANTLIST_Info_15_01"); //Przychodzę tu po listę dla Obozu.
AI_Output(self,other,"STT_301_IAN_WANTLIST_Info_13_02"); //Każdy może tak powiedzieć. Spadaj.
};
instance STT_301_IAN_GETLIST(C_Info)
{
npc = STT_301_Ian;
condition = STT_301_IAN_GETLIST_Condition;
information = STT_301_IAN_GETLIST_Info;
important = 0;
permanent = 0;
description = "Przysyła mnie Diego. Mam odebrać listę.";
};
func int STT_301_IAN_GETLIST_Condition()
{
if((Diego_BringList == LOG_RUNNING) && Npc_KnowsInfo(hero,Info_Diego_IanPassword))
{
return TRUE;
};
};
func void STT_301_IAN_GETLIST_Info()
{
AI_Output(other,self,"STT_301_IAN_GETLIST_Info_15_01"); //Przysyła mnie Diego. Mam odebrać listę.
AI_Output(self,other,"STT_301_IAN_GETLIST_Info_13_02"); //W porządku. Oto i ona. Powiedz im, żeby się pospieszyli z dostawami.
B_LogEntry(CH1_BringList,"Ian bez sprzeciwu wręczył mi listę zamówień.");
B_GiveInvItems(self,hero,TheList,1);
};
instance STT_301_IAN_NEST(C_Info)
{
npc = STT_301_Ian;
condition = STT_301_IAN_NEST_Condition;
information = STT_301_IAN_NEST_Info;
important = 0;
permanent = 0;
description = "Gdzieś tutaj musi być gniazdo pełzaczy.";
};
func int STT_301_IAN_NEST_Condition()
{
if((CorKalom_BringMCQBalls == LOG_RUNNING) && Npc_KnowsInfo(hero,stt_301_ian_hi))
{
return 1;
};
};
func void STT_301_IAN_NEST_Info()
{
AI_Output(other,self,"STT_301_IAN_NEST_Info_15_01"); //Gdzieś tutaj musi być gniazdo pełzaczy.
AI_Output(self,other,"STT_301_IAN_NEST_Info_13_02"); //Założę się, że jest tu przynajmniej z tuzin gniazd.
AI_Output(other,self,"STT_301_IAN_NEST_Info_15_03"); //Słuchaj, muszę natychmiast iść do tego gniazda...
AI_Output(self,other,"STT_301_IAN_NEST_Info_13_04"); //Nie mam teraz na to czasu! Parę godzin temu zepsuła się nasza młocarnia. Koło zębate pękło w drzazgi.
AI_Output(self,other,"STT_301_IAN_NEST_Info_13_05"); //Nie mam pojęcia, gdzie znajdę nowe.
AI_Output(self,other,"STT_301_IAN_NEST_Info_13_06"); //Przynieś mi koło zębate. Wtedy zajmę się twoim problemem.
B_LogEntry(CH2_MCEggs,"Ian, szef Starej Kopalni, nie pomoże mi w odnalezieniu gniazda pełzaczy. Mam za to przynieść mu koło zębate do zepsutego rozdrabniacza rudy. Podobno mogę je znaleźć w którymś z opuszczonych bocznych tuneli.");
Ian_gearwheel = LOG_RUNNING;
};
instance STT_301_IAN_GEAR_RUN(C_Info)
{
npc = STT_301_Ian;
condition = STT_301_IAN_GEAR_RUN_Condition;
information = STT_301_IAN_GEAR_RUN_Info;
important = 0;
permanent = 0;
description = "Koło zębate? A gdzie ja niby mam je znaleźć?";
};
func int STT_301_IAN_GEAR_RUN_Condition()
{
PrintDebugInt(PD_MISSION,"Ian_gearwheel: ",Ian_gearwheel);
if((Ian_gearwheel == LOG_RUNNING) && !Npc_HasItems(hero,ItMi_Stuff_Gearwheel_01))
{
return 1;
};
};
func void STT_301_IAN_GEAR_RUN_Info()
{
AI_Output(other,self,"STT_301_IAN_GEAR_RUN_Info_15_01"); //Koło zębate? A gdzie ja niby mam je znaleźć?
AI_Output(self,other,"STT_301_IAN_GEAR_RUN_Info_13_02"); //Nie mam pojęcia. Jestem równie bezradny co ty!
AI_Output(self,other,"STT_301_IAN_GEAR_RUN_Info_13_03"); //W którymś z bocznych szybów stoi zepsuta młocarnia. Może tam coś znajdziesz.
};
instance STT_301_IAN_GEAR_SUC(C_Info)
{
npc = STT_301_Ian;
condition = STT_301_IAN_GEAR_SUC_Condition;
information = STT_301_IAN_GEAR_SUC_Info;
important = 0;
permanent = 0;
description = "Mam koło zębate.";
};
func int STT_301_IAN_GEAR_SUC_Condition()
{
if(Npc_HasItems(hero,ItMi_Stuff_Gearwheel_01) && (Ian_gearwheel == LOG_RUNNING))
{
return 1;
};
};
func void STT_301_IAN_GEAR_SUC_Info()
{
var C_Npc Sklave;
B_GiveInvItems(hero,self,ItMi_Stuff_Gearwheel_01,1);
Npc_RemoveInvItem(self,ItMi_Stuff_Gearwheel_01);
Ian_gearwheel = LOG_SUCCESS;
B_GiveXP(XP_BringGearWheel);
Sklave = Hlp_GetNpc(Orc_2001_Sklave);
Npc_ExchangeRoutine(Sklave,"Stomper");
AI_Output(other,self,"STT_301_IAN_GEAR_SUC_Info_15_01"); //Mam koło zębate.
AI_Output(self,other,"STT_301_IAN_GEAR_SUC_Info_13_02"); //Dobra robota! Powinno działać. No a teraz wróćmy do twojej sprawy. Szukasz gniazda pełzaczy... Hmmm...
AI_Output(self,other,"STT_301_IAN_GEAR_SUC_Info_13_03"); //Znajdź Asghana i powiedz mu, żeby otworzył ci drzwi. Będziesz mógł rozejrzeć się po zamkniętych korytarzach.
AI_Output(self,other,"STT_301_IAN_GEAR_SUC_Info_13_04"); //Powiedz mu "Wszystko będzie w porządku". Po tym pozna, że to ja cię przysyłam.
B_LogEntry(CH2_MCEggs,"Przyniosłem Ianowi koło zębate, o które prosił. Teraz mam powiedzieć Asghanowi, że WSZYSTKO BĘDZIE W PORZĄDKU. Wtedy Strażnik otworzy dla mnie bramę do opuszczonych szybów.");
};
instance STT_301_IAN_GOTOASGHAN(C_Info)
{
npc = STT_301_Ian;
condition = STT_301_IAN_GOTOASGHAN_Condition;
information = STT_301_IAN_GOTOASGHAN_Info;
important = 0;
permanent = 0;
description = "Nadal szukam gniazda pełzaczy.";
};
func int STT_301_IAN_GOTOASGHAN_Condition()
{
if((Ian_gearwheel == LOG_SUCCESS) && !Npc_KnowsInfo(hero,Grd_263_Asghan_NEST))
{
return 1;
};
};
func void STT_301_IAN_GOTOASGHAN_Info()
{
AI_Output(other,self,"STT_301_IAN_GOTOASGHAN_Info_15_01"); //Nadal szukam gniazda pełzaczy.
AI_Output(self,other,"STT_301_IAN_GOTOASGHAN_Info_13_02"); //Mówiłem ci już - idź do Asghana. To dowódca strażników. Znajdziesz go gdzieś na najniższym poziomie.
B_LogEntry(CH2_MCEggs,"Jeśli chcę odnaleźć gniazdo pełzaczy, powinienem porozmawiać z Asghanem.");
};
instance STT_301_IAN_AFTERALL(C_Info)
{
npc = STT_301_Ian;
condition = STT_301_IAN_AFTERALL_Condition;
information = STT_301_IAN_AFTERALL_Info;
important = 0;
permanent = 0;
description = "Znalazłem gniazdo!";
};
func int STT_301_IAN_AFTERALL_Condition()
{
if(Npc_HasItems(hero,ItAt_Crawlerqueen) >= 3)
{
return 1;
};
};
func void STT_301_IAN_AFTERALL_Info()
{
AI_Output(other,self,"STT_301_IAN_AFTERALL_Info_15_01"); //Znalazłem gniazdo!
AI_Output(self,other,"STT_301_IAN_AFTERALL_Info_13_02"); //No to nareszcie będziemy tu mieli chwilę spokoju. Ha ha ha!
AI_Output(self,other,"STT_301_IAN_AFTERALL_Info_13_03"); //Bez obrazy. Dobra robota, chłopcze.
AI_Output(self,other,"STT_301_IAN_AFTERALL_Info_13_04"); //Masz. Weź tę skrzynkę piwa. Zasłużyłeś.
CreateInvItems(self,ItFo_OM_Beer_01,6);
B_GiveInvItems(self,hero,ItFo_OM_Beer_01,6);
};
instance STT_301_IAN_NOTENOUGH(C_Info)
{
npc = STT_301_Ian;
condition = STT_301_IAN_NOTENOUGH_Condition;
information = STT_301_IAN_NOTENOUGH_Info;
important = 0;
permanent = 0;
description = "Znalazłem gniazdo! I jaja złożone przez królową pełzaczy!";
};
func int STT_301_IAN_NOTENOUGH_Condition()
{
if((Npc_HasItems(hero,ItAt_Crawlerqueen) > 1) && (Npc_HasItems(hero,ItAt_Crawlerqueen) < 3))
{
return TRUE;
};
};
func void STT_301_IAN_NOTENOUGH_Info()
{
AI_Output(other,self,"STT_301_IAN_NOTENOUGH_Info_15_01"); //Znalazłem gniazdo! I jaja złożone przez królową pełzaczy!
AI_Output(self,other,"STT_301_IAN_NOTENOUGH_Info_13_02"); //Co? Tylko tyle tych jaj? A zresztą... Udowodniłeś, że twardy z ciebie gość.
};
| D |
/Users/Lavanya/Desktop/AlbumsApp/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Alamofire.build/Objects-normal/x86_64/Response.o : /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/MultipartFormData.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/MultipartUpload.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/AlamofireExtended.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/HTTPMethod.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/URLConvertible+URLRequestConvertible.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/DispatchQueue+Alamofire.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/OperationQueue+Alamofire.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/URLSessionConfiguration+Alamofire.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/URLRequest+Alamofire.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/Alamofire.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/Response.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/SessionDelegate.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/ParameterEncoding.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/Session.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/Validation.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/ServerTrustEvaluation.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/ResponseSerialization.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/RequestTaskMap.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/ParameterEncoder.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/NetworkReachabilityManager.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/CachedResponseHandler.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/RedirectHandler.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/AFError.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/Protector.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/EventMonitor.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/RequestInterceptor.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/Notifications.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/HTTPHeaders.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/AFResult.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/Request.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/RetryPolicy.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/Lavanya/Desktop/AlbumsApp/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.0.sdk/usr/include/mach-o/dyld.modulemap /Users/Lavanya/Desktop/AlbumsApp/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Alamofire.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.0.sdk/usr/include/mach-o/compact_unwind_encoding.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.0.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.0.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.0.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.0.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.0.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.0.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/Lavanya/Desktop/AlbumsApp/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Alamofire.build/Objects-normal/x86_64/Response~partial.swiftmodule : /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/MultipartFormData.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/MultipartUpload.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/AlamofireExtended.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/HTTPMethod.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/URLConvertible+URLRequestConvertible.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/DispatchQueue+Alamofire.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/OperationQueue+Alamofire.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/URLSessionConfiguration+Alamofire.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/URLRequest+Alamofire.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/Alamofire.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/Response.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/SessionDelegate.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/ParameterEncoding.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/Session.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/Validation.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/ServerTrustEvaluation.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/ResponseSerialization.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/RequestTaskMap.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/ParameterEncoder.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/NetworkReachabilityManager.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/CachedResponseHandler.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/RedirectHandler.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/AFError.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/Protector.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/EventMonitor.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/RequestInterceptor.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/Notifications.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/HTTPHeaders.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/AFResult.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/Request.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/RetryPolicy.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/Lavanya/Desktop/AlbumsApp/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.0.sdk/usr/include/mach-o/dyld.modulemap /Users/Lavanya/Desktop/AlbumsApp/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Alamofire.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.0.sdk/usr/include/mach-o/compact_unwind_encoding.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.0.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.0.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.0.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.0.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.0.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.0.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/Lavanya/Desktop/AlbumsApp/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Alamofire.build/Objects-normal/x86_64/Response~partial.swiftdoc : /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/MultipartFormData.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/MultipartUpload.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/AlamofireExtended.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/HTTPMethod.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/URLConvertible+URLRequestConvertible.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/DispatchQueue+Alamofire.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/OperationQueue+Alamofire.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/URLSessionConfiguration+Alamofire.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/URLRequest+Alamofire.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/Alamofire.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/Response.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/SessionDelegate.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/ParameterEncoding.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/Session.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/Validation.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/ServerTrustEvaluation.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/ResponseSerialization.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/RequestTaskMap.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/ParameterEncoder.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/NetworkReachabilityManager.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/CachedResponseHandler.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/RedirectHandler.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/AFError.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/Protector.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/EventMonitor.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/RequestInterceptor.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/Notifications.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/HTTPHeaders.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/AFResult.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/Request.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/RetryPolicy.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/Lavanya/Desktop/AlbumsApp/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.0.sdk/usr/include/mach-o/dyld.modulemap /Users/Lavanya/Desktop/AlbumsApp/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Alamofire.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.0.sdk/usr/include/mach-o/compact_unwind_encoding.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.0.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.0.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.0.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.0.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.0.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.0.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/Lavanya/Desktop/AlbumsApp/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Alamofire.build/Objects-normal/x86_64/Response~partial.swiftsourceinfo : /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/MultipartFormData.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/MultipartUpload.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/AlamofireExtended.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/HTTPMethod.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/URLConvertible+URLRequestConvertible.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/DispatchQueue+Alamofire.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/OperationQueue+Alamofire.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/URLSessionConfiguration+Alamofire.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/URLRequest+Alamofire.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/Alamofire.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/Response.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/SessionDelegate.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/ParameterEncoding.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/Session.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/Validation.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/ServerTrustEvaluation.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/ResponseSerialization.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/RequestTaskMap.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/ParameterEncoder.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/NetworkReachabilityManager.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/CachedResponseHandler.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/RedirectHandler.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/AFError.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/Protector.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/EventMonitor.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/RequestInterceptor.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/Notifications.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/HTTPHeaders.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/AFResult.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/Request.swift /Users/Lavanya/Desktop/AlbumsApp/Pods/Alamofire/Source/RetryPolicy.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/Lavanya/Desktop/AlbumsApp/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.0.sdk/usr/include/mach-o/dyld.modulemap /Users/Lavanya/Desktop/AlbumsApp/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Alamofire.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.0.sdk/usr/include/mach-o/compact_unwind_encoding.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.0.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.0.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.0.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.0.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.0.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.0.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
| D |
/Users/ubaid/Desktop/EmergencyCall/DerivedData/EmergencyCall/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/CountryPickerView.build/Objects-normal/x86_64/NibView.o : /Users/ubaid/Desktop/EmergencyCall/Pods/CountryPickerView/CountryPickerView/Delegate+DataSource.swift /Users/ubaid/Desktop/EmergencyCall/Pods/CountryPickerView/CountryPickerView/CountryPickerViewController.swift /Users/ubaid/Desktop/EmergencyCall/Pods/CountryPickerView/CountryPickerView/Extensions.swift /Users/ubaid/Desktop/EmergencyCall/Pods/CountryPickerView/CountryPickerView/NibView.swift /Users/ubaid/Desktop/EmergencyCall/Pods/CountryPickerView/CountryPickerView/CountryPickerView.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/ubaid/Desktop/EmergencyCall/Pods/Target\ Support\ Files/CountryPickerView/CountryPickerView-umbrella.h /Users/ubaid/Desktop/EmergencyCall/DerivedData/EmergencyCall/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/CountryPickerView.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes
/Users/ubaid/Desktop/EmergencyCall/DerivedData/EmergencyCall/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/CountryPickerView.build/Objects-normal/x86_64/NibView~partial.swiftmodule : /Users/ubaid/Desktop/EmergencyCall/Pods/CountryPickerView/CountryPickerView/Delegate+DataSource.swift /Users/ubaid/Desktop/EmergencyCall/Pods/CountryPickerView/CountryPickerView/CountryPickerViewController.swift /Users/ubaid/Desktop/EmergencyCall/Pods/CountryPickerView/CountryPickerView/Extensions.swift /Users/ubaid/Desktop/EmergencyCall/Pods/CountryPickerView/CountryPickerView/NibView.swift /Users/ubaid/Desktop/EmergencyCall/Pods/CountryPickerView/CountryPickerView/CountryPickerView.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/ubaid/Desktop/EmergencyCall/Pods/Target\ Support\ Files/CountryPickerView/CountryPickerView-umbrella.h /Users/ubaid/Desktop/EmergencyCall/DerivedData/EmergencyCall/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/CountryPickerView.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes
/Users/ubaid/Desktop/EmergencyCall/DerivedData/EmergencyCall/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/CountryPickerView.build/Objects-normal/x86_64/NibView~partial.swiftdoc : /Users/ubaid/Desktop/EmergencyCall/Pods/CountryPickerView/CountryPickerView/Delegate+DataSource.swift /Users/ubaid/Desktop/EmergencyCall/Pods/CountryPickerView/CountryPickerView/CountryPickerViewController.swift /Users/ubaid/Desktop/EmergencyCall/Pods/CountryPickerView/CountryPickerView/Extensions.swift /Users/ubaid/Desktop/EmergencyCall/Pods/CountryPickerView/CountryPickerView/NibView.swift /Users/ubaid/Desktop/EmergencyCall/Pods/CountryPickerView/CountryPickerView/CountryPickerView.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/ubaid/Desktop/EmergencyCall/Pods/Target\ Support\ Files/CountryPickerView/CountryPickerView-umbrella.h /Users/ubaid/Desktop/EmergencyCall/DerivedData/EmergencyCall/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/CountryPickerView.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes
| D |
/*
Copyright (c) 2021-2023 Timur Gafarov
Boost Software License - Version 1.0 - August 17th, 2003
Permission is hereby granted, free of charge, to any person or organization
obtaining a copy of the software and accompanying documentation covered by
this license (the "Software") to use, reproduce, display, distribute,
execute, and transmit the Software, and to prepare derivative works of the
Software, and to permit third-parties to whom the Software is furnished to
do so, all subject to the following:
The copyright notices in the Software and this entire statement, including
the above license grant, this restriction and the following disclaimer,
must be included in all copies of the Software, in whole or in part, and
all derivative works of the Software, unless such copies or derivative
works are solely in the form of machine-executable object code generated by
a source language processor.
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
FITNESS FOR A PARTICULAR PURPOSE, TITLE AND NON-INFRINGEMENT. IN NO EVENT
SHALL THE COPYRIGHT HOLDERS OR ANYONE DISTRIBUTING THE SOFTWARE BE LIABLE
FOR ANY DAMAGES OR OTHER LIABILITY, WHETHER IN CONTRACT, TORT OR OTHERWISE,
ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER
DEALINGS IN THE SOFTWARE.
*/
module dgpu.asset.io.obj;
import std.stdio;
import std.string;
import std.format;
import dlib.core.memory;
import dlib.core.stream;
import dlib.core.compound;
import dlib.math.vector;
import dlib.filesystem.stdfs;
import dlib.text.str;
import dgpu.asset.trimesh;
struct OBJFace
{
uint[3] v;
uint[3] t;
uint[3] n;
}
Compound!(TriangleMesh, string) loadOBJ(InputStream istrm)
{
TriangleMesh mesh = null;
Compound!(TriangleMesh, string) error(string errorMsg)
{
if (mesh)
{
Delete(mesh);
mesh = null;
}
return compound(mesh, errorMsg);
}
uint numVerts = 0;
uint numNormals = 0;
uint numTexcoords = 0;
uint numFaces = 0;
String fileStr = String(istrm);
foreach(line; lineSplitter(fileStr))
{
if (line.startsWith("v "))
numVerts++;
else if (line.startsWith("vn "))
numNormals++;
else if (line.startsWith("vt "))
numTexcoords++;
else if (line.startsWith("f "))
numFaces++;
}
vec3[] tmpVertices;
vec3[] tmpNormals;
vec2[] tmpTexcoords;
OBJFace[] tmpFaces;
bool needGenNormals = false;
if (!numVerts)
writeln("loadOBJ: file has no vertices");
if (!numNormals)
{
writeln("loadOBJ: file has no normals (they will be generated)");
numNormals = numVerts;
needGenNormals = true;
}
if (!numTexcoords)
{
writeln("loadOBJ: file has no texcoords");
numTexcoords = numVerts;
}
if (numVerts)
tmpVertices = New!(vec3[])(numVerts);
if (numNormals)
tmpNormals = New!(vec3[])(numNormals);
if (numTexcoords)
tmpTexcoords = New!(vec2[])(numTexcoords);
if (numFaces)
tmpFaces = New!(OBJFace[])(numFaces);
tmpVertices[] = vec3(0.0f, 0.0f, 0.0f);
tmpNormals[] = vec3(0.0f, 0.0f, 0.0f);
tmpTexcoords[] = vec2(0.0f, 0.0f);
float x, y, z;
uint v1, v2, v3, v4;
uint t1, t2, t3, t4;
uint n1, n2, n3, n4;
uint vi = 0;
uint ni = 0;
uint ti = 0;
uint fi = 0;
bool warnAboutQuads = false;
foreach(line; lineSplitter(fileStr))
{
if (line.startsWith("v "))
{
if (formattedRead(line, "v %s %s %s", &x, &y, &z))
{
tmpVertices[vi] = Vector3f(x, y, z);
vi++;
}
}
else if (line.startsWith("vn"))
{
if (formattedRead(line, "vn %s %s %s", &x, &y, &z))
{
tmpNormals[ni] = Vector3f(x, y, z);
ni++;
}
}
else if (line.startsWith("vt"))
{
if (formattedRead(line, "vt %s %s", &x, &y))
{
tmpTexcoords[ti] = Vector2f(x, -y);
ti++;
}
}
else if (line.startsWith("vp"))
{
}
else if (line.startsWith("f"))
{
char[256] tmpStr;
tmpStr[0..line.length] = line[];
tmpStr[line.length] = 0;
if (sscanf(tmpStr.ptr, "f %u/%u/%u %u/%u/%u %u/%u/%u %u/%u/%u", &v1, &t1, &n1, &v2, &t2, &n2, &v3, &t3, &n3, &v4, &t4, &n4) == 12)
{
tmpFaces[fi].v[0] = v1-1;
tmpFaces[fi].v[1] = v2-1;
tmpFaces[fi].v[2] = v3-1;
tmpFaces[fi].t[0] = t1-1;
tmpFaces[fi].t[1] = t2-1;
tmpFaces[fi].t[2] = t3-1;
tmpFaces[fi].n[0] = n1-1;
tmpFaces[fi].n[1] = n2-1;
tmpFaces[fi].n[2] = n3-1;
fi++;
warnAboutQuads = true;
}
if (sscanf(tmpStr.ptr, "f %u/%u/%u %u/%u/%u %u/%u/%u", &v1, &t1, &n1, &v2, &t2, &n2, &v3, &t3, &n3) == 9)
{
tmpFaces[fi].v[0] = v1-1;
tmpFaces[fi].v[1] = v2-1;
tmpFaces[fi].v[2] = v3-1;
tmpFaces[fi].t[0] = t1-1;
tmpFaces[fi].t[1] = t2-1;
tmpFaces[fi].t[2] = t3-1;
tmpFaces[fi].n[0] = n1-1;
tmpFaces[fi].n[1] = n2-1;
tmpFaces[fi].n[2] = n3-1;
fi++;
}
else if (sscanf(tmpStr.ptr, "f %u//%u %u//%u %u//%u %u//%u", &v1, &n1, &v2, &n2, &v3, &n3, &v4, &n4) == 8)
{
tmpFaces[fi].v[0] = v1-1;
tmpFaces[fi].v[1] = v2-1;
tmpFaces[fi].v[2] = v3-1;
tmpFaces[fi].n[0] = n1-1;
tmpFaces[fi].n[1] = n2-1;
tmpFaces[fi].n[2] = n3-1;
fi++;
warnAboutQuads = true;
}
else if (sscanf(tmpStr.ptr, "f %u/%u %u/%u %u/%u", &v1, &t1, &v2, &t2, &v3, &t3) == 6)
{
tmpFaces[fi].v[0] = v1-1;
tmpFaces[fi].v[1] = v2-1;
tmpFaces[fi].v[2] = v3-1;
tmpFaces[fi].t[0] = t1-1;
tmpFaces[fi].t[1] = t2-1;
tmpFaces[fi].t[2] = t3-1;
fi++;
}
else if (sscanf(tmpStr.ptr, "f %u//%u %u//%u %u//%u", &v1, &n1, &v2, &n2, &v3, &n3) == 6)
{
tmpFaces[fi].v[0] = v1-1;
tmpFaces[fi].v[1] = v2-1;
tmpFaces[fi].v[2] = v3-1;
tmpFaces[fi].n[0] = n1-1;
tmpFaces[fi].n[1] = n2-1;
tmpFaces[fi].n[2] = n3-1;
fi++;
}
else if (sscanf(tmpStr.ptr, "f %u %u %u %u", &v1, &v2, &v3, &v4) == 4)
{
tmpFaces[fi].v[0] = v1-1;
tmpFaces[fi].v[1] = v2-1;
tmpFaces[fi].v[2] = v3-1;
fi++;
warnAboutQuads = true;
}
else if (sscanf(tmpStr.ptr, "f %u %u %u", &v1, &v2, &v3) == 3)
{
tmpFaces[fi].v[0] = v1-1;
tmpFaces[fi].v[1] = v2-1;
tmpFaces[fi].v[2] = v3-1;
fi++;
}
else
assert(0);
}
}
fileStr.free();
if (warnAboutQuads)
writeln("loadOBJ: file includes quads, but Dagon supports only triangles");
uint numUniqueVerts = cast(uint)tmpFaces.length * 3;
mesh = New!TriangleMesh(numUniqueVerts, tmpFaces.length);
uint index = 0;
foreach(i, ref OBJFace f; tmpFaces)
{
if (numVerts)
{
mesh.vertices[index] = tmpVertices[f.v[0]];
mesh.vertices[index+1] = tmpVertices[f.v[1]];
mesh.vertices[index+2] = tmpVertices[f.v[2]];
}
else
{
mesh.vertices[index] = Vector3f(0, 0, 0);
mesh.vertices[index+1] = Vector3f(0, 0, 0);
mesh.vertices[index+2] = Vector3f(0, 0, 0);
}
if (numNormals)
{
mesh.normals[index] = tmpNormals[f.n[0]];
mesh.normals[index+1] = tmpNormals[f.n[1]];
mesh.normals[index+2] = tmpNormals[f.n[2]];
}
else
{
mesh.normals[index] = Vector3f(0, 0, 0);
mesh.normals[index+1] = Vector3f(0, 0, 0);
mesh.normals[index+2] = Vector3f(0, 0, 0);
}
if (numTexcoords)
{
mesh.texcoords[index] = tmpTexcoords[f.t[0]];
mesh.texcoords[index+1] = tmpTexcoords[f.t[1]];
mesh.texcoords[index+2] = tmpTexcoords[f.t[2]];
}
else
{
mesh.texcoords[index] = Vector2f(0, 0);
mesh.texcoords[index+1] = Vector2f(0, 0);
mesh.texcoords[index+2] = Vector2f(0, 0);
}
mesh.indices[i * 3] = index;
mesh.indices[i * 3 + 1] = index + 1;
mesh.indices[i * 3 + 2] = index + 2;
index += 3;
}
/*
if (needGenNormals)
mesh.generateNormals();
*/
if (tmpVertices.length)
Delete(tmpVertices);
if (tmpNormals.length)
Delete(tmpNormals);
if (tmpTexcoords.length)
Delete(tmpTexcoords);
if (tmpFaces.length)
Delete(tmpFaces);
//mesh.calcBoundingBox();
return compound(mesh, "");
}
| D |
module dtrl.commands;
import bindbc.opengl;
import neobc.assertion;
enum GlCommand {
DrawArrays,
DrawElements,
BindVertexArray,
Uniform1i,
UseProgram,
Size,
Unknown
};
immutable size_t GlCommandSize = cast(size_t)GlCommand.Size;
immutable size_t[GlCommandSize] GlCommandByteSize = [
DrawArrayInfo.sizeof
, DrawElementInfo.sizeof
, BindVertexArrayInfo.sizeof
, Uniform1iInfo.sizeof
, UseProgramInfo.sizeof
];
struct CommandInfo {
GlCommand glCommand = GlCommand.Unknown;
void* data = null;
};
struct DrawArrayInfo {
static immutable glCommand = GlCommand.DrawArrays;
GLenum mode;
GLint first;
GLsizei count;
};
struct DrawElementInfo {
static immutable glCommand = GlCommand.DrawElements;
GLenum mode;
GLsizei count;
GLenum type;
const (GLvoid)* indices;
};
struct BindVertexArrayInfo {
static immutable glCommand = GlCommand.BindVertexArray;
GLuint vertexArrayHandle;
}
struct UseProgramInfo {
static immutable glCommand = GlCommand.UseProgram;
GLuint programHandle;
}
struct Uniform1iInfo {
static immutable glCommand = GlCommand.Uniform1i;
GLuint layoutLocation;
int value;
}
CommandInfo CreateCommandInfo(T)(T* info) {
return CommandInfo(T.glCommand, cast(void*)info);
}
void ExecuteCommandInfo(ref CommandInfo commandInfo) {
switch (commandInfo.glCommand) {
default: EnforceAssert(false, "Unknown command info"); break;
case GlCommand.DrawArrays:
auto info = cast(DrawArrayInfo*)commandInfo.data;
glDrawArrays(info.mode, info.first, info.count);
break;
case GlCommand.BindVertexArray:
auto info = cast(BindVertexArrayInfo*)commandInfo.data;
glBindVertexArray(info.vertexArrayHandle);
break;
case GlCommand.Uniform1i:
auto info = cast(Uniform1iInfo*)commandInfo.data;
glUniform1i(info.layoutLocation, info.value);
break;
case GlCommand.UseProgram:
auto info = cast(UseProgramInfo*)commandInfo.data;
glUseProgram(info.programHandle);
break;
case GlCommand.DrawElements:
auto info = cast(DrawElementInfo*)commandInfo.data;
glDrawElements(info.mode, info.count, info.type, info.indices);
break;
}
}
| D |
/**
* The semaphore module provides a general use semaphore for synchronization.
*
* Copyright: Copyright Sean Kelly 2005 - 2009.
* License: $(LINK2 http://www.boost.org/LICENSE_1_0.txt, Boost License 1.0)
* Authors: Sean Kelly
* Source: $(DRUNTIMESRC core/sync/_semaphore.d)
*/
/* Copyright Sean Kelly 2005 - 2009.
* Distributed under the Boost Software License, Version 1.0.
* (See accompanying file LICENSE or copy at
* http://www.boost.org/LICENSE_1_0.txt)
*/
module core.sync.semaphore;
public import core.sync.exception;
public import core.time;
version (OSX)
version = Darwin;
else version (iOS)
version = Darwin;
else version (TVOS)
version = Darwin;
else version (WatchOS)
version = Darwin;
version (Windows)
{
private import core.sys.windows.basetsd /+: HANDLE+/;
private import core.sys.windows.winbase /+: CloseHandle, CreateSemaphoreA, INFINITE,
ReleaseSemaphore, WAIT_OBJECT_0, WaitForSingleObject+/;
private import core.sys.windows.windef /+: BOOL, DWORD+/;
private import core.sys.windows.winerror /+: WAIT_TIMEOUT+/;
}
else version (Darwin)
{
private import core.sync.config;
private import core.stdc.errno;
private import core.sys.posix.time;
private import core.sys.darwin.mach.semaphore;
}
else version (Posix)
{
private import core.sync.config;
private import core.stdc.errno;
private import core.sys.posix.pthread;
private import core.sys.posix.semaphore;
}
else
{
static assert(false, "Platform not supported");
}
////////////////////////////////////////////////////////////////////////////////
// Semaphore
//
// void wait();
// void notify();
// bool tryWait();
////////////////////////////////////////////////////////////////////////////////
/**
* This class represents a general counting semaphore as concieved by Edsger
* Dijkstra. As per Mesa type monitors however, "signal" has been replaced
* with "notify" to indicate that control is not transferred to the waiter when
* a notification is sent.
*/
class Semaphore
{
////////////////////////////////////////////////////////////////////////////
// Initialization
////////////////////////////////////////////////////////////////////////////
/**
* Initializes a semaphore object with the specified initial count.
*
* Params:
* count = The initial count for the semaphore.
*
* Throws:
* SyncError on error.
*/
this( uint count = 0 )
{
version (Windows)
{
m_hndl = CreateSemaphoreA( null, count, int.max, null );
if ( m_hndl == m_hndl.init )
throw new SyncError( "Unable to create semaphore" );
}
else version (Darwin)
{
auto rc = semaphore_create( mach_task_self(), &m_hndl, SYNC_POLICY_FIFO, count );
if ( rc )
throw new SyncError( "Unable to create semaphore" );
}
else version (Posix)
{
int rc = sem_init( &m_hndl, 0, count );
if ( rc )
throw new SyncError( "Unable to create semaphore" );
}
}
~this()
{
version (Windows)
{
BOOL rc = CloseHandle( m_hndl );
assert( rc, "Unable to destroy semaphore" );
}
else version (Darwin)
{
auto rc = semaphore_destroy( mach_task_self(), m_hndl );
assert( !rc, "Unable to destroy semaphore" );
}
else version (Posix)
{
int rc = sem_destroy( &m_hndl );
assert( !rc, "Unable to destroy semaphore" );
}
}
////////////////////////////////////////////////////////////////////////////
// General Actions
////////////////////////////////////////////////////////////////////////////
/**
* Wait until the current count is above zero, then atomically decrement
* the count by one and return.
*
* Throws:
* SyncError on error.
*/
void wait()
{
version (Windows)
{
DWORD rc = WaitForSingleObject( m_hndl, INFINITE );
if ( rc != WAIT_OBJECT_0 )
throw new SyncError( "Unable to wait for semaphore" );
}
else version (Darwin)
{
while ( true )
{
auto rc = semaphore_wait( m_hndl );
if ( !rc )
return;
if ( rc == KERN_ABORTED && errno == EINTR )
continue;
throw new SyncError( "Unable to wait for semaphore" );
}
}
else version (Posix)
{
while ( true )
{
if ( !sem_wait( &m_hndl ) )
return;
if ( errno != EINTR )
throw new SyncError( "Unable to wait for semaphore" );
}
}
}
/**
* Suspends the calling thread until the current count moves above zero or
* until the supplied time period has elapsed. If the count moves above
* zero in this interval, then atomically decrement the count by one and
* return true. Otherwise, return false.
*
* Params:
* period = The time to wait.
*
* In:
* period must be non-negative.
*
* Throws:
* SyncError on error.
*
* Returns:
* true if notified before the timeout and false if not.
*/
bool wait( Duration period )
in
{
assert( !period.isNegative );
}
do
{
version (Windows)
{
auto maxWaitMillis = dur!("msecs")( uint.max - 1 );
while ( period > maxWaitMillis )
{
auto rc = WaitForSingleObject( m_hndl, cast(uint)
maxWaitMillis.total!"msecs" );
switch ( rc )
{
case WAIT_OBJECT_0:
return true;
case WAIT_TIMEOUT:
period -= maxWaitMillis;
continue;
default:
throw new SyncError( "Unable to wait for semaphore" );
}
}
switch ( WaitForSingleObject( m_hndl, cast(uint) period.total!"msecs" ) )
{
case WAIT_OBJECT_0:
return true;
case WAIT_TIMEOUT:
return false;
default:
throw new SyncError( "Unable to wait for semaphore" );
}
}
else version (Darwin)
{
mach_timespec_t t = void;
(cast(byte*) &t)[0 .. t.sizeof] = 0;
if ( period.total!"seconds" > t.tv_sec.max )
{
t.tv_sec = t.tv_sec.max;
t.tv_nsec = cast(typeof(t.tv_nsec)) period.split!("seconds", "nsecs")().nsecs;
}
else
period.split!("seconds", "nsecs")(t.tv_sec, t.tv_nsec);
while ( true )
{
auto rc = semaphore_timedwait( m_hndl, t );
if ( !rc )
return true;
if ( rc == KERN_OPERATION_TIMED_OUT )
return false;
if ( rc != KERN_ABORTED || errno != EINTR )
throw new SyncError( "Unable to wait for semaphore" );
}
}
else version (Posix)
{
import core.sys.posix.time : clock_gettime, CLOCK_REALTIME;
timespec t = void;
clock_gettime( CLOCK_REALTIME, &t );
mvtspec( t, period );
while ( true )
{
if ( !sem_timedwait( &m_hndl, &t ) )
return true;
if ( errno == ETIMEDOUT )
return false;
if ( errno != EINTR )
throw new SyncError( "Unable to wait for semaphore" );
}
}
}
/**
* Atomically increment the current count by one. This will notify one
* waiter, if there are any in the queue.
*
* Throws:
* SyncError on error.
*/
void notify()
{
version (Windows)
{
if ( !ReleaseSemaphore( m_hndl, 1, null ) )
throw new SyncError( "Unable to notify semaphore" );
}
else version (Darwin)
{
auto rc = semaphore_signal( m_hndl );
if ( rc )
throw new SyncError( "Unable to notify semaphore" );
}
else version (Posix)
{
int rc = sem_post( &m_hndl );
if ( rc )
throw new SyncError( "Unable to notify semaphore" );
}
}
/**
* If the current count is equal to zero, return. Otherwise, atomically
* decrement the count by one and return true.
*
* Throws:
* SyncError on error.
*
* Returns:
* true if the count was above zero and false if not.
*/
bool tryWait()
{
version (Windows)
{
switch ( WaitForSingleObject( m_hndl, 0 ) )
{
case WAIT_OBJECT_0:
return true;
case WAIT_TIMEOUT:
return false;
default:
throw new SyncError( "Unable to wait for semaphore" );
}
}
else version (Darwin)
{
return wait( dur!"hnsecs"(0) );
}
else version (Posix)
{
while ( true )
{
if ( !sem_trywait( &m_hndl ) )
return true;
if ( errno == EAGAIN )
return false;
if ( errno != EINTR )
throw new SyncError( "Unable to wait for semaphore" );
}
}
}
protected:
/// Aliases the operating-system-specific semaphore type.
version (Windows) alias Handle = HANDLE;
/// ditto
else version (Darwin) alias Handle = semaphore_t;
/// ditto
else version (Posix) alias Handle = sem_t;
/// Handle to the system-specific semaphore.
Handle m_hndl;
}
////////////////////////////////////////////////////////////////////////////////
// Unit Tests
////////////////////////////////////////////////////////////////////////////////
unittest
{
import core.thread, core.atomic;
void testWait()
{
auto semaphore = new Semaphore;
shared bool stopConsumption = false;
immutable numToProduce = 20;
immutable numConsumers = 10;
shared size_t numConsumed;
shared size_t numComplete;
void consumer()
{
while (true)
{
semaphore.wait();
if (atomicLoad(stopConsumption))
break;
atomicOp!"+="(numConsumed, 1);
}
atomicOp!"+="(numComplete, 1);
}
void producer()
{
assert(!semaphore.tryWait());
foreach (_; 0 .. numToProduce)
semaphore.notify();
// wait until all items are consumed
while (atomicLoad(numConsumed) != numToProduce)
Thread.yield();
// mark consumption as finished
atomicStore(stopConsumption, true);
// wake all consumers
foreach (_; 0 .. numConsumers)
semaphore.notify();
// wait until all consumers completed
while (atomicLoad(numComplete) != numConsumers)
Thread.yield();
assert(!semaphore.tryWait());
semaphore.notify();
assert(semaphore.tryWait());
assert(!semaphore.tryWait());
}
auto group = new ThreadGroup;
for ( int i = 0; i < numConsumers; ++i )
group.create(&consumer);
group.create(&producer);
group.joinAll();
}
void testWaitTimeout()
{
auto sem = new Semaphore;
shared bool semReady;
bool alertedOne, alertedTwo;
void waiter()
{
while (!atomicLoad(semReady))
Thread.yield();
alertedOne = sem.wait(dur!"msecs"(1));
alertedTwo = sem.wait(dur!"msecs"(1));
assert(alertedOne && !alertedTwo);
}
auto thread = new Thread(&waiter);
thread.start();
sem.notify();
atomicStore(semReady, true);
thread.join();
assert(alertedOne && !alertedTwo);
}
testWait();
testWaitTimeout();
}
| D |
C
C *** DCLAR3 ***
C
C PASSWORDS ---
C
INTEGER RPW1(Z)
INTEGER RPW2(Z)
INTEGER MPW1(Z)
INTEGER MPW2(Z)
| D |
module grammar.variable;
import compiler.source;
import compiler.util;
import grammar.lex;
import grammar.qualified;
// 6 Variable Designator
//variable_designator :
// entire_designator | indexed_designator | selected_designator |
// dereferenced_designator
// ;
public bool parseVariableDesignator(Source source) nothrow
in (source, "Why is the source null?")
do {
const initDepth = source.depth();
scope(exit) assertEqual(initDepth, source.depth());
debugWrite(source, "End of Implementation");
assert(false, "todo finish this");
}
// 6.1 Entire Designator
//entire_designator :
// qualified_identifier
// ;
// 6.2 Indexed Designator
//indexed_designator :
// array_variable_designator '[' index_expression ( ',' index_expression )* ']'
// ;
//array_variable_designator :
// variable_designator
// ;
//index_expression :
// ordinal_expression
// ;
// 6.3 Selected Designator
//selected_designator :
// record_variable_designator '.' field_identifier
// ;
//record_variable_designator :
// variable_designator;
//field_identifier :
// identifier
// ;
public bool parseFieldIdentifier(Source source) nothrow
in (source, "Why is the source null?")
do {
const initDepth = source.depth();
scope(exit) assertEqual(initDepth, source.depth());
return cast(bool) lexIdentifier(source);
}
// 6.4 Dereferenced Designator
//dereferenced_designator :
// pointer_variable_designator '^'
// ;
//pointer_variable_designator :
// variable_designator
// ;
| D |
module dwt.internal.mozilla.nsIRequestObserver;
import dwt.internal.mozilla.Common;
import dwt.internal.mozilla.nsID;
import dwt.internal.mozilla.nsISupports;
import dwt.internal.mozilla.nsIRequest;
const char[] NS_IREQUESTOBSERVER_IID_STR = "fd91e2e0-1481-11d3-9333-00104ba0fd40";
const nsIID NS_IREQUESTOBSERVER_IID=
{0xfd91e2e0, 0x1481, 0x11d3,
[ 0x93, 0x33, 0x00, 0x10, 0x4b, 0xa0, 0xfd, 0x40 ]};
interface nsIRequestObserver : nsISupports {
static const char[] IID_STR = NS_IREQUESTOBSERVER_IID_STR;
static const nsIID IID = NS_IREQUESTOBSERVER_IID;
extern(System):
nsresult OnStartRequest(nsIRequest aRequest, nsISupports aContext);
nsresult OnStopRequest(nsIRequest aRequest, nsISupports aContext, nsresult aStatusCode);
}
| D |
module ogre.math.polygon;
import ogre.math.vector;
import ogre.math.maths;
import ogre.compat;
import std.math;
/** \addtogroup Core
* @{
*/
/** \addtogroup Math
* @{
*/
/** The class represents a polygon in 3D space.
@remarks
It is made up of 3 or more vertices in a single plane, listed in
counter-clockwise order.
*/
class Polygon
{
alias Object.opEquals opEquals;
public:
//typedef vector<Vector3>::type VertexList;
alias Vector3[] VertexList;
//typedef multimap<Vector3, Vector3>::type EdgeMap;
//typedef std::pair< Vector3, Vector3> Edge;
//alias Vector3[][] EdgeMap;
alias pair!(Vector3, Vector3) Edge;
alias Edge[] EdgeMap;
protected:
VertexList mVertexList;
//mutable
Vector3 mNormal;
//mutable
bool mIsNormalSet = false;
/** Updates the normal.
*/
void updateNormal()// const;
{
assert( getVertexCount() >= 3, "Insufficient vertex count!" );
if (mIsNormalSet)
return;
// vertex order is ccw
Vector3 a = getVertex( 0 );
Vector3 b = getVertex( 1 );
Vector3 c = getVertex( 2 );
// used method: Newell
mNormal.x = 0.5f * ( (a.y - b.y) * (a.z + b.z) +
(b.y - c.y) * (b.z + c.z) +
(c.y - a.y) * (c.z + a.z));
mNormal.y = 0.5f * ( (a.z - b.z) * (a.x + b.x) +
(b.z - c.z) * (b.x + c.x) +
(c.z - a.z) * (c.x + a.x));
mNormal.z = 0.5f * ( (a.x - b.x) * (a.y + b.y) +
(b.x - c.x) * (b.y + c.y) +
(c.x - a.x) * (c.y + a.y));
mNormal.normalise();
mIsNormalSet = true;
}
public:
this()
{
// reserve space for 6 vertices to reduce allocation cost
mVertexList.length = 6;
mNormal = Vector3.ZERO;
}
~this() {}
this( Polygon cpy )
{
copyFrom(cpy);
}
void copyFrom( Polygon cpy )
{
mVertexList = cpy.mVertexList.dup; //TODO dup? value types get COW-ed? Objects need to be duped?
mNormal = cpy.mNormal;
mIsNormalSet = cpy.mIsNormalSet;
}
/** Inserts a vertex at a specific position.
@note Vertices must be coplanar.
*/
void insertVertex(Vector3 vdata, size_t vertexIndex)
{
// TODO: optional: check planarity
assert(vertexIndex <= getVertexCount(), "Insert position out of range" );
mVertexList.insertBeforeIdx(vertexIndex, vdata);//TODO vertexIndex+1?
}
/** Inserts a vertex at the end of the polygon.
@note Vertices must be coplanar.
*/
void insertVertex(Vector3 vdata)
{
mVertexList.insert(vdata);
}
/** Returns a vertex.
*/
Vector3 getVertex(size_t vertex) //const;
{
assert(vertex < getVertexCount(), "Search position out of range");
return mVertexList[vertex];
}
/** Sets a specific vertex of a polygon.
@note Vertices must be coplanar.
*/
void setVertex(Vector3 vdata, size_t vertexIndex)
{
// TODO: optional: check planarity
assert(vertexIndex < getVertexCount(), "Search position out of range" );
// set new vertex
mVertexList[ vertexIndex ] = vdata;
}
/** Removes duplicate vertices from a polygon.
*/
void removeDuplicates()
{
for ( size_t i = 0; i < getVertexCount(); ++i )
{
Vector3 a = getVertex( i );
Vector3 b = getVertex( (i + 1)%getVertexCount() );
if (a.positionEquals(b))
{
deleteVertex(i);
--i;
}
}
}
/** Vertex count.
*/
size_t getVertexCount() //const;
{
return mVertexList.length;
}
/** Returns the polygon normal.
*/
Vector3 getNormal()// const;
{
assert( getVertexCount() >= 3, "Insufficient vertex count!" );
updateNormal();
return mNormal;
}
/** Deletes a specific vertex.
*/
void deleteVertex(size_t vertex)
{
assert( vertex < getVertexCount(), "Search position out of range" );
mVertexList.removeFromArrayIdx( vertex );
}
/** Determines if a point is inside the polygon.
@remarks
A point is inside a polygon if it is both on the polygon's plane,
and within the polygon's bounds. Polygons are assumed to be convex
and planar.
*/
bool isPointInside(Vector3 point) //const;
{
// sum the angles
Real anglesum = 0;
size_t n = getVertexCount();
for (size_t i = 0; i < n; i++)
{
Vector3 p1 = getVertex(i);
Vector3 p2 = getVertex((i + 1) % n);
Vector3 v1 = p1 - point;
Vector3 v2 = p2 - point;
Real len1 = v1.length();
Real len2 = v2.length();
if (Math.RealEqual(len1 * len2, 0.0f, 1e-4f))
{
// We are on a vertex so consider this inside
return true;
}
else
{
Real costheta = v1.dotProduct(v2) / (len1 * len2);
anglesum += acos(costheta);
}
}
// result should be 2*PI if point is inside poly
return Math.RealEqual(anglesum, Math.TWO_PI, 1e-4f);
}
/** Stores the edges of the polygon in ccw order.
The vertices are copied so the user has to take the
deletion into account.
*/
void storeEdges(ref EdgeMap edgeMap)// const;
{
//OgreAssert( edgeMap != NULL, "EdgeMap ptr is NULL" );
size_t vertexCount = getVertexCount();
for ( size_t i = 0; i < vertexCount; ++i )
{
edgeMap.insert( Edge( getVertex( i ), getVertex( ( i + 1 ) % vertexCount ) ) );
}
}
/** Resets the object.
*/
void reset()
{
// could use swap() to free memory here, but assume most may be reused so avoid realloc
mVertexList.clear();
mIsNormalSet = false;
}
/** Determines if the current object is equal to the compared one.
*/
bool opEquals (Polygon rhs)// const;
{
if ( getVertexCount() != rhs.getVertexCount() )
return false;
// Compare vertices. They may differ in its starting position.
// find start
size_t start = 0;
bool foundStart = false;
for (size_t i = 0; i < getVertexCount(); ++i )
{
if (getVertex(0).positionEquals(rhs.getVertex(i)))
{
start = i;
foundStart = true;
break;
}
}
if (!foundStart)
return false;
for (size_t i = 0; i < getVertexCount(); ++i )
{
Vector3 vA = getVertex( i );
Vector3 vB = rhs.getVertex( ( i + start) % getVertexCount() );
if (!vA.positionEquals(vB))
return false;
}
return true;
}
/** Prints out the polygon data.
*/
override string toString()
{
string str = std.conv.text("NUM VERTICES: ", getVertexCount(), "\n");
for (size_t j = 0; j < getVertexCount(); ++j )
{
str ~= std.conv.text("VERTEX ", j, ": ", getVertex( j ), "\n");
}
return str;
}
}
/** @} */
/** @} */ | D |
instance Mod_1751_KDF_Magier_PAT (Npc_Default)
{
// ------ NSC ------
name = NAME_ordenspriester;
guild = GIL_vlk;
id = 1751;
voice = 0;
flags = 0; //NPC_FLAG_IMMORTAL oder 0
npctype = NPCTYPE_pat_ordenspriester_mauer;
// ------ Attribute ------
B_SetAttributesToChapter (self, 5);
aivar[AIV_MagicUser] = MAGIC_ALWAYS; //setzt Attribute und LEVEL entsprechend dem angegebenen Kapitel (1-6)
// ------ NSC-relevante Talente vergeben ------
B_GiveNpcTalents (self);
// ------ Kampf-Talente ------ //Der enthaltene B_AddFightSkill setzt Talent-Ani abhängig von TrefferChance% - alle Kampftalente werden gleichhoch gesetzt
B_SetFightSkills (self, 65); //Grenzen für Talent-Level liegen bei 30 und 60
// ------ Kampf-Taktik ------
fight_tactic = FAI_HUMAN_STRONG; // MASTER / STRONG / COWARD
// ------ Equippte Waffen ------
EquipItem (self, ItMW_Addon_Stab01);
// ------ Inventory ------
B_CreateAmbientInv (self);
// ------ visuals ------ //Muss NACH Attributen kommen, weil in B_SetNpcVisual die Breite abh. v. STR skaliert wird
B_SetNpcVisual (self, MALE, "Hum_Head_Bald", Face_L_Ian, BodyTex_L, ITAR_KDF_h);
Mdl_SetModelFatness (self, 1);
Mdl_ApplyOverlayMds (self, "Humans_Mage.mds"); // Tired / Militia / Mage / Arrogance / Relaxed
// ------ TA anmelden ------
daily_routine = Rtn_Start_1751;
};
FUNC VOID Rtn_Start_1751 ()
{
TA_Stand_Guarding_WP (08,05,22,05,"WP_PAT_WEG_113");
TA_Stand_Guarding_WP (22,05,08,05,"WP_PAT_WEG_113");
};
FUNC VOID Rtn_Kirche_1751 ()
{
TA_Pray_Innos_FP (08,05,22,05,"WP_PAT_WEG_183");
TA_Pray_Innos_FP (22,05,08,05,"WP_PAT_WEG_183");
}; | D |
/**
* Compiler implementation of the
* $(LINK2 http://www.dlang.org, D programming language).
*
* Copyright: Copyright (C) 1999-2019 by The D Language Foundation, All Rights Reserved
* Authors: $(LINK2 http://www.digitalmars.com, Walter Bright)
* License: $(LINK2 http://www.boost.org/LICENSE_1_0.txt, Boost License 1.0)
* Source: $(LINK2 https://github.com/dlang/dmd/blob/master/src/dmd/cond.d, _cond.d)
* Documentation: https://dlang.org/phobos/dmd_cond.html
* Coverage: https://codecov.io/gh/dlang/dmd/src/master/src/dmd/cond.d
*/
module dmd.cond;
import core.stdc.string;
import dmd.arraytypes;
import dmd.ast_node;
import dmd.dmodule;
import dmd.dscope;
import dmd.dsymbol;
import dmd.errors;
import dmd.expression;
import dmd.expressionsem;
import dmd.globals;
import dmd.identifier;
import dmd.mtype;
import dmd.root.outbuffer;
import dmd.root.rootobject;
import dmd.tokens;
import dmd.utils;
import dmd.visitor;
import dmd.id;
import dmd.statement;
import dmd.declaration;
import dmd.dstruct;
import dmd.func;
/***********************************************************
*/
enum Include
{
notComputed, /// not computed yet
yes, /// include the conditional code
no, /// do not include the conditional code
}
extern (C++) abstract class Condition : ASTNode
{
Loc loc;
Include inc;
override final DYNCAST dyncast() const
{
return DYNCAST.condition;
}
extern (D) this(const ref Loc loc)
{
this.loc = loc;
}
abstract Condition syntaxCopy();
abstract int include(Scope* sc);
inout(DebugCondition) isDebugCondition() inout
{
return null;
}
inout(VersionCondition) isVersionCondition() inout
{
return null;
}
override void accept(Visitor v)
{
v.visit(this);
}
}
/***********************************************************
* Implements common functionality for StaticForeachDeclaration and
* StaticForeachStatement This performs the necessary lowerings before
* dmd.statementsem.makeTupleForeach can be used to expand the
* corresponding `static foreach` declaration or statement.
*/
extern (C++) final class StaticForeach : RootObject
{
extern(D) static immutable tupleFieldName = "tuple"; // used in lowering
Loc loc;
/***************
* Not `null` iff the `static foreach` is over an aggregate. In
* this case, it contains the corresponding ForeachStatement. For
* StaticForeachDeclaration, the body is `null`.
*/
ForeachStatement aggrfe;
/***************
* Not `null` iff the `static foreach` is over a range. Exactly
* one of the `aggrefe` and `rangefe` fields is not null. See
* `aggrfe` field for more details.
*/
ForeachRangeStatement rangefe;
/***************
* true if it is necessary to expand a tuple into multiple
* variables (see lowerNonArrayAggregate).
*/
bool needExpansion = false;
extern (D) this(const ref Loc loc,ForeachStatement aggrfe,ForeachRangeStatement rangefe)
{
assert(!!aggrfe ^ !!rangefe);
this.loc = loc;
this.aggrfe = aggrfe;
this.rangefe = rangefe;
}
StaticForeach syntaxCopy()
{
return new StaticForeach(
loc,
aggrfe ? cast(ForeachStatement)aggrfe.syntaxCopy() : null,
rangefe ? cast(ForeachRangeStatement)rangefe.syntaxCopy() : null
);
}
/*****************************************
* Turn an aggregate which is an array into an expression tuple
* of its elements. I.e., lower
* static foreach (x; [1, 2, 3, 4]) { ... }
* to
* static foreach (x; AliasSeq!(1, 2, 3, 4)) { ... }
*/
private extern(D) void lowerArrayAggregate(Scope* sc)
{
auto aggr = aggrfe.aggr;
Expression el = new ArrayLengthExp(aggr.loc, aggr);
sc = sc.startCTFE();
el = el.expressionSemantic(sc);
sc = sc.endCTFE();
el = el.optimize(WANTvalue);
el = el.ctfeInterpret();
if (el.op == TOK.int64)
{
dinteger_t length = el.toInteger();
auto es = new Expressions();
foreach (i; 0 .. length)
{
auto index = new IntegerExp(loc, i, Type.tsize_t);
auto value = new IndexExp(aggr.loc, aggr, index);
es.push(value);
}
aggrfe.aggr = new TupleExp(aggr.loc, es);
aggrfe.aggr = aggrfe.aggr.expressionSemantic(sc);
aggrfe.aggr = aggrfe.aggr.optimize(WANTvalue);
}
else
{
aggrfe.aggr = new ErrorExp();
}
}
/*****************************************
* Wrap a statement into a function literal and call it.
*
* Params:
* loc = The source location.
* s = The statement.
* Returns:
* AST of the expression `(){ s; }()` with location loc.
*/
private extern(D) Expression wrapAndCall(const ref Loc loc, Statement s)
{
auto tf = new TypeFunction(ParameterList(), null, LINK.default_, 0);
auto fd = new FuncLiteralDeclaration(loc, loc, tf, TOK.reserved, null);
fd.fbody = s;
auto fe = new FuncExp(loc, fd);
auto ce = new CallExp(loc, fe, new Expressions());
return ce;
}
/*****************************************
* Create a `foreach` statement from `aggrefe/rangefe` with given
* `foreach` variables and body `s`.
*
* Params:
* loc = The source location.
* parameters = The foreach variables.
* s = The `foreach` body.
* Returns:
* `foreach (parameters; aggregate) s;` or
* `foreach (parameters; lower .. upper) s;`
* Where aggregate/lower, upper are as for the current StaticForeach.
*/
private extern(D) Statement createForeach(const ref Loc loc, Parameters* parameters, Statement s)
{
if (aggrfe)
{
return new ForeachStatement(loc, aggrfe.op, parameters, aggrfe.aggr.syntaxCopy(), s, loc);
}
else
{
assert(rangefe && parameters.dim == 1);
return new ForeachRangeStatement(loc, rangefe.op, (*parameters)[0], rangefe.lwr.syntaxCopy(), rangefe.upr.syntaxCopy(), s, loc);
}
}
/*****************************************
* For a `static foreach` with multiple loop variables, the
* aggregate is lowered to an array of tuples. As D does not have
* built-in tuples, we need a suitable tuple type. This generates
* a `struct` that serves as the tuple type. This type is only
* used during CTFE and hence its typeinfo will not go to the
* object file.
*
* Params:
* loc = The source location.
* e = The expressions we wish to store in the tuple.
* sc = The current scope.
* Returns:
* A struct type of the form
* struct Tuple
* {
* typeof(AliasSeq!(e)) tuple;
* }
*/
private extern(D) TypeStruct createTupleType(const ref Loc loc, Expressions* e, Scope* sc)
{ // TODO: move to druntime?
auto sid = Identifier.generateId("Tuple");
auto sdecl = new StructDeclaration(loc, sid, false);
sdecl.storage_class |= STC.static_;
sdecl.members = new Dsymbols();
auto fid = Identifier.idPool(tupleFieldName.ptr, tupleFieldName.length);
auto ty = new TypeTypeof(loc, new TupleExp(loc, e));
sdecl.members.push(new VarDeclaration(loc, ty, fid, null, 0));
auto r = cast(TypeStruct)sdecl.type;
r.vtinfo = TypeInfoStructDeclaration.create(r); // prevent typeinfo from going to object file
return r;
}
/*****************************************
* Create the AST for an instantiation of a suitable tuple type.
*
* Params:
* loc = The source location.
* type = A Tuple type, created with createTupleType.
* e = The expressions we wish to store in the tuple.
* Returns:
* An AST for the expression `Tuple(e)`.
*/
private extern(D) Expression createTuple(const ref Loc loc, TypeStruct type, Expressions* e)
{ // TODO: move to druntime?
return new CallExp(loc, new TypeExp(loc, type), e);
}
/*****************************************
* Lower any aggregate that is not an array to an array using a
* regular foreach loop within CTFE. If there are multiple
* `static foreach` loop variables, an array of tuples is
* generated. In thise case, the field `needExpansion` is set to
* true to indicate that the static foreach loop expansion will
* need to expand the tuples into multiple variables.
*
* For example, `static foreach (x; range) { ... }` is lowered to:
*
* static foreach (x; {
* typeof({
* foreach (x; range) return x;
* }())[] __res;
* foreach (x; range) __res ~= x;
* return __res;
* }()) { ... }
*
* Finally, call `lowerArrayAggregate` to turn the produced
* array into an expression tuple.
*
* Params:
* sc = The current scope.
*/
private void lowerNonArrayAggregate(Scope* sc)
{
auto nvars = aggrfe ? aggrfe.parameters.dim : 1;
auto aloc = aggrfe ? aggrfe.aggr.loc : rangefe.lwr.loc;
// We need three sets of foreach loop variables because the
// lowering contains three foreach loops.
Parameters*[3] pparams = [new Parameters(), new Parameters(), new Parameters()];
foreach (i; 0 .. nvars)
{
foreach (params; pparams)
{
auto p = aggrfe ? (*aggrfe.parameters)[i] : rangefe.prm;
params.push(new Parameter(p.storageClass, p.type, p.ident, null, null));
}
}
Expression[2] res;
TypeStruct tplty = null;
if (nvars == 1) // only one `static foreach` variable, generate identifiers.
{
foreach (i; 0 .. 2)
{
res[i] = new IdentifierExp(aloc, (*pparams[i])[0].ident);
}
}
else // multiple `static foreach` variables, generate tuples.
{
foreach (i; 0 .. 2)
{
auto e = new Expressions(pparams[0].dim);
foreach (j, ref elem; *e)
{
auto p = (*pparams[i])[j];
elem = new IdentifierExp(aloc, p.ident);
}
if (!tplty)
{
tplty = createTupleType(aloc, e, sc);
}
res[i] = createTuple(aloc, tplty, e);
}
needExpansion = true; // need to expand the tuples later
}
// generate remaining code for the new aggregate which is an
// array (see documentation comment).
if (rangefe)
{
sc = sc.startCTFE();
rangefe.lwr = rangefe.lwr.expressionSemantic(sc);
rangefe.lwr = resolveProperties(sc, rangefe.lwr);
rangefe.upr = rangefe.upr.expressionSemantic(sc);
rangefe.upr = resolveProperties(sc, rangefe.upr);
sc = sc.endCTFE();
rangefe.lwr = rangefe.lwr.optimize(WANTvalue);
rangefe.lwr = rangefe.lwr.ctfeInterpret();
rangefe.upr = rangefe.upr.optimize(WANTvalue);
rangefe.upr = rangefe.upr.ctfeInterpret();
}
auto s1 = new Statements();
auto sfe = new Statements();
if (tplty) sfe.push(new ExpStatement(loc, tplty.sym));
sfe.push(new ReturnStatement(aloc, res[0]));
s1.push(createForeach(aloc, pparams[0], new CompoundStatement(aloc, sfe)));
s1.push(new ExpStatement(aloc, new AssertExp(aloc, new IntegerExp(aloc, 0, Type.tint32))));
auto ety = new TypeTypeof(aloc, wrapAndCall(aloc, new CompoundStatement(aloc, s1)));
auto aty = ety.arrayOf();
auto idres = Identifier.generateId("__res");
auto vard = new VarDeclaration(aloc, aty, idres, null);
auto s2 = new Statements();
s2.push(new ExpStatement(aloc, vard));
auto catass = new CatAssignExp(aloc, new IdentifierExp(aloc, idres), res[1]);
s2.push(createForeach(aloc, pparams[1], new ExpStatement(aloc, catass)));
s2.push(new ReturnStatement(aloc, new IdentifierExp(aloc, idres)));
auto aggr = wrapAndCall(aloc, new CompoundStatement(aloc, s2));
sc = sc.startCTFE();
aggr = aggr.expressionSemantic(sc);
aggr = resolveProperties(sc, aggr);
sc = sc.endCTFE();
aggr = aggr.optimize(WANTvalue);
aggr = aggr.ctfeInterpret();
assert(!!aggrfe ^ !!rangefe);
aggrfe = new ForeachStatement(loc, TOK.foreach_, pparams[2], aggr,
aggrfe ? aggrfe._body : rangefe._body,
aggrfe ? aggrfe.endloc : rangefe.endloc);
rangefe = null;
lowerArrayAggregate(sc); // finally, turn generated array into expression tuple
}
/*****************************************
* Perform `static foreach` lowerings that are necessary in order
* to finally expand the `static foreach` using
* `dmd.statementsem.makeTupleForeach`.
*/
extern(D) void prepare(Scope* sc)
{
assert(sc);
if (aggrfe)
{
sc = sc.startCTFE();
aggrfe.aggr = aggrfe.aggr.expressionSemantic(sc);
sc = sc.endCTFE();
aggrfe.aggr = aggrfe.aggr.optimize(WANTvalue);
auto tab = aggrfe.aggr.type.toBasetype();
if (tab.ty != Ttuple)
{
aggrfe.aggr = aggrfe.aggr.ctfeInterpret();
}
}
if (aggrfe && aggrfe.aggr.type.toBasetype().ty == Terror)
{
return;
}
if (!ready())
{
if (aggrfe && aggrfe.aggr.type.toBasetype().ty == Tarray)
{
lowerArrayAggregate(sc);
}
else
{
lowerNonArrayAggregate(sc);
}
}
}
/*****************************************
* Returns:
* `true` iff ready to call `dmd.statementsem.makeTupleForeach`.
*/
extern(D) bool ready()
{
return aggrfe && aggrfe.aggr && aggrfe.aggr.type && aggrfe.aggr.type.toBasetype().ty == Ttuple;
}
}
/***********************************************************
*/
extern (C++) class DVCondition : Condition
{
uint level;
Identifier ident;
Module mod;
extern (D) this(Module mod, uint level, Identifier ident)
{
super(Loc.initial);
this.mod = mod;
this.level = level;
this.ident = ident;
}
override final Condition syntaxCopy()
{
return this; // don't need to copy
}
override void accept(Visitor v)
{
v.visit(this);
}
}
/***********************************************************
*/
extern (C++) final class DebugCondition : DVCondition
{
/**
* Add an user-supplied identifier to the list of global debug identifiers
*
* Can be called from either the driver or a `debug = Ident;` statement.
* Unlike version identifier, there isn't any reserved debug identifier
* so no validation takes place.
*
* Params:
* ident = identifier to add
*/
deprecated("Kept for C++ compat - Use the string overload instead")
static void addGlobalIdent(const(char)* ident)
{
addGlobalIdent(ident[0 .. ident.strlen]);
}
/// Ditto
extern(D) static void addGlobalIdent(string ident)
{
// Overload necessary for string literals
addGlobalIdent(cast(const(char)[])ident);
}
/// Ditto
extern(D) static void addGlobalIdent(const(char)[] ident)
{
if (!global.debugids)
global.debugids = new Identifiers();
global.debugids.push(Identifier.idPool(ident));
}
/**
* Instantiate a new `DebugCondition`
*
* Params:
* mod = Module this node belongs to
* level = Minimum global level this condition needs to pass.
* Only used if `ident` is `null`.
* ident = Identifier required for this condition to pass.
* If `null`, this conditiion will use an integer level.
*/
extern (D) this(Module mod, uint level, Identifier ident)
{
super(mod, level, ident);
}
override int include(Scope* sc)
{
//printf("DebugCondition::include() level = %d, debuglevel = %d\n", level, global.params.debuglevel);
if (inc == Include.notComputed)
{
inc = Include.no;
bool definedInModule = false;
if (ident)
{
if (findCondition(mod.debugids, ident))
{
inc = Include.yes;
definedInModule = true;
}
else if (findCondition(global.debugids, ident))
inc = Include.yes;
else
{
if (!mod.debugidsNot)
mod.debugidsNot = new Identifiers();
mod.debugidsNot.push(ident);
}
}
else if (level <= global.params.debuglevel || level <= mod.debuglevel)
inc = Include.yes;
if (!definedInModule)
printDepsConditional(sc, this, "depsDebug ");
}
return (inc == Include.yes);
}
override inout(DebugCondition) isDebugCondition() inout
{
return this;
}
override void accept(Visitor v)
{
v.visit(this);
}
override const(char)* toChars() const
{
return ident ? ident.toChars() : "debug".ptr;
}
}
/**
* Node to represent a version condition
*
* A version condition is of the form:
* ---
* version (Identifier)
* ---
* In user code.
* This class also provides means to add version identifier
* to the list of global (cross module) identifiers.
*/
extern (C++) final class VersionCondition : DVCondition
{
/**
* Check if a given version identifier is reserved.
*
* Params:
* ident = identifier being checked
*
* Returns:
* `true` if it is reserved, `false` otherwise
*/
extern(D) private static bool isReserved(const(char)[] ident)
{
// This list doesn't include "D_*" versions, see the last return
switch (ident)
{
case "DigitalMars":
case "GNU":
case "LDC":
case "SDC":
case "Windows":
case "Win32":
case "Win64":
case "linux":
case "OSX":
case "iOS":
case "TVOS":
case "WatchOS":
case "FreeBSD":
case "OpenBSD":
case "NetBSD":
case "DragonFlyBSD":
case "BSD":
case "Solaris":
case "Posix":
case "AIX":
case "Haiku":
case "SkyOS":
case "SysV3":
case "SysV4":
case "Hurd":
case "Android":
case "Emscripten":
case "PlayStation":
case "PlayStation4":
case "Cygwin":
case "MinGW":
case "FreeStanding":
case "X86":
case "X86_64":
case "ARM":
case "ARM_Thumb":
case "ARM_SoftFloat":
case "ARM_SoftFP":
case "ARM_HardFloat":
case "AArch64":
case "AsmJS":
case "Epiphany":
case "PPC":
case "PPC_SoftFloat":
case "PPC_HardFloat":
case "PPC64":
case "IA64":
case "MIPS32":
case "MIPS64":
case "MIPS_O32":
case "MIPS_N32":
case "MIPS_O64":
case "MIPS_N64":
case "MIPS_EABI":
case "MIPS_SoftFloat":
case "MIPS_HardFloat":
case "MSP430":
case "NVPTX":
case "NVPTX64":
case "RISCV32":
case "RISCV64":
case "SPARC":
case "SPARC_V8Plus":
case "SPARC_SoftFloat":
case "SPARC_HardFloat":
case "SPARC64":
case "S390":
case "S390X":
case "SystemZ":
case "HPPA":
case "HPPA64":
case "SH":
case "WebAssembly":
case "Alpha":
case "Alpha_SoftFloat":
case "Alpha_HardFloat":
case "LittleEndian":
case "BigEndian":
case "ELFv1":
case "ELFv2":
case "CRuntime_Bionic":
case "CRuntime_DigitalMars":
case "CRuntime_Glibc":
case "CRuntime_Microsoft":
case "CRuntime_Musl":
case "CRuntime_UClibc":
case "CppRuntime_Clang":
case "CppRuntime_DigitalMars":
case "CppRuntime_Gcc":
case "CppRuntime_Microsoft":
case "CppRuntime_Sun":
case "unittest":
case "assert":
case "all":
case "none":
return true;
default:
// Anything that starts with "D_" is reserved
return (ident.length >= 2 && ident[0 .. 2] == "D_");
}
}
/**
* Raises an error if a version identifier is reserved.
*
* Called when setting a version identifier, e.g. `-version=identifier`
* parameter to the compiler or `version = Foo` in user code.
*
* Params:
* loc = Where the identifier is set
* ident = identifier being checked (ident[$] must be '\0')
*/
extern(D) static void checkReserved(const ref Loc loc, const(char)[] ident)
{
if (isReserved(ident))
error(loc, "version identifier `%s` is reserved and cannot be set",
ident.ptr);
}
/**
* Add an user-supplied global identifier to the list
*
* Only called from the driver for `-version=Ident` parameters.
* Will raise an error if the identifier is reserved.
*
* Params:
* ident = identifier to add
*/
deprecated("Kept for C++ compat - Use the string overload instead")
static void addGlobalIdent(const(char)* ident)
{
addGlobalIdent(ident[0 .. ident.strlen]);
}
/// Ditto
extern(D) static void addGlobalIdent(string ident)
{
// Overload necessary for string literals
addGlobalIdent(cast(const(char)[])ident);
}
/// Ditto
extern(D) static void addGlobalIdent(const(char)[] ident)
{
checkReserved(Loc.initial, ident);
addPredefinedGlobalIdent(ident);
}
/**
* Add any global identifier to the list, without checking
* if it's predefined
*
* Only called from the driver after platform detection,
* and internally.
*
* Params:
* ident = identifier to add (ident[$] must be '\0')
*/
deprecated("Kept for C++ compat - Use the string overload instead")
static void addPredefinedGlobalIdent(const(char)* ident)
{
addPredefinedGlobalIdent(ident[0 .. ident.strlen]);
}
/// Ditto
extern(D) static void addPredefinedGlobalIdent(string ident)
{
// Forward: Overload necessary for string literal
addPredefinedGlobalIdent(cast(const(char)[])ident);
}
/// Ditto
extern(D) static void addPredefinedGlobalIdent(const(char)[] ident)
{
if (!global.versionids)
global.versionids = new Identifiers();
global.versionids.push(Identifier.idPool(ident));
}
/**
* Instantiate a new `VersionCondition`
*
* Params:
* mod = Module this node belongs to
* level = Minimum global level this condition needs to pass.
* Only used if `ident` is `null`.
* ident = Identifier required for this condition to pass.
* If `null`, this conditiion will use an integer level.
*/
extern (D) this(Module mod, uint level, Identifier ident)
{
super(mod, level, ident);
}
override int include(Scope* sc)
{
//printf("VersionCondition::include() level = %d, versionlevel = %d\n", level, global.params.versionlevel);
//if (ident) printf("\tident = '%s'\n", ident.toChars());
if (inc == Include.notComputed)
{
inc = Include.no;
bool definedInModule = false;
if (ident)
{
if (findCondition(mod.versionids, ident))
{
inc = Include.yes;
definedInModule = true;
}
else if (findCondition(global.versionids, ident))
inc = Include.yes;
else
{
if (!mod.versionidsNot)
mod.versionidsNot = new Identifiers();
mod.versionidsNot.push(ident);
}
}
else if (level <= global.params.versionlevel || level <= mod.versionlevel)
inc = Include.yes;
if (!definedInModule &&
(!ident || (!isReserved(ident.toString()) && ident != Id._unittest && ident != Id._assert)))
{
printDepsConditional(sc, this, "depsVersion ");
}
}
return (inc == Include.yes);
}
override inout(VersionCondition) isVersionCondition() inout
{
return this;
}
override void accept(Visitor v)
{
v.visit(this);
}
override const(char)* toChars() const
{
return ident ? ident.toChars() : "version".ptr;
}
}
/***********************************************************
*/
extern (C++) final class StaticIfCondition : Condition
{
Expression exp;
extern (D) this(const ref Loc loc, Expression exp)
{
super(loc);
this.exp = exp;
}
override Condition syntaxCopy()
{
return new StaticIfCondition(loc, exp.syntaxCopy());
}
override int include(Scope* sc)
{
// printf("StaticIfCondition::include(sc = %p) this=%p inc = %d\n", sc, this, inc);
int errorReturn()
{
if (!global.gag)
inc = Include.no; // so we don't see the error message again
return 0;
}
if (inc == Include.notComputed)
{
if (!sc)
{
error(loc, "`static if` conditional cannot be at global scope");
inc = Include.no;
return 0;
}
import dmd.staticcond;
bool errors;
bool result = evalStaticCondition(sc, exp, exp, errors);
// Prevent repeated condition evaluation.
// See: fail_compilation/fail7815.d
if (inc != Include.notComputed)
return (inc == Include.yes);
if (errors)
return errorReturn();
if (result)
inc = Include.yes;
else
inc = Include.no;
}
return (inc == Include.yes);
}
override void accept(Visitor v)
{
v.visit(this);
}
override const(char)* toChars() const
{
return exp ? exp.toChars() : "static if".ptr;
}
}
/****************************************
* Find `ident` in an array of identifiers.
* Params:
* ids = array of identifiers
* ident = identifier to search for
* Returns:
* true if found
*/
bool findCondition(Identifiers* ids, Identifier ident)
{
if (ids)
{
foreach (id; *ids)
{
if (id == ident)
return true;
}
}
return false;
}
// Helper for printing dependency information
private void printDepsConditional(Scope* sc, DVCondition condition, const(char)[] depType)
{
if (!global.params.moduleDeps || global.params.moduleDepsFile)
return;
OutBuffer* ob = global.params.moduleDeps;
Module imod = sc ? sc.instantiatingModule() : condition.mod;
if (!imod)
return;
ob.writestring(depType);
ob.writestring(imod.toPrettyChars());
ob.writestring(" (");
escapePath(ob, imod.srcfile.toChars());
ob.writestring(") : ");
if (condition.ident)
ob.writestring(condition.ident.toString());
else
ob.print(condition.level);
ob.writeByte('\n');
}
| D |
///
module dpq.serialisers.scalar;
import dpq.serialisation;
import dpq.value : Type;
import dpq.connection : Connection;
import libpq.libpq;
import std.bitmanip : nativeToBigEndian, read;
import std.string : format;
import std.typecons : Nullable;
struct ScalarSerialiser
{
static bool isSupportedType(T)()
{
return (T.stringof in _supportedTypes) != null;
}
static void enforceSupportedType(T)()
{
static assert(
isSupportedType!T,
"'%s' is not supported by ScalarSerialiser".format(T.stringof));
}
static Nullable!(ubyte[]) serialise(T)(T val)
{
enforceSupportedType!T;
alias RT = Nullable!(ubyte[]);
import std.stdio;
if (isAnyNull(val))
return RT.init;
auto bytes = nativeToBigEndian(val);
return RT(bytes.dup);
}
static T deserialise(T)(const(ubyte)[] bytes)
{
enforceSupportedType!T;
return bytes.read!T;
}
static Oid oidForType(T)()
{
enforceSupportedType!T;
return _supportedTypes[T.stringof].oid;
}
static string nameForType(T)()
{
enforceSupportedType!T;
return _supportedTypes[T.stringof].name;
}
static void ensureExistence(T)(Connection c)
{
return;
}
private struct _Type
{
Oid oid;
string name;
}
private static enum _Type[string] _supportedTypes = [
"bool": _Type(Type.BOOL, "BOOL"),
"byte": _Type(Type.CHAR, "CHAR"),
"char": _Type(Type.CHAR, "CHAR"),
"short": _Type(Type.INT2, "INT2"),
"wchar": _Type(Type.INT2, "INT2"),
"int": _Type(Type.INT4, "INT4"),
"dchar": _Type(Type.INT4, "INT4"),
"long": _Type(Type.INT8, "INT8"),
"float": _Type(Type.FLOAT4, "FLOAT4"),
"double": _Type(Type.FLOAT8, "FLOAT8")
];
}
unittest
{
import std.stdio;
writeln(" * ScalarSerialiser");
// Not much to test here, since it's just a wrapper around D's stdlib
int a = 123;
auto serialised = ScalarSerialiser.serialise(a);
assert(ScalarSerialiser.deserialise!int(serialised.get) == a);
}
| D |
module dlangui.graphics.scene.objimport;
public import dlangui.core.config;
static if (ENABLE_OPENGL):
static if (BACKEND_GUI):
import dlangui.core.logger;
import dlangui.core.math3d;
import dlangui.dml.tokenizer;
import dlangui.graphics.scene.mesh;
struct ObjModelImport {
alias FaceIndex = int[3];
private float[] _vertexData;
private float[] _normalData;
private float[] _txData;
private int _vertexCount;
private int _normalCount;
private int _triangleCount;
private int _txCount;
private float[8] _buf;
MeshRef mesh;
protected float[] parseFloatList(Token[] tokens, int maxItems = 3, float padding = 0) return {
int i = 0;
int sgn = 1;
foreach(t; tokens) {
if (i >= maxItems)
break;
if (t.type == TokenType.floating) {
_buf[i++] = cast(float)(t.floatvalue * sgn);
sgn = 1;
} else if (t.type == TokenType.integer) {
_buf[i++] = cast(float)(t.intvalue * sgn);
sgn = 1;
} else if (t.type == TokenType.minus) {
sgn = -1;
}
}
while(i < maxItems)
_buf[i++] = padding;
if (i > 0)
return _buf[0 .. i];
return null;
}
//# List of geometric vertices, with (x,y,z[,w]) coordinates, w is optional and defaults to 1.0.
//v 0.123 0.234 0.345 1.0
protected bool parseVertexLine(Token[] tokens) {
float[] data = parseFloatList(tokens, 3, 0);
if (data.length == 3) {
_vertexData ~= data;
_vertexCount++;
return true;
}
return false;
}
//# List of texture coordinates, in (u, v [,w]) coordinates, these will vary between 0 and 1, w is optional and defaults to 0.
//vt 0.500 1 [0]
protected bool parseVertexTextureLine(Token[] tokens) {
float[] data = parseFloatList(tokens, 2, 0);
if (data.length == 2) {
_txData ~= data;
_txCount++;
return true;
}
return false;
}
//# List of vertex normals in (x,y,z) form; normals might not be unit vectors.
//vn 0.707 0.000 0.707
protected bool parseVertexNormalsLine(Token[] tokens) {
float[] data = parseFloatList(tokens, 3, 0);
if (data.length == 3) {
_normalData ~= data;
_normalCount++;
return true;
}
return false;
}
static protected bool skipToken(ref Token[] tokens) {
tokens = tokens.length > 1 ? tokens[1 .. $] : null;
return tokens.length > 0;
}
static protected bool parseIndex(ref Token[] tokens, ref int data) {
int sign = 1;
if (tokens[0].type == TokenType.minus) {
sign = -1;
skipToken(tokens);
}
if (tokens[0].type == TokenType.integer) {
data = tokens[0].intvalue * sign;
skipToken(tokens);
return true;
}
return false;
}
static protected bool skip(ref Token[] tokens, TokenType type) {
if (tokens.length > 0 && tokens[0].type == type) {
skipToken(tokens);
return true;
}
return false;
}
static protected bool parseFaceIndex(ref Token[] tokens, ref FaceIndex data) {
int i = 0;
if (tokens.length == 0)
return false;
if (!parseIndex(tokens, data[0]))
return false;
if (skip(tokens, TokenType.divide)) {
parseIndex(tokens, data[1]);
if (skip(tokens, TokenType.divide)) {
if (!parseIndex(tokens, data[2]))
return false;
}
}
return tokens.length == 0 || skip(tokens, TokenType.whitespace);
}
//# Parameter space vertices in ( u [,v] [,w] ) form; free form geometry statement ( see below )
//vp 0.310000 3.210000 2.100000
protected bool parseParameterSpaceLine(Token[] tokens) {
// not supported
return true;
}
//f 1 2 3
//f 3/1 4/2 5/3
//f 6/4/1 3/5/3 7/6/5
protected bool parseFaceLine(Token[] tokens) {
FaceIndex[10] indexes;
int i = 0;
while(parseFaceIndex(tokens, indexes[i])) {
if (++i >= 10)
break;
}
for (int j = 1; j + 1 < i; j++)
addTriangle(indexes[0], indexes[j], indexes[j + 1]);
return true;
}
vec3 vertexForIndex(int index) {
if (index < 0)
index = _vertexCount + 1 + index;
if (index >= 1 && index <= _vertexCount) {
index = (index - 1) * 3;
return vec3(&_vertexData[index]);
}
return vec3.init;
}
vec3 normalForIndex(int index) {
if (index < 0)
index = _normalCount + 1 + index;
if (index >= 1 && index <= _normalCount) {
index = (index - 1) * 3;
return vec3(&_normalData[index]);
}
return vec3(0, 0, 1);
}
vec2 txForIndex(int index) {
if (index < 0)
index = _txCount + 1 + index;
if (index >= 1 && index <= _txCount) {
index = (index - 1) * 2;
return vec2(&_txData[index]);
}
return vec2.init;
}
bool _meshHasTexture;
void createMeshIfNotExist() {
if (!mesh.isNull)
return;
if (_txCount) {
mesh = new Mesh(VertexFormat(VertexElementType.POSITION, VertexElementType.NORMAL, /*VertexElementType.COLOR, */ VertexElementType.TEXCOORD0));
_meshHasTexture = true;
} else {
mesh = new Mesh(VertexFormat(VertexElementType.POSITION, VertexElementType.NORMAL /*, VertexElementType.COLOR*/));
_meshHasTexture = false;
}
}
protected bool addTriangle(FaceIndex v1, FaceIndex v2, FaceIndex v3) {
createMeshIfNotExist();
float[16 * 3] data;
const (VertexFormat) * fmt = mesh.vertexFormatPtr;
int vfloats = fmt.vertexFloats;
vec3 p1 = vertexForIndex(v1[0]);
vec3 p2 = vertexForIndex(v2[0]);
vec3 p3 = vertexForIndex(v3[0]);
fmt.set(data.ptr, VertexElementType.POSITION, p1);
fmt.set(data.ptr + vfloats, VertexElementType.POSITION, p2);
fmt.set(data.ptr + vfloats * 2, VertexElementType.POSITION, p3);
if (fmt.hasElement(VertexElementType.TEXCOORD0)) {
fmt.set(data.ptr, VertexElementType.TEXCOORD0, txForIndex(v1[1]));
fmt.set(data.ptr + vfloats, VertexElementType.TEXCOORD0, txForIndex(v2[1]));
fmt.set(data.ptr + vfloats * 2, VertexElementType.TEXCOORD0, txForIndex(v3[1]));
}
if (fmt.hasElement(VertexElementType.COLOR)) {
const vec4 white = vec4(1, 1, 1, 1);
fmt.set(data.ptr, VertexElementType.COLOR, white);
fmt.set(data.ptr + vfloats, VertexElementType.COLOR, white);
fmt.set(data.ptr + vfloats * 2, VertexElementType.COLOR, white);
}
if (fmt.hasElement(VertexElementType.NORMAL)) {
vec3 normal;
if (!v1[2] || !v2[2] || !v3[2]) {
// no normal specified, calculate it
normal = triangleNormal(p1, p2, p3);
}
fmt.set(data.ptr, VertexElementType.NORMAL, v1[2] ? normalForIndex(v1[2]) : normal);
fmt.set(data.ptr + vfloats, VertexElementType.NORMAL, v2[2] ? normalForIndex(v2[2]) : normal);
fmt.set(data.ptr + vfloats * 2, VertexElementType.NORMAL, v3[2] ? normalForIndex(v3[2]) : normal);
}
int startVertex = mesh.addVertexes(data.ptr[0 .. vfloats * 3]);
mesh.addPart(PrimitiveType.triangles, [
cast(ushort)(startVertex + 0),
cast(ushort)(startVertex + 1),
cast(ushort)(startVertex + 2)]);
_triangleCount++;
return true;
}
protected bool parseLine(Token[] tokens) {
tokens = trimSpaceTokens(tokens);
if (tokens.length) {
if (tokens[0].type == TokenType.comment)
return true; // ignore comment
if (tokens[0].type == TokenType.ident) {
string ident = tokens[0].text;
tokens = trimSpaceTokens(tokens[1 .. $], true, false);
if (ident == "v") // vertex
return parseVertexLine(tokens);
if (ident == "vt") // texture coords
return parseVertexTextureLine(tokens);
if (ident == "vn") // normals
return parseVertexNormalsLine(tokens);
if (ident == "vp") // parameter space
return parseParameterSpaceLine(tokens);
if (ident == "f") // face
return parseFaceLine(tokens);
}
}
return true;
}
bool parse(string source) {
import dlangui.dml.tokenizer;
try {
Token[] tokens = tokenize(source, ["#"]);
int start = 0;
int i = 0;
for ( ; i <= tokens.length; i++) {
if (i == tokens.length || tokens[i].type == TokenType.eol) {
if (i > start && !parseLine(tokens[start .. i]))
return false;
start = i + 1;
}
}
} catch (ParserException e) {
Log.d("failed to tokenize OBJ source", e);
return false;
}
return true;
}
}
| D |
/Users/cansoykarafakili/Desktop/Hello/build/Intermediates/Hello.build/Debug/Vapor.build/Objects-normal/x86_64/Droplet+Run.o : /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/JSON/HTTP/Message+JSON.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/JSON/HTTP/Response+JSON.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/JSON/HTTP/Body+JSON.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/JSON/JSON.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Multipart/Request+FormData.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/View/ViewData.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Multipart/FormData+Polymorphic.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/FormURLEncoded/StructuredData+FormURLEncoded.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/FormURLEncoded/Request+FormURLEncoded.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Commands/Config+Command.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Log/Log+Convenience.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Routing/Resource.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/HTTP/HTTP+Node.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/HTTP/AcceptLanguage.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Cache/Config+Cache.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Config/Configurable.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/JSON/JSONRepresentable.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Utilities/StringInitializable.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/HTTP/RequestInitializable.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Commands/Config+Console.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Commands/Vapor+Console.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Content/MediaType.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Middleware/Config+Middleware.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/CORS/CORSMiddleware.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/File/FileMiddleware.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Date/DateMiddleware.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Error/ErrorMiddleware.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/File/File+Response.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Config/Resolve.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Serve/Serve.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Commands/DumpConfig.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Serve/Config+ServerConfig.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Serve/ServerConfig.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Cipher/CryptoEncoding.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Middleware/Chaining.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Routing/Droplet+Routing.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Log/Config+Log.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Routing/RoutesLog.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Hash/Config+Hash.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Log/LogLevel.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Mail/Config+Mail.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Mail/Mail.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Provider/ProviderInstall.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Log/LogProtocol.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Hash/HashProtocol.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Cipher/CipherProtocol.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Server/ServerProtocol.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Client/ClientProtocol.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Server/ServerFactoryProtocol.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Client/ClientFactoryProtocol.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Hash/Int+Random.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Commands/Version.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/CORS/CORSConfiguration.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Routing/RouteCollection.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Event/Subscription.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Droplet/Droplet+Run.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Mail/Mailgun.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Provider/Config+Provider.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Provider/Provider.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Droplet/Droplet+Responder.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/File/FileManager.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Log/ConsoleLogger.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Cipher/Config+Cipher.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Cipher/CryptoCipher.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Hash/CryptoHasher.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Hash/BCryptHasher.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/View/ViewRenderer.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/View/StaticViewRenderer.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Server/EngineServer.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/SecurityLayer.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Error/AbortError.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Provider/Provider+Resources.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Config/Directories.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Utilities/Bytes.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Utilities/InitProtocols.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Sessions/Config+Sessions.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Client/Responder+Helpers.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/WebSockets/WebSockets.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Utilities/Exports.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Droplet/Droplet.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Client/EngineClient.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Client/FoundationClient.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Content/Response+Content.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Content/Request+Content.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Content/Content.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Event/Event.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/HTTP/Accept.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Multipart/Request+Multipart.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Error/Abort.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/View/ViewRenderer+Request.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/View/Config+View.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/View/View.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Error/ErrorView.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Server/Config+ServerFactory.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Server/ServerFactory.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Client/Config+ClientFactory.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Client/ClientFactory.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/URI.framework/Modules/URI.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/JSON.framework/Modules/JSON.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/SMTP.framework/Modules/SMTP.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/HTTP.framework/Modules/HTTP.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/TLS.framework/Modules/TLS.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/FormData.framework/Modules/FormData.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/libc.framework/Modules/libc.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/Node.framework/Modules/Node.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/Cache.framework/Modules/Cache.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/PathIndexable.framework/Modules/PathIndexable.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/Console.framework/Modules/Console.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/Core.framework/Modules/Core.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/Debugging.framework/Modules/Debugging.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/Routing.framework/Modules/Routing.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/Random.framework/Modules/Random.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/Crypto.framework/Modules/Crypto.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/Branches.framework/Modules/Branches.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/Cookies.framework/Modules/Cookies.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/Configs.framework/Modules/Configs.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/Sessions.framework/Modules/Sessions.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/Sockets.framework/Modules/Sockets.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/WebSockets.framework/Modules/WebSockets.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/Bits.framework/Modules/Bits.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/BCrypt.framework/Modules/BCrypt.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/Multipart.framework/Modules/Multipart.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/Transport.framework/Modules/Transport.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/engine.git-3311994267206676365/Sources/CHTTP/include/http_parser.h /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/ctls.git-9210868160426949823/module.modulemap /Users/cansoykarafakili/Desktop/Hello/Hello.xcodeproj/GeneratedModuleMap/CHTTP/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes
/Users/cansoykarafakili/Desktop/Hello/build/Intermediates/Hello.build/Debug/Vapor.build/Objects-normal/x86_64/Droplet+Run~partial.swiftmodule : /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/JSON/HTTP/Message+JSON.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/JSON/HTTP/Response+JSON.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/JSON/HTTP/Body+JSON.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/JSON/JSON.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Multipart/Request+FormData.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/View/ViewData.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Multipart/FormData+Polymorphic.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/FormURLEncoded/StructuredData+FormURLEncoded.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/FormURLEncoded/Request+FormURLEncoded.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Commands/Config+Command.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Log/Log+Convenience.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Routing/Resource.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/HTTP/HTTP+Node.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/HTTP/AcceptLanguage.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Cache/Config+Cache.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Config/Configurable.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/JSON/JSONRepresentable.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Utilities/StringInitializable.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/HTTP/RequestInitializable.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Commands/Config+Console.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Commands/Vapor+Console.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Content/MediaType.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Middleware/Config+Middleware.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/CORS/CORSMiddleware.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/File/FileMiddleware.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Date/DateMiddleware.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Error/ErrorMiddleware.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/File/File+Response.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Config/Resolve.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Serve/Serve.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Commands/DumpConfig.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Serve/Config+ServerConfig.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Serve/ServerConfig.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Cipher/CryptoEncoding.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Middleware/Chaining.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Routing/Droplet+Routing.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Log/Config+Log.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Routing/RoutesLog.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Hash/Config+Hash.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Log/LogLevel.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Mail/Config+Mail.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Mail/Mail.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Provider/ProviderInstall.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Log/LogProtocol.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Hash/HashProtocol.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Cipher/CipherProtocol.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Server/ServerProtocol.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Client/ClientProtocol.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Server/ServerFactoryProtocol.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Client/ClientFactoryProtocol.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Hash/Int+Random.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Commands/Version.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/CORS/CORSConfiguration.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Routing/RouteCollection.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Event/Subscription.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Droplet/Droplet+Run.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Mail/Mailgun.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Provider/Config+Provider.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Provider/Provider.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Droplet/Droplet+Responder.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/File/FileManager.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Log/ConsoleLogger.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Cipher/Config+Cipher.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Cipher/CryptoCipher.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Hash/CryptoHasher.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Hash/BCryptHasher.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/View/ViewRenderer.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/View/StaticViewRenderer.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Server/EngineServer.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/SecurityLayer.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Error/AbortError.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Provider/Provider+Resources.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Config/Directories.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Utilities/Bytes.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Utilities/InitProtocols.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Sessions/Config+Sessions.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Client/Responder+Helpers.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/WebSockets/WebSockets.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Utilities/Exports.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Droplet/Droplet.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Client/EngineClient.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Client/FoundationClient.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Content/Response+Content.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Content/Request+Content.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Content/Content.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Event/Event.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/HTTP/Accept.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Multipart/Request+Multipart.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Error/Abort.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/View/ViewRenderer+Request.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/View/Config+View.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/View/View.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Error/ErrorView.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Server/Config+ServerFactory.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Server/ServerFactory.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Client/Config+ClientFactory.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Client/ClientFactory.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/URI.framework/Modules/URI.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/JSON.framework/Modules/JSON.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/SMTP.framework/Modules/SMTP.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/HTTP.framework/Modules/HTTP.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/TLS.framework/Modules/TLS.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/FormData.framework/Modules/FormData.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/libc.framework/Modules/libc.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/Node.framework/Modules/Node.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/Cache.framework/Modules/Cache.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/PathIndexable.framework/Modules/PathIndexable.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/Console.framework/Modules/Console.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/Core.framework/Modules/Core.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/Debugging.framework/Modules/Debugging.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/Routing.framework/Modules/Routing.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/Random.framework/Modules/Random.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/Crypto.framework/Modules/Crypto.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/Branches.framework/Modules/Branches.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/Cookies.framework/Modules/Cookies.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/Configs.framework/Modules/Configs.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/Sessions.framework/Modules/Sessions.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/Sockets.framework/Modules/Sockets.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/WebSockets.framework/Modules/WebSockets.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/Bits.framework/Modules/Bits.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/BCrypt.framework/Modules/BCrypt.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/Multipart.framework/Modules/Multipart.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/Transport.framework/Modules/Transport.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/engine.git-3311994267206676365/Sources/CHTTP/include/http_parser.h /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/ctls.git-9210868160426949823/module.modulemap /Users/cansoykarafakili/Desktop/Hello/Hello.xcodeproj/GeneratedModuleMap/CHTTP/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes
/Users/cansoykarafakili/Desktop/Hello/build/Intermediates/Hello.build/Debug/Vapor.build/Objects-normal/x86_64/Droplet+Run~partial.swiftdoc : /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/JSON/HTTP/Message+JSON.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/JSON/HTTP/Response+JSON.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/JSON/HTTP/Body+JSON.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/JSON/JSON.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Multipart/Request+FormData.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/View/ViewData.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Multipart/FormData+Polymorphic.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/FormURLEncoded/StructuredData+FormURLEncoded.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/FormURLEncoded/Request+FormURLEncoded.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Commands/Config+Command.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Log/Log+Convenience.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Routing/Resource.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/HTTP/HTTP+Node.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/HTTP/AcceptLanguage.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Cache/Config+Cache.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Config/Configurable.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/JSON/JSONRepresentable.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Utilities/StringInitializable.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/HTTP/RequestInitializable.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Commands/Config+Console.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Commands/Vapor+Console.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Content/MediaType.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Middleware/Config+Middleware.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/CORS/CORSMiddleware.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/File/FileMiddleware.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Date/DateMiddleware.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Error/ErrorMiddleware.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/File/File+Response.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Config/Resolve.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Serve/Serve.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Commands/DumpConfig.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Serve/Config+ServerConfig.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Serve/ServerConfig.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Cipher/CryptoEncoding.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Middleware/Chaining.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Routing/Droplet+Routing.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Log/Config+Log.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Routing/RoutesLog.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Hash/Config+Hash.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Log/LogLevel.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Mail/Config+Mail.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Mail/Mail.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Provider/ProviderInstall.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Log/LogProtocol.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Hash/HashProtocol.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Cipher/CipherProtocol.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Server/ServerProtocol.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Client/ClientProtocol.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Server/ServerFactoryProtocol.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Client/ClientFactoryProtocol.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Hash/Int+Random.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Commands/Version.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/CORS/CORSConfiguration.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Routing/RouteCollection.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Event/Subscription.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Droplet/Droplet+Run.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Mail/Mailgun.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Provider/Config+Provider.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Provider/Provider.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Droplet/Droplet+Responder.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/File/FileManager.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Log/ConsoleLogger.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Cipher/Config+Cipher.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Cipher/CryptoCipher.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Hash/CryptoHasher.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Hash/BCryptHasher.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/View/ViewRenderer.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/View/StaticViewRenderer.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Server/EngineServer.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/SecurityLayer.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Error/AbortError.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Provider/Provider+Resources.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Config/Directories.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Utilities/Bytes.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Utilities/InitProtocols.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Sessions/Config+Sessions.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Client/Responder+Helpers.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/WebSockets/WebSockets.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Utilities/Exports.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Droplet/Droplet.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Client/EngineClient.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Client/FoundationClient.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Content/Response+Content.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Content/Request+Content.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Content/Content.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Event/Event.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/HTTP/Accept.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Multipart/Request+Multipart.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Error/Abort.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/View/ViewRenderer+Request.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/View/Config+View.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/View/View.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Error/ErrorView.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Server/Config+ServerFactory.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Server/ServerFactory.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Client/Config+ClientFactory.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/vapor.git-5492988889259800272/Sources/Vapor/Engine/Client/ClientFactory.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/URI.framework/Modules/URI.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/JSON.framework/Modules/JSON.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/SMTP.framework/Modules/SMTP.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/HTTP.framework/Modules/HTTP.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/TLS.framework/Modules/TLS.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/FormData.framework/Modules/FormData.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/libc.framework/Modules/libc.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/Node.framework/Modules/Node.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/Cache.framework/Modules/Cache.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/PathIndexable.framework/Modules/PathIndexable.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/Console.framework/Modules/Console.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/Core.framework/Modules/Core.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/Debugging.framework/Modules/Debugging.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/Routing.framework/Modules/Routing.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/Random.framework/Modules/Random.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/Crypto.framework/Modules/Crypto.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/Branches.framework/Modules/Branches.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/Cookies.framework/Modules/Cookies.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/Configs.framework/Modules/Configs.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/Sessions.framework/Modules/Sessions.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/Sockets.framework/Modules/Sockets.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/WebSockets.framework/Modules/WebSockets.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/Bits.framework/Modules/Bits.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/BCrypt.framework/Modules/BCrypt.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/Multipart.framework/Modules/Multipart.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/Transport.framework/Modules/Transport.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/engine.git-3311994267206676365/Sources/CHTTP/include/http_parser.h /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/ctls.git-9210868160426949823/module.modulemap /Users/cansoykarafakili/Desktop/Hello/Hello.xcodeproj/GeneratedModuleMap/CHTTP/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes
| D |
module cellular.palette;
import std.stdio;
import std.algorithm;
import std.math;
import std.conv;
import std.range;
import std.string;
import std.utf;
import derelict.sdl2.sdl;
import derelict.sdl2.image;
import derelict.sdl2.mixer;
import derelict.sdl2.ttf;
import derelict.sdl2.net;
public struct Event {
int type;
void delegate(SDL_Event) callfunc;
}
public class App {
SDL_Window* window;
SDL_Renderer* renderer;
Event[string] events;
SDL_Surface*[string] surfaces;
TTF_Font*[string] fonts;
SDL_Texture*[string] textures;
void delegate() onUpdate;
Palette palette;
bool running = true;
int width = 300;
int height = 300;
int FPS = 60;
int SPF = 1000 / 60;
int frame = 0;
Uint32 currentTick;
this(int width = 300, int height = 300) {
DerelictSDL2.load();
DerelictSDL2ttf.load();
SDL_Init(SDL_INIT_VIDEO);
SDL_CreateWindowAndRenderer(width, height, SDL_RENDERER_PRESENTVSYNC | SDL_RENDERER_ACCELERATED, &window, &renderer);
this.palette = new Palette(this);
this.width = width;
this.height = height;
TTF_Init();
}
void addEvent(Event e, string name) {
this.events[name] = e;
}
void removeEvent(string name) {
this.events[name] = Event(-1, null);
}
string addFont(string path, int size, string label) {
debug writeln(path);
auto str = label ~ "_" ~ size.to!string;
if(!(str in fonts))
fonts[str] = TTF_OpenFont(path.toUTFz!(char *), size);
return str;
}
TTF_Font* getFont(string label) {
return fonts[label];
}
string renderString(TTF_Font* font, string str) {
SDL_Surface* surface = TTF_RenderUTF8_Blended(font, str.toUTFz!(char *), palette.currentColor);
auto label = TTF_FontFaceFamilyName(font).to!string ~ "_" ~ str;
surfaces[label] = surface;
textures[label] = SDL_CreateTextureFromSurface(renderer, surface);
return label;
}
SDL_Surface* getSurface(string label) {
return surfaces[label];
}
SDL_Texture* getTexture(string label) {
return textures[label];
}
void setFPS(int FPS) {
this.FPS = FPS;
this.SPF = 1000 / FPS;
}
int exec() {
while(running) {
currentTick = SDL_GetTicks();
SDL_Event e;
while(SDL_PollEvent(&e)) {
this.events.values.filter!(i => i.type == e.type).each!(i => i.callfunc(e));
if(e.type == SDL_QUIT) {
running = false;
}
}
onUpdate();
SDL_RenderPresent(renderer);
auto nowTick = SDL_GetTicks();
if(nowTick - currentTick < SPF) {
SDL_Delay(SPF - (nowTick - currentTick));
}
frame++;
}
onInterrupt();
return 0;
}
void onInterrupt() {
SDL_DestroyRenderer(renderer);
SDL_DestroyWindow(window);
debug surfaces.values.writeln;
textures.values.each!(i => SDL_DestroyTexture(i));
fonts.values.each!(i => TTF_CloseFont(i));
TTF_Quit();
SDL_Quit();
}
}
public class Palette {
App app;
this(App app) {
this.app = app;
}
int color(Uint8 r, Uint8 g, Uint8 b, Uint8 a = 255) {
return SDL_SetRenderDrawColor(app.renderer, r, g, b, a);
}
int color(SDL_Color color) {
return SDL_SetRenderDrawColor(app.renderer, color.r, color.g, color.b, color.a);
}
SDL_Color currentColor() {
SDL_Color color;
SDL_GetRenderDrawColor(app.renderer, &color.r, &color.g, &color.b, &color.a);
return color;
}
int currentColor(SDL_Color* color) {
return SDL_GetRenderDrawColor(app.renderer, &color.r, &color.g, &color.b, &color.a);
}
int background(Uint8 r, Uint8 g, Uint8 b, Uint8 a = 255) {
SDL_SetRenderDrawColor(app.renderer, r, g, b, a);
return SDL_RenderClear(app.renderer);
}
int point(int x, int y) {
return SDL_RenderDrawPoint(app.renderer, x, y);
}
int point(SDL_Point point) {
return SDL_RenderDrawPoint(app.renderer, point.x, point.y);
}
int points(SDL_Point[] points) {
return SDL_RenderDrawPoints(app.renderer, cast(const(SDL_Point)*)points, points.length.to!int);
}
int line(int x1, int y1, int x2, int y2) {
return SDL_RenderDrawLine(app.renderer, x1, y1, x2, y2);
}
int lines(SDL_Point[] points) {
return SDL_RenderDrawLines(app.renderer, cast(const(SDL_Point)*)points, points.length.to!int);
}
int rect(int x, int y, int w, int h) {
SDL_Rect rect = SDL_Rect(x, y, w, h);
return SDL_RenderDrawRect(app.renderer, &rect);
}
int rect(SDL_Rect rect) {
return SDL_RenderDrawRect(app.renderer, &rect);
}
int rects(SDL_Rect[] rects) {
return SDL_RenderDrawRects(app.renderer, cast(const(SDL_Rect)*)rects, rects.length.to!int);
}
int fill(int x, int y, int w, int h) {
SDL_Rect rect = SDL_Rect(x, y, w, h);
return SDL_RenderFillRect(app.renderer, &rect);
}
int fill(SDL_Rect rect) {
return SDL_RenderFillRect(app.renderer, &rect);
}
int fills(SDL_Rect[] rects) {
return SDL_RenderFillRects(app.renderer, cast(const(SDL_Rect)*)rects, rects.length.to!int);
}
int drawTexture(SDL_Texture* texture, int x, int y) {
int iw, ih;
SDL_QueryTexture(texture, null, null, &iw, &ih);
auto txtRect = SDL_Rect(0, 0, iw, ih);
auto pasteRect = SDL_Rect(x, y, iw, ih);
return SDL_RenderCopy(app.renderer, texture, &txtRect, &pasteRect);
}
int drawString(string str, TTF_Font* font, int x, int y) {
SDL_Surface* surface = TTF_RenderUTF8_Blended(font, str.toUTFz!(char *), currentColor);
SDL_Texture* texture = SDL_CreateTextureFromSurface(app.renderer, surface);
return drawTexture(texture, x, y);
}
void exportCanvas(string filename) {
SDL_Surface* pScreenShot = SDL_CreateRGBSurface(0, app.width, app.height, 32, 0x00ff0000, 0x0000ff00, 0x000000ff, 0xff000000);
writeln(app.width, app.height);
if(pScreenShot) {
SDL_RenderReadPixels(app.renderer, null, SDL_GetWindowPixelFormat(app.window), pScreenShot.pixels, pScreenShot.pitch);
SDL_SaveBMP(pScreenShot, filename.toUTFz!(char *));
SDL_FreeSurface(pScreenShot);
}
}
}
| D |
instance NONE_106_RODRIGUEZ(Npc_Default)
{
name[0] = "Rodriguez";
guild = GIL_NONE;
id = 106;
voice = 11;
flags = NPC_FLAG_GHOST | NPC_FLAG_IMMORTAL;
npcType = NPCTYPE_FRIEND;
aivar[AIV_MM_RestEnd] = TRUE;
aivar[AIV_ToughGuy] = TRUE;
aivar[AIV_ToughGuyNewsOverride] = TRUE;
aivar[AIV_IGNORE_Murder] = TRUE;
aivar[AIV_IGNORE_Theft] = TRUE;
aivar[AIV_IGNORE_Sheepkiller] = TRUE;
aivar[AIV_IgnoresArmor] = TRUE;
aivar[AIV_NoFightParker] = TRUE;
B_SetAttributesToChapter(self,6);
fight_tactic = FAI_HUMAN_MASTER;
B_SetNpcVisual(self,MALE,"Hum_Head_Pony",44,BodyTex_N,ItAr_KDF_L);
Mdl_SetModelFatness(self,0);
Mdl_ApplyOverlayMds(self,"Humans_Mage.mds");
B_GiveNpcTalents(self);
B_SetFightSkills(self,80);
aivar[AIV_MagicUser] = MAGIC_ALWAYS;
daily_routine = rtn_start_106;
};
func void rtn_start_106()
{
TA_Stand_ArmsCrossed(8,0,23,0,"OC_RODRIGUEZ");
TA_Stand_ArmsCrossed(23,0,8,0,"OC_RODRIGUEZ");
};
func void rtn_tot_106()
{
TA_Ghost(8,0,23,0,"TOT");
TA_Ghost(23,0,8,0,"TOT");
};
| D |
import std.stdio, std.algorithm, std.conv, std.array, std.string, std.math, std.typecons, std.numeric;
void main()
{
auto nk = readln.split.to!(int[]);
auto K = nk[1]-1;
auto S = readln.chomp.to!(char[]);
if (S[K] == 'A') {
S[K] = 'a';
} else if (S[K] == 'B') {
S[K] = 'b';
} else if (S[K] == 'C') {
S[K] = 'c';
}
writeln(S);
} | D |
#include "frm-common.h"
#include <string.h>
#include <stdlib.h>
#define DEST_CHARSET "iso-8859-1"
/* get part of the from field to display */
void get_from_value(struct mailimf_single_fields * fields,
char ** from, int * is_addr)
{
struct mailimf_mailbox * mb;
if (fields->fld_from == NULL) {
* from = NULL;
* is_addr = 0;
return;
}
if (clist_isempty(fields->fld_from->frm_mb_list->mb_list)) {
* from = NULL;
* is_addr = 0;
return;
}
mb = clist_begin(fields->fld_from->frm_mb_list->mb_list)->data;
if (mb->mb_display_name != NULL) {
* from = mb->mb_display_name;
* is_addr = 0;
}
else {
* from = mb->mb_addr_spec;
* is_addr = 1;
}
}
/* remove all CR and LF of a string and replace them with SP */
void strip_crlf(char * str)
{
char * p;
for(p = str ; * p != '\0' ; p ++) {
if ((* p == '\n') || (* p == '\r'))
* p = ' ';
}
}
#define MAX_OUTPUT 81
/* display information for one message */
void print_mail_info(char * prefix, mailmessage * msg)
{
char * from;
char * subject;
char * decoded_from;
char * decoded_subject;
size_t cur_token;
int r;
int is_addr;
char * dsp_from;
char * dsp_subject;
char output[MAX_OUTPUT];
struct mailimf_single_fields single_fields;
is_addr = 0;
from = NULL;
subject = NULL;
decoded_subject = NULL;
decoded_from = NULL;
/* from field */
if (msg->msg_fields != NULL)
mailimf_single_fields_init(&single_fields, msg->msg_fields);
else
memset(&single_fields, 0, sizeof(single_fields));
get_from_value(&single_fields, &from, &is_addr);
if (from == NULL)
decoded_from = NULL;
else {
if (!is_addr) {
cur_token = 0;
r = mailmime_encoded_phrase_parse(DEST_CHARSET,
from, strlen(from),
&cur_token, DEST_CHARSET,
&decoded_from);
if (r != MAILIMF_NO_ERROR) {
decoded_from = strdup(from);
if (decoded_from == NULL)
goto err;
}
}
else {
decoded_from = strdup(from);
if (decoded_from == NULL) {
goto err;
}
}
}
if (decoded_from == NULL)
dsp_from = "";
else {
dsp_from = decoded_from;
strip_crlf(dsp_from);
}
/* subject */
if (single_fields.fld_subject != NULL)
subject = single_fields.fld_subject->sbj_value;
if (subject == NULL)
decoded_subject = NULL;
else {
cur_token = 0;
r = mailmime_encoded_phrase_parse(DEST_CHARSET,
subject, strlen(subject),
&cur_token, DEST_CHARSET,
&decoded_subject);
if (r != MAILIMF_NO_ERROR) {
decoded_subject = strdup(subject);
if (decoded_subject == NULL)
goto free_from;
}
}
if (decoded_subject == NULL)
dsp_subject = "";
else {
dsp_subject = decoded_subject;
strip_crlf(dsp_subject);
}
snprintf(output, MAX_OUTPUT, "%3i: %-21.21s %s%-53.53s",
msg->msg_index, dsp_from, prefix, dsp_subject);
printf("%s\n", output);
if (decoded_subject != NULL)
free(decoded_subject);
if (decoded_from != NULL)
free(decoded_from);
return;
free_from:
if (decoded_from)
free(decoded_from);
err:
{}
}
| D |
/******************************************************************//**
* \file src/gui/widgets/textinput.d
* \brief 2D widget for text input definition
*
* <i>Copyright (c) 2012</i> Danny Arends<br>
* Last modified Mar, 2012<br>
* First written Dec, 2012<br>
* Written in the D Programming Language (http://www.digitalmars.com/d)
**********************************************************************/
module gui.widgets.textinput;
import std.array;
import std.stdio;
import std.conv;
import gl.gl_1_0;
import gl.gl_1_1;
import sdl.sdlstructs;
import core.typedefs.types;
import core.events.engine;
import core.events.keyevent;
import core.events.networkevent;
import gui.stdinc;
class TextInput : Button{
this(Object2D window, int x = 0, int y = 0, int sx = 100, int sy = 16, string label = "", string value = ""){
super(x, y, sx, sy,label,window);
setBgColor(0.3,0.3,0.3);
inputtext = new Text(this,1+label.length*15,1,value);
}
override void onClick(int x, int y){
input="";
inputtext.setText(input);
}
override void onDrag(int x, int y){ }
override Event handleKeyPress(KeyEvent key){
Event e = new Event();
switch(key.getSDLkey()){
case SDLK_RETURN:
e = new NetworkEvent(NetEvent.CHAT ~ input, false);
onClick(0,0);
break;
case SDLK_BACKSPACE:
if(input.length > 0) input = input[0..($-1)];
break;
default:
input ~= key.getKeyPress();
break;
}
inputtext.setText(input);
return e;
}
override void render(){
super.render();
inputtext.render();
}
void setInputLength(int length){
max_chars=length;
}
string getInput(){ return input; }
override Object2DType getType(){ return Object2DType.TEXTINPUT; }
private:
string input;
Text inputtext;
int max_chars=255;
}
| D |
module editor.draw;
import std.algorithm;
import std.string;
import basics.alleg5;
import basics.help;
import editor.editor;
import editor.hover;
import file.language;
import graphic.color;
import graphic.cutbit;
import gui.context; // draw text to screen
import graphic.torbit;
import hardware.display;
import hardware.tharsis;
import tile.draw;
import tile.gadtile;
import tile.occur;
package:
void implEditorDraw(Editor editor)
{
version (tharsisprofiling)
auto zone = Zone(profiler, "Editor.implEditorDraw");
editor.updateTopologies();
editor.drawTerrainToSeparateMap();
editor.drawMainMap();
editor.drawToScreen();
}
private:
void updateTopologies(Editor editor)
{
with (editor._level.topology) {
editor._map .resize(xl, yl);
editor._mapTerrain.resize(xl, yl);
editor._map .setTorusXY(torusX, torusY);
editor._mapTerrain.setTorusXY(torusX, torusY);
}
}
// This must be mixin template to be easily accessible from callers, it
// can't be a standalone private function. Reason: _editor is not global.
// Can't take _editor as an argument because function must be argument to
// std.algorithm.filter.
mixin template nATT() {
bool notAboutToTrash(Occurrence o)
{
return ! editor.aboutToTrash
|| ! editor._selection.any!(hover => hover.occ is o);
}
}
void drawTerrainToSeparateMap(Editor editor) {
with (editor)
{
mixin nATT;
version (tharsisprofiling)
auto zone = Zone(profiler, "Editor.drawMapTerrain");
with (TargetTorbit(_mapTerrain)) {
_mapTerrain.clearToColor(color.transp);
_level.terrain.filter!notAboutToTrash.each!drawOccurrence;
}
}}
void drawMainMap(Editor editor)
{
version (tharsisprofiling)
auto zone = Zone(profiler, "Editor.drawMapMain");
with (TargetTorbit(editor._map))
with (editor)
with (editor._level) {
editor._map.clearScreenRect(color.makecol(bgRed, bgGreen, bgBlue));
editor.drawGadgets();
editor._map.loadCameraRect(_mapTerrain);
editor.drawGadgetAnnotations();
editor.drawGadgetTriggerAreas();
editor.drawHovers(_hover, false);
editor.drawHovers(_selection, true);
editor.drawDraggedFrame();
}
}
void drawGadgets(Editor editor)
{
version (tharsisprofiling)
auto zone = Zone(profiler, "Editor.drawGadgets");
mixin nATT;
foreach (gadgetList; editor._level.gadgets)
gadgetList.filter!notAboutToTrash.each!(g => g.tile.cb.draw(g.loc));
}
void drawGadgetTriggerAreas(Editor editor)
{
version (tharsisprofiling)
auto zone = Zone(profiler, "Editor.annotateGadgets");
foreach (gadgetList; editor._level.gadgets)
foreach (g; gadgetList)
editor._map.drawRectangle(g.triggerAreaOnMap, color.triggerArea);
}
void drawGadgetAnnotations(Editor editor) {
with (editor._level)
{
version (tharsisprofiling)
auto zone = Zone(profiler, "Editor.drawGadgetAnnotations");
void annotate(const(typeof(gadgets[0])) list)
{
void print(const(typeof(gadgets[0][0])) g, in int plusY, in string str)
{
forceUnscaledGUIDrawing = true;
editor._map.useDrawingDelegate((int x, int y) {
drawTextCentered(djvuL, str,
x + g.tile.cb.xl/2, y + plusY, color.guiText); }, g.loc);
forceUnscaledGUIDrawing = false;
}
foreach (int i, g; list) {
assert (g.tile && g.tile.cb);
assert (intendedNumberOfPlayers >= 1);
// DTODOREFACTOR:
// All this sounds like we need better OO for gadget types.
// Should gadgets know their team IDs? They do in the instantiatons
// after loading the level in the game, but the GadOccs do not.
// Who's our authority that assign gadgets <-> teams?
// I duplicate logic here that's also in the Game's state init.
enum int plusY = 15;
int y = -plusY;
immutable int team = teamIDforGadget(i);
immutable int weGetTotal = howManyDoesTeamGetOutOf(team, list.len);
if (intendedNumberOfPlayers > 1)
print(g, y += plusY, "ABCDEFGH"[team .. team + 1]);
if (intendedNumberOfPlayers == 1
|| (g.tile.type == GadType.HATCH && weGetTotal > 1))
print(g, y += plusY, "%d/%d".format(
((i - team) / intendedNumberOfPlayers) + 1, weGetTotal));
if (g.tile.type == GadType.HATCH)
// unicode: LEFTWARDS ARROW, RIGHTWARDS ARROW
print(g, y += plusY, g.hatchRot ? "\u2190" : "\u2192");
}
}
annotate(gadgets[GadType.HATCH]);
annotate(gadgets[GadType.GOAL]);
}}
// Returns value in 0 .. 256
int hoverColorVal(bool light)
{
immutable int time = timerTicks & 0x3F;
immutable int subtr = time < 0x20 ? time : 0x40 - time;
return (light ? 0xFF : 0xB0) - 2 * subtr;
}
void drawHovers(Editor editor, const(Hover[]) list, in bool light)
{
immutable val = hoverColorVal(light);
foreach (ho; list)
editor._map.drawRectangle(ho.occ.selboxOnMap, ho.hoverColor(val));
}
void drawDraggedFrame(Editor editor) { with (editor)
{
if (! _dragger.framing)
return;
immutable val = hoverColorVal(false);
assert (val >= 0x40 && val < 0xC0); // because we'll be varying by 0x40
immutable col = color.makecol(val + 0x40, val, val - 0x40);
_map.drawRectangle(_dragger.frame(_map), col);
}}
void drawToScreen(Editor editor)
{
version (tharsisprofiling)
auto zone = Zone(profiler, "Editor.drawToScreen");
with (TargetBitmap(display.al_get_backbuffer))
editor._map.drawCamera();
}
| D |
/*******************************************************************************
* Copyright (c) 2000, 2009 IBM Corporation and others.
* All rights reserved. This program and the accompanying materials
* are made available under the terms of the Eclipse Public License v1.0
* which accompanies this distribution, and is available at
* http://www.eclipse.org/legal/epl-v10.html
*
* Contributors:
* IBM Corporation - initial API and implementation
*
* Port to the D programming language:
* Jacob Carlborg <doob@me.com>
*******************************************************************************/
module dwt.internal.cocoa.NSLayoutManager;
import dwt.dwthelper.utils;
import dwt.internal.c.Carbon;
import cocoa = dwt.internal.cocoa.id;
import dwt.internal.cocoa.NSFont;
import dwt.internal.cocoa.NSObject;
import dwt.internal.cocoa.NSPoint;
import dwt.internal.cocoa.NSRange;
import dwt.internal.cocoa.NSRect;
import dwt.internal.cocoa.NSString;
import dwt.internal.cocoa.NSTextContainer;
import dwt.internal.cocoa.NSTextStorage;
import dwt.internal.cocoa.NSTypesetter;
import dwt.internal.cocoa.OS;
import dwt.internal.objc.cocoa.Cocoa;
import objc = dwt.internal.objc.runtime;
public class NSLayoutManager : NSObject {
public this() {
super();
}
public this(objc.id id) {
super(id);
}
public this(cocoa.id id) {
super(id);
}
public void addTemporaryAttribute(NSString attrName, cocoa.id value, NSRange charRange) {
OS.objc_msgSend(this.id, OS.sel_addTemporaryAttribute_value_forCharacterRange_, attrName !is null ? attrName.id : null, value !is null ? value.id : null, charRange);
}
public void addTextContainer(NSTextContainer container) {
OS.objc_msgSend(this.id, OS.sel_addTextContainer_, container !is null ? container.id : null);
}
public NSRect boundingRectForGlyphRange(NSRange glyphRange, NSTextContainer container) {
return OS.objc_msgSend_stret!(NSRect)(this.id, OS.sel_boundingRectForGlyphRange_inTextContainer_, glyphRange, container !is null ? container.id : null);
}
public NSUInteger characterIndexForGlyphAtIndex(NSUInteger glyphIndex) {
return cast(NSUInteger) OS.objc_msgSend(this.id, OS.sel_characterIndexForGlyphAtIndex_, glyphIndex);
}
public CGFloat defaultBaselineOffsetForFont(NSFont theFont) {
return cast(CGFloat)OS.objc_msgSend_fpret(this.id, OS.sel_defaultBaselineOffsetForFont_, theFont !is null ? theFont.id : null);
}
public CGFloat defaultLineHeightForFont(NSFont theFont) {
return cast(CGFloat) OS.objc_msgSend_fpret(this.id, OS.sel_defaultLineHeightForFont_, theFont !is null ? theFont.id : null);
}
public void drawBackgroundForGlyphRange(NSRange glyphsToShow, NSPoint origin) {
OS.objc_msgSend(this.id, OS.sel_drawBackgroundForGlyphRange_atPoint_, glyphsToShow, origin);
}
public void drawGlyphsForGlyphRange(NSRange glyphsToShow, NSPoint origin) {
OS.objc_msgSend(this.id, OS.sel_drawGlyphsForGlyphRange_atPoint_, glyphsToShow, origin);
}
public NSUInteger getGlyphs(NSGlyph* glyphArray, NSRange glyphRange) {
return cast(NSUInteger) OS.objc_msgSend(this.id, OS.sel_getGlyphs_range_, glyphArray, glyphRange);
}
public NSUInteger getGlyphsInRange(NSRange glyphRange, NSGlyph* glyphBuffer, NSUInteger* charIndexBuffer, NSGlyphInscription* inscribeBuffer, bool* elasticBuffer, ubyte* bidiLevelBuffer) {
return cast(NSUInteger)OS.objc_msgSend(this.id, OS.sel_getGlyphsInRange_glyphs_characterIndexes_glyphInscriptions_elasticBits_bidiLevels_, glyphRange, glyphBuffer, charIndexBuffer, inscribeBuffer, elasticBuffer, bidiLevelBuffer);
}
public NSUInteger glyphIndexForCharacterAtIndex(NSUInteger charIndex) {
return cast(NSUInteger) OS.objc_msgSend(this.id, OS.sel_glyphIndexForCharacterAtIndex_, charIndex);
}
public NSUInteger glyphIndexForPoint(NSPoint point, NSTextContainer container, CGFloat* partialFraction) {
return cast(NSUInteger) OS.objc_msgSend(this.id, OS.sel_glyphIndexForPoint_inTextContainer_fractionOfDistanceThroughGlyph_, point, container !is null ? container.id : null, partialFraction);
}
public NSRange glyphRangeForCharacterRange(NSRange charRange, NSRangePointer actualCharRange) {
return OS.objc_msgSend_stret!(NSRange)(this.id, OS.sel_glyphIndexForPoint_inTextContainer_fractionOfDistanceThroughGlyph__actualCharacterRange_, charRange, actualCharRange);
}
public NSRange glyphRangeForTextContainer(NSTextContainer container) {
return OS.objc_msgSend_stret!(NSRange)(this.id, OS.sel_glyphRangeForTextContainer_, container !is null ? container.id : null);
}
public NSRect lineFragmentUsedRectForGlyphAtIndex(NSUInteger glyphIndex, NSRangePointer effectiveGlyphRange) {
return OS.objc_msgSend_stret!(NSRect)(this.id, OS.sel_lineFragmentUsedRectForGlyphAtIndex_effectiveRange_, glyphIndex, effectiveGlyphRange);
}
public NSRect lineFragmentUsedRectForGlyphAtIndex(NSUInteger glyphIndex, NSRangePointer effectiveGlyphRange, bool flag) {
return OS.objc_msgSend_stret!(NSRect)(this.id, OS.sel_lineFragmentUsedRectForGlyphAtIndex_effectiveRange_withoutAdditionalLayout_, glyphIndex, effectiveGlyphRange, flag);
}
public NSPoint locationForGlyphAtIndex(NSUInteger glyphIndex) {
return OS.objc_msgSend_stret!(NSPoint)(this.id, OS.sel_locationForGlyphAtIndex_, glyphIndex);
}
public NSUInteger numberOfGlyphs() {
return cast(NSUInteger) OS.objc_msgSend(this.id, OS.sel_numberOfGlyphs);
}
public NSRectArray rectArrayForCharacterRange(NSRange charRange, NSRange selCharRange, NSTextContainer container, NSUInteger* rectCount) {
return cast(NSRectArray)OS.objc_msgSend(this.id, OS.sel_rectArrayForCharacterRange_withinSelectedCharacterRange_inTextContainer_rectCount_, charRange, selCharRange, container !is null ? container.id : null, rectCount);
}
public void removeTemporaryAttribute(NSString attrName, NSRange charRange) {
OS.objc_msgSend(this.id, OS.sel_removeTemporaryAttribute_forCharacterRange_, attrName !is null ? attrName.id : null, charRange);
}
public void setBackgroundLayoutEnabled(bool flag) {
OS.objc_msgSend(this.id, OS.sel_setBackgroundLayoutEnabled_, flag);
}
public void setLineFragmentRect(NSRect fragmentRect, NSRange glyphRange, NSRect usedRect) {
OS.objc_msgSend(this.id, OS.sel_setLineFragmentRect_forGlyphRange_usedRect_, fragmentRect, glyphRange, usedRect);
}
public void setTextStorage(NSTextStorage textStorage) {
OS.objc_msgSend(this.id, OS.sel_setTextStorage_, textStorage !is null ? textStorage.id : null);
}
public NSTypesetter typesetter() {
objc.id result = OS.objc_msgSend(this.id, OS.sel_typesetter);
return result !is null ? new NSTypesetter(result) : null;
}
public NSRect usedRectForTextContainer(NSTextContainer container) {
return OS.objc_msgSend_stret!(NSRect)(this.id, OS.sel_usedRectForTextContainer_, container !is null ? container.id : null);
}
}
| D |
/Users/chenzuncheng/Desktop/vaporTest/.build/x86_64-apple-macosx10.10/debug/HTTP.build/Server/AsyncServerWorker.swift.o : /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Async/Response+Async.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Method/Method.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Messages/Message.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Response/ResponseRepresentable.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Body/BodyRepresentable.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Messages/Message+CustomStringConvertible.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Middleware/Middleware.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Response/Response.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Middleware/Middleware+Chaining.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Method/Method+String.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Chunk/Response+Chunk.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Chunk/Body+Chunk.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Chunk/ChunkStream.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Version/Version.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/FoundationClient/URI+Foundation.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/FoundationClient/Response+Foundation.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/FoundationClient/Client+Foundation.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/FoundationClient/Request+Foundation.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Responder/Responder.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Responder/AsyncResponder.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/AsyncServerWorker.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/CHTTPParser.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/ResponseParser.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/RequestParser.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/Server.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/TCPServer.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/TLSServer.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/BasicServer.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/AsyncServer.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Serializer/Serializer.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Serializer/ResponseSerializer.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Serializer/RequestSerializer.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/ParserError.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/ServerError.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Serializer/SerializerError.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Body/Body+Bytes.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Headers/Headers.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/ParseResults.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Status/Status.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Response/Response+Redirect.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Client/HTTP+Client.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Client/Client.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Request/Request.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/ThreadsafeArray.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Body/Body.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/chenzuncheng/Desktop/vaporTest/.build/x86_64-apple-macosx10.10/debug/URI.swiftmodule /Users/chenzuncheng/Desktop/vaporTest/.build/x86_64-apple-macosx10.10/debug/TLS.swiftmodule /Users/chenzuncheng/Desktop/vaporTest/.build/x86_64-apple-macosx10.10/debug/libc.swiftmodule /Users/chenzuncheng/Desktop/vaporTest/.build/x86_64-apple-macosx10.10/debug/Core.swiftmodule /Users/chenzuncheng/Desktop/vaporTest/.build/x86_64-apple-macosx10.10/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/chenzuncheng/Desktop/vaporTest/.build/x86_64-apple-macosx10.10/debug/Random.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/chenzuncheng/Desktop/vaporTest/.build/x86_64-apple-macosx10.10/debug/Sockets.swiftmodule /Users/chenzuncheng/Desktop/vaporTest/.build/x86_64-apple-macosx10.10/debug/Bits.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/chenzuncheng/Desktop/vaporTest/.build/x86_64-apple-macosx10.10/debug/Transport.swiftmodule /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/CHTTP/include/http_parser.h /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/ctls.git-9210868160426949823/module.modulemap /Users/chenzuncheng/Desktop/vaporTest/.build/x86_64-apple-macosx10.10/debug/CHTTP.build/module.modulemap /Users/chenzuncheng/Desktop/vaporTest/.build/x86_64-apple-macosx10.10/debug/CSQLite.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes
/Users/chenzuncheng/Desktop/vaporTest/.build/x86_64-apple-macosx10.10/debug/HTTP.build/AsyncServerWorker~partial.swiftmodule : /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Async/Response+Async.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Method/Method.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Messages/Message.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Response/ResponseRepresentable.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Body/BodyRepresentable.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Messages/Message+CustomStringConvertible.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Middleware/Middleware.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Response/Response.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Middleware/Middleware+Chaining.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Method/Method+String.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Chunk/Response+Chunk.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Chunk/Body+Chunk.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Chunk/ChunkStream.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Version/Version.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/FoundationClient/URI+Foundation.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/FoundationClient/Response+Foundation.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/FoundationClient/Client+Foundation.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/FoundationClient/Request+Foundation.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Responder/Responder.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Responder/AsyncResponder.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/AsyncServerWorker.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/CHTTPParser.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/ResponseParser.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/RequestParser.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/Server.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/TCPServer.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/TLSServer.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/BasicServer.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/AsyncServer.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Serializer/Serializer.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Serializer/ResponseSerializer.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Serializer/RequestSerializer.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/ParserError.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/ServerError.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Serializer/SerializerError.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Body/Body+Bytes.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Headers/Headers.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/ParseResults.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Status/Status.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Response/Response+Redirect.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Client/HTTP+Client.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Client/Client.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Request/Request.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/ThreadsafeArray.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Body/Body.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/chenzuncheng/Desktop/vaporTest/.build/x86_64-apple-macosx10.10/debug/URI.swiftmodule /Users/chenzuncheng/Desktop/vaporTest/.build/x86_64-apple-macosx10.10/debug/TLS.swiftmodule /Users/chenzuncheng/Desktop/vaporTest/.build/x86_64-apple-macosx10.10/debug/libc.swiftmodule /Users/chenzuncheng/Desktop/vaporTest/.build/x86_64-apple-macosx10.10/debug/Core.swiftmodule /Users/chenzuncheng/Desktop/vaporTest/.build/x86_64-apple-macosx10.10/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/chenzuncheng/Desktop/vaporTest/.build/x86_64-apple-macosx10.10/debug/Random.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/chenzuncheng/Desktop/vaporTest/.build/x86_64-apple-macosx10.10/debug/Sockets.swiftmodule /Users/chenzuncheng/Desktop/vaporTest/.build/x86_64-apple-macosx10.10/debug/Bits.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/chenzuncheng/Desktop/vaporTest/.build/x86_64-apple-macosx10.10/debug/Transport.swiftmodule /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/CHTTP/include/http_parser.h /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/ctls.git-9210868160426949823/module.modulemap /Users/chenzuncheng/Desktop/vaporTest/.build/x86_64-apple-macosx10.10/debug/CHTTP.build/module.modulemap /Users/chenzuncheng/Desktop/vaporTest/.build/x86_64-apple-macosx10.10/debug/CSQLite.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes
/Users/chenzuncheng/Desktop/vaporTest/.build/x86_64-apple-macosx10.10/debug/HTTP.build/AsyncServerWorker~partial.swiftdoc : /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Async/Response+Async.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Method/Method.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Messages/Message.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Response/ResponseRepresentable.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Body/BodyRepresentable.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Messages/Message+CustomStringConvertible.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Middleware/Middleware.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Response/Response.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Middleware/Middleware+Chaining.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Method/Method+String.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Chunk/Response+Chunk.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Chunk/Body+Chunk.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Chunk/ChunkStream.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Version/Version.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/FoundationClient/URI+Foundation.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/FoundationClient/Response+Foundation.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/FoundationClient/Client+Foundation.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/FoundationClient/Request+Foundation.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Responder/Responder.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Responder/AsyncResponder.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/AsyncServerWorker.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/CHTTPParser.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/ResponseParser.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/RequestParser.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/Server.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/TCPServer.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/TLSServer.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/BasicServer.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/AsyncServer.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Serializer/Serializer.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Serializer/ResponseSerializer.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Serializer/RequestSerializer.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/ParserError.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/ServerError.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Serializer/SerializerError.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Body/Body+Bytes.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Headers/Headers.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/ParseResults.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Status/Status.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Response/Response+Redirect.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Client/HTTP+Client.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Client/Client.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Request/Request.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/ThreadsafeArray.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Body/Body.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/chenzuncheng/Desktop/vaporTest/.build/x86_64-apple-macosx10.10/debug/URI.swiftmodule /Users/chenzuncheng/Desktop/vaporTest/.build/x86_64-apple-macosx10.10/debug/TLS.swiftmodule /Users/chenzuncheng/Desktop/vaporTest/.build/x86_64-apple-macosx10.10/debug/libc.swiftmodule /Users/chenzuncheng/Desktop/vaporTest/.build/x86_64-apple-macosx10.10/debug/Core.swiftmodule /Users/chenzuncheng/Desktop/vaporTest/.build/x86_64-apple-macosx10.10/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/chenzuncheng/Desktop/vaporTest/.build/x86_64-apple-macosx10.10/debug/Random.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/chenzuncheng/Desktop/vaporTest/.build/x86_64-apple-macosx10.10/debug/Sockets.swiftmodule /Users/chenzuncheng/Desktop/vaporTest/.build/x86_64-apple-macosx10.10/debug/Bits.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/chenzuncheng/Desktop/vaporTest/.build/x86_64-apple-macosx10.10/debug/Transport.swiftmodule /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/engine.git-3311994267206676365/Sources/CHTTP/include/http_parser.h /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/ctls.git-9210868160426949823/module.modulemap /Users/chenzuncheng/Desktop/vaporTest/.build/x86_64-apple-macosx10.10/debug/CHTTP.build/module.modulemap /Users/chenzuncheng/Desktop/vaporTest/.build/x86_64-apple-macosx10.10/debug/CSQLite.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes
| D |
/*
* DSFML - The Simple and Fast Multimedia Library for D
*
* Copyright (c) 2013 - 2018 Jeremy DeHaan (dehaan.jeremiah@gmail.com)
*
* This software is provided 'as-is', without any express or implied warranty.
* In no event will the authors be held liable for any damages arising from the
* use of this software.
*
* Permission is granted to anyone to use this software for any purpose,
* including commercial applications, and to alter it and redistribute it
* freely, subject to the following restrictions:
*
* 1. The origin of this software must not be misrepresented; you must not claim
* that you wrote the original software. If you use this software in a product,
* an acknowledgment in the product documentation would be appreciated but is
* not required.
*
* 2. Altered source versions must be plainly marked as such, and must not be
* misrepresented as being the original software.
*
* 3. This notice may not be removed or altered from any source distribution
*
*
* DSFML is based on SFML (Copyright Laurent Gomila)
*/
/**
* This class encodes audio samples to a sound file.
*
* It is used internally by higher-level classes such as $(SOUNDBUFFER_LINK),
* but can also be useful if you want to create audio files from custom data
* sources, like generated audio samples.
*
* Example:
* ---
* // Create a sound file, ogg/vorbis format, 44100 Hz, stereo
* auto file = new OutputSoundFile();
* if (!file.openFromFile("music.ogg", 44100, 2))
* {
* //error
* }
*
* while (...)
* {
* // Read or generate audio samples from your custom source
* short[] samples = ...;
*
* // Write them to the file
* file.write(samples);
* }
* ---
*
* See_Also:
* $(INPUTSOUNDFILE_LINK)
*/
module dsfml.audio.outputsoundfile;
import std.string;
import dsfml.system.err;
/**
* Provide write access to sound files.
*/
class OutputSoundFile
{
private sfOutputSoundFile* m_soundFile;
/// Default constructor.
this()
{
m_soundFile = sfOutputSoundFile_create();
}
/// Destructor.
~this()
{
import dsfml.system.config: destructorOutput;
mixin(destructorOutput);
sfOutputSoundFile_destroy(m_soundFile);
}
/**
* Open the sound file from the disk for writing.
*
* The supported audio formats are: WAV, OGG/Vorbis, FLAC.
*
* Params:
* filename = Path of the sound file to load
* sampleRate = Sample rate of the sound
* channelCount = Number of channels in the sound
*
* Returns: true if the file was successfully opened.
*/
bool openFromFile(const(char)[] filename, uint sampleRate, uint channelCount)
{
import dsfml.system.string;
bool toReturn = sfOutputSoundFile_openFromFile(m_soundFile, filename.ptr, filename.length,channelCount,sampleRate);
err.write(dsfml.system.string.toString(sfErr_getOutput()));
return toReturn;
}
/**
* Write audio samples to the file.
*
* Params:
* samples = array of samples to write
*/
void write(const(short)[] samples)
{
sfOutputSoundFile_write(m_soundFile, samples.ptr, samples.length);
}
}
extern(C) const(char)* sfErr_getOutput();
private extern(C)
{
struct sfOutputSoundFile;
sfOutputSoundFile* sfOutputSoundFile_create();
void sfOutputSoundFile_destroy(sfOutputSoundFile* file);
bool sfOutputSoundFile_openFromFile(sfOutputSoundFile* file, const(char)* filename, size_t length, uint channelCount,uint sampleRate);
void sfOutputSoundFile_write(sfOutputSoundFile* file, const short* data, long sampleCount);
}
| D |
func void b_orc_assesssomethingevil()
{
var int att;
printdebugnpc(PD_ORC_FRAME,"B_Orc_AssessSomethingEvil");
Npc_PercDisable(self,PERC_ASSESSTHREAT);
if(other.guild < GIL_SEPERATOR_ORC)
{
printdebugnpc(PD_ORC_FRAME,"B_Orc_AssessSomethingEvil: other ist Nicht-Ork");
att = Npc_GetPermAttitude(self,other);
if(att == ATT_ANGRY)
{
Npc_SetTempAttitude(self,ATT_HOSTILE);
}
else if(att == ATT_NEUTRAL)
{
Npc_SetTempAttitude(self,ATT_ANGRY);
}
else if(att == ATT_FRIENDLY)
{
Npc_SetTempAttitude(self,ATT_NEUTRAL);
};
};
};
| D |
/**
* Compiler implementation of the
* $(LINK2 http://www.dlang.org, D programming language).
*
* Copyright: Copyright (c) 1999-2017 by Digital Mars, All Rights Reserved
* Authors: $(LINK2 http://www.digitalmars.com, Walter Bright)
* License: $(LINK2 http://www.boost.org/LICENSE_1_0.txt, Boost License 1.0)
* Source: $(DMDSRC _printast.d)
*/
module ddmd.printast;
import core.stdc.stdio;
import ddmd.expression;
import ddmd.tokens;
import ddmd.visitor;
/********************
* Print AST data structure in a nice format.
* Params:
* e = expression AST to print
* indent = indentation level
*/
void printAST(Expression e, int indent = 0)
{
scope PrintASTVisitor pav = new PrintASTVisitor(indent);
e.accept(pav);
}
private:
extern (C++) final class PrintASTVisitor : Visitor
{
alias visit = super.visit;
int indent;
extern (D) this(int indent)
{
this.indent = indent;
}
override void visit(Expression e)
{
printIndent(indent);
printf("%s %s\n", Token.toChars(e.op), e.type ? e.type.toChars() : "");
}
override void visit(StructLiteralExp e)
{
printIndent(indent);
printf("%s %s, %s\n", Token.toChars(e.op), e.type ? e.type.toChars() : "", e.toChars());
}
override void visit(SymbolExp e)
{
visit(cast(Expression)e);
printIndent(indent + 2);
printf(".var: %s\n", e.var ? e.var.toChars() : "");
}
override void visit(DsymbolExp e)
{
visit(cast(Expression)e);
printIndent(indent + 2);
printf(".s: %s\n", e.s ? e.s.toChars() : "");
}
override void visit(DotIdExp e)
{
visit(cast(Expression)e);
printIndent(indent + 2);
printf(".ident: %s\n", e.ident.toChars());
printAST(e.e1, indent + 2);
}
override void visit(UnaExp e)
{
visit(cast(Expression)e);
printAST(e.e1, indent + 2);
}
override void visit(BinExp e)
{
visit(cast(Expression)e);
printAST(e.e1, indent + 2);
printAST(e.e2, indent + 2);
}
override void visit(DelegateExp e)
{
visit(cast(Expression)e);
printIndent(indent + 2);
printf(".func: %s\n", e.func ? e.func.toChars() : "");
}
static void printIndent(int indent)
{
foreach (i; 0 .. indent)
putc(' ', stdout);
}
}
| D |
/home/yoshizaki/learn/rust-tutorial/variables/target/debug/deps/variables-3b736149aabe80bf: src/main.rs
/home/yoshizaki/learn/rust-tutorial/variables/target/debug/deps/variables-3b736149aabe80bf.d: src/main.rs
src/main.rs:
| D |
/*
* Hunt - A redis client library for D programming language.
*
* Copyright (C) 2018-2019 HuntLabs
*
* Website: https://www.huntlabs.net/
*
* Licensed under the Apache-2.0 License.
*
*/
module hunt.redis.BinaryRedis;
import hunt.redis.BinaryRedisPubSub;
import hunt.redis.BitOP;
import hunt.redis.BitPosParams;
import hunt.redis.Client;
import hunt.redis.BuilderFactory;
import hunt.redis.GeoCoordinate;
import hunt.redis.GeoRadiusResponse;
import hunt.redis.GeoUnit;
import hunt.redis.HostAndPort;
import hunt.redis.ListPosition;
import hunt.redis.Pipeline;
import hunt.redis.Protocol;
import hunt.redis.RedisMonitor;
import hunt.redis.RedisShardInfo;
import hunt.redis.ScanParams;
import hunt.redis.ScanResult;
import hunt.redis.SortingParams;
import hunt.redis.Transaction;
import hunt.redis.Tuple;
import hunt.redis.ZParams;
import hunt.redis.commands.AdvancedBinaryRedisCommands;
import hunt.redis.commands.BasicCommands;
import hunt.redis.commands.BinaryRedisCommands;
import hunt.redis.commands.BinaryScriptingCommands;
import hunt.redis.commands.MultiKeyBinaryCommands;
import hunt.redis.Protocol;
import hunt.redis.Exceptions;
import hunt.redis.params.ClientKillParams;
import hunt.redis.params.GeoRadiusParam;
import hunt.redis.params.MigrateParams;
import hunt.redis.params.SetParams;
import hunt.redis.params.ZAddParams;
import hunt.redis.params.ZIncrByParams;
import hunt.redis.util.RedisByteHashMap;
import hunt.redis.util.RedisURIHelper;
import hunt.net.util.HttpURI;
import hunt.collection;
import hunt.Exceptions;
import hunt.util.Common;
import hunt.Byte;
import hunt.Double;
import hunt.Long;
import std.format;
import std.range;
// MultiKeyBinaryCommands,
/**
*
*/
class BinaryRedis : BasicCommands, BinaryRedisCommands,
AdvancedBinaryRedisCommands, BinaryScriptingCommands, Closeable {
protected Client client = null;
protected Transaction transaction = null;
protected Pipeline pipeline = null;
this() {
client = new Client();
}
this(string host) {
HttpURI uri = new HttpURI(host);
if (RedisURIHelper.isValid(uri)) {
initializeClientFromURI(uri);
} else {
client = new Client(host);
}
}
this(HostAndPort hp) {
this(hp.getHost(), hp.getPort());
}
this(string host, int port) {
client = new Client(host, port);
}
this(string host, int port, bool ssl) {
client = new Client(host, port, ssl);
}
// this(string host, int port, bool ssl,
// SSLSocketFactory sslSocketFactory, SSLParameters sslParameters,
// HostnameVerifier hostnameVerifier) {
// client = new Client(host, port, ssl, sslSocketFactory, sslParameters, hostnameVerifier);
// }
this(string host, int port, int timeout) {
this(host, port, timeout, timeout);
}
this(string host, int port, int timeout, bool ssl) {
this(host, port, timeout, timeout, ssl);
}
// this(string host, int port, int timeout, bool ssl,
// SSLSocketFactory sslSocketFactory, SSLParameters sslParameters,
// HostnameVerifier hostnameVerifier) {
// this(host, port, timeout, timeout, ssl, sslSocketFactory, sslParameters, hostnameVerifier);
// }
this(string host, int port, int connectionTimeout,
int soTimeout) {
client = new Client(host, port);
client.setConnectionTimeout(connectionTimeout);
client.setSoTimeout(soTimeout);
}
this(string host, int port, int connectionTimeout,
int soTimeout, bool ssl) {
client = new Client(host, port, ssl);
client.setConnectionTimeout(connectionTimeout);
client.setSoTimeout(soTimeout);
}
// this(string host, int port, int connectionTimeout,
// int soTimeout, bool ssl, SSLSocketFactory sslSocketFactory,
// SSLParameters sslParameters, HostnameVerifier hostnameVerifier) {
// client = new Client(host, port, ssl, sslSocketFactory, sslParameters, hostnameVerifier);
// client.setConnectionTimeout(connectionTimeout);
// client.setSoTimeout(soTimeout);
// }
this(RedisShardInfo shardInfo) {
// client = new Client(shardInfo.getHost(), shardInfo.getPort(), shardInfo.getSsl(),
// shardInfo.getSslSocketFactory(), shardInfo.getSslParameters(),
// shardInfo.getHostnameVerifier());
client = new Client(shardInfo.getHost(), shardInfo.getPort(), shardInfo.getSsl());
client.setConnectionTimeout(shardInfo.getConnectionTimeout());
client.setSoTimeout(shardInfo.getSoTimeout());
client.setPassword(shardInfo.getPassword());
client.setDb(shardInfo.getDb());
}
this(HttpURI uri) {
initializeClientFromURI(uri);
}
// this(HttpURI uri, SSLSocketFactory sslSocketFactory,
// SSLParameters sslParameters, HostnameVerifier hostnameVerifier) {
// initializeClientFromURI(uri, sslSocketFactory, sslParameters, hostnameVerifier);
// }
this(HttpURI uri, int timeout) {
this(uri, timeout, timeout);
}
// this(HttpURI uri, int timeout, SSLSocketFactory sslSocketFactory,
// SSLParameters sslParameters, HostnameVerifier hostnameVerifier) {
// this(uri, timeout, timeout, sslSocketFactory, sslParameters, hostnameVerifier);
// }
this(HttpURI uri, int connectionTimeout, int soTimeout) {
initializeClientFromURI(uri);
client.setConnectionTimeout(connectionTimeout);
client.setSoTimeout(soTimeout);
}
// this(HttpURI uri, int connectionTimeout, int soTimeout,
// SSLSocketFactory sslSocketFactory,SSLParameters sslParameters,
// HostnameVerifier hostnameVerifier) {
// initializeClientFromURI(uri, sslSocketFactory, sslParameters, hostnameVerifier);
// client.setConnectionTimeout(connectionTimeout);
// client.setSoTimeout(soTimeout);
// }
override string toString() {
return format("%s:%d", client.getHost(), client.getPort());
}
private void initializeClientFromURI(HttpURI uri) {
// initializeClientFromURI(uri, null, null, null);
if (!RedisURIHelper.isValid(uri)) {
throw new InvalidURIException(format(
"Cannot open Redis connection due invalid HttpURI. %s", uri.toString()));
}
client = new Client(uri.getHost(), uri.getPort(), false);
string password = RedisURIHelper.getPassword(uri);
if (password !is null) {
client.auth(password);
client.getStatusCodeReply();
}
int dbIndex = RedisURIHelper.getDBIndex(uri);
if (dbIndex > 0) {
client.select(dbIndex);
client.getStatusCodeReply();
client.setDb(dbIndex);
}
}
// private void initializeClientFromURI(HttpURI uri, SSLSocketFactory sslSocketFactory,
// SSLParameters sslParameters, HostnameVerifier hostnameVerifier) {
// if (!RedisURIHelper.isValid(uri)) {
// throw new InvalidURIException(format(
// "Cannot open Redis connection due invalid HttpURI. %s", uri.toString()));
// }
// client = new Client(uri.getHost(), uri.getPort(), RedisURIHelper.isRedisSSLScheme(uri),
// sslSocketFactory, sslParameters, hostnameVerifier);
// string password = RedisURIHelper.getPassword(uri);
// if (password !is null) {
// client.auth(password);
// client.getStatusCodeReply();
// }
// int dbIndex = RedisURIHelper.getDBIndex(uri);
// if (dbIndex > 0) {
// client.select(dbIndex);
// client.getStatusCodeReply();
// client.setDb(dbIndex);
// }
// }
// override
string ping() {
checkIsInMultiOrPipeline();
client.ping();
return client.getStatusCodeReply();
}
/**
* Works same as <tt>ping()</tt> but returns argument message instead of <tt>PONG</tt>.
* @param message
* @return message
*/
const(ubyte)[] ping(const(ubyte)[] message) {
checkIsInMultiOrPipeline();
client.ping(message);
return client.getBinaryBulkReply();
}
/**
* Set the string value as value of the key. The string can't be longer than 1073741824 bytes (1
* GB).
* <p>
* Time complexity: O(1)
* @param key
* @param value
* @return Status code reply
*/
// override
string set(const(ubyte)[] key, const(ubyte)[] value) {
checkIsInMultiOrPipeline();
client.set(key, value);
return client.getStatusCodeReply();
}
/**
* Set the string value as value of the key. The string can't be longer than 1073741824 bytes (1
* GB).
* @param key
* @param value
* @param params
* @return Status code reply
*/
// override
string set(const(ubyte)[] key, const(ubyte)[] value, SetParams params) {
checkIsInMultiOrPipeline();
client.set(key, value, params);
return client.getStatusCodeReply();
}
/**
* Get the value of the specified key. If the key does not exist the special value 'nil' is
* returned. If the value stored at key is not a string an error is returned because GET can only
* handle string values.
* <p>
* Time complexity: O(1)
* @param key
* @return Bulk reply
*/
// override
const(ubyte)[] get(const(ubyte)[] key) {
checkIsInMultiOrPipeline();
client.get(key);
return client.getBinaryBulkReply();
}
/**
* Ask the server to silently close the connection.
*/
// override
string quit() {
checkIsInMultiOrPipeline();
client.quit();
string quitReturn = client.getStatusCodeReply();
client.close();
return quitReturn;
}
/**
* Test if the specified keys exist. The command returns the number of keys exist.
* Time complexity: O(N)
* @param keys
* @return Integer reply, specifically: an integer greater than 0 if one or more keys exist,
* 0 if none of the specified keys exist.
*/
// override
Long exists(const(ubyte)[][] keys...) {
checkIsInMultiOrPipeline();
client.exists(keys);
return client.getIntegerReply();
}
/**
* Test if the specified key exists. The command returns true if the key exists, otherwise false is
* returned. Note that even keys set with an empty string as value will return true. Time
* complexity: O(1)
* @param key
* @return bool reply, true if the key exists, otherwise false
*/
// override
bool exists(const(ubyte)[] key) {
checkIsInMultiOrPipeline();
client.exists(key);
return client.getIntegerReply() == 1;
}
/**
* Remove the specified keys. If a given key does not exist no operation is performed for this
* key. The command returns the number of keys removed. Time complexity: O(1)
* @param keys
* @return Integer reply, specifically: an integer greater than 0 if one or more keys were removed
* 0 if none of the specified key existed
*/
// override
Long del(const(ubyte)[][] keys...) {
checkIsInMultiOrPipeline();
client.del(keys);
return client.getIntegerReply();
}
// override
Long del(const(ubyte)[] key) {
checkIsInMultiOrPipeline();
client.del(key);
return client.getIntegerReply();
}
/**
* This command is very similar to DEL: it removes the specified keys. Just like DEL a key is
* ignored if it does not exist. However the command performs the actual memory reclaiming in a
* different thread, so it is not blocking, while DEL is. This is where the command name comes
* from: the command just unlinks the keys from the keyspace. The actual removal will happen later
* asynchronously.
* <p>
* Time complexity: O(1) for each key removed regardless of its size. Then the command does O(N)
* work in a different thread in order to reclaim memory, where N is the number of allocations the
* deleted objects where composed of.
* @param keys
* @return Integer reply: The number of keys that were unlinked
*/
// override
Long unlink(const(ubyte)[][] keys...) {
checkIsInMultiOrPipeline();
client.unlink(keys);
return client.getIntegerReply();
}
// override
Long unlink(const(ubyte)[] key) {
checkIsInMultiOrPipeline();
client.unlink(key);
return client.getIntegerReply();
}
/**
* Return the type of the value stored at key in form of a string. The type can be one of "none",
* "string", "list", "set". "none" is returned if the key does not exist. Time complexity: O(1)
* @param key
* @return Status code reply, specifically: "none" if the key does not exist "string" if the key
* contains a string value "list" if the key contains a List value "set" if the key
* contains a Set value "zset" if the key contains a Sorted Set value "hash" if the key
* contains a Hash value
*/
// override
string type(const(ubyte)[] key) {
checkIsInMultiOrPipeline();
client.type(key);
return client.getStatusCodeReply();
}
/**
* Delete all the keys of the currently selected DB. This command never fails.
* @return Status code reply
*/
// override
string flushDB() {
checkIsInMultiOrPipeline();
client.flushDB();
return client.getStatusCodeReply();
}
/**
* Returns all the keys matching the glob-style pattern as space separated strings. For example if
* you have in the database the keys "foo" and "foobar" the command "KEYS foo*" will return
* "foo foobar".
* <p>
* Note that while the time complexity for this operation is O(n) the constant times are pretty
* low. For example Redis running on an entry level laptop can scan a 1 million keys database in
* 40 milliseconds. <b>Still it's better to consider this one of the slow commands that may ruin
* the DB performance if not used with care.</b>
* <p>
* In other words this command is intended only for debugging and special operations like creating
* a script to change the DB schema. Don't use it in your normal code. Use Redis Sets in order to
* group together a subset of objects.
* <p>
* Glob style patterns examples:
* <ul>
* <li>h?llo will match hello hallo hhllo
* <li>h*llo will match hllo heeeello
* <li>h[ae]llo will match hello and hallo, but not hillo
* </ul>
* <p>
* Use \ to escape special chars if you want to match them verbatim.
* <p>
* Time complexity: O(n) (with n being the number of keys in the DB, and assuming keys and pattern
* of limited length)
* @param pattern
* @return Multi bulk reply
*/
// override
Set!(const(ubyte)[]) keys(const(ubyte)[] pattern) {
checkIsInMultiOrPipeline();
client.keys(pattern);
return new SetFromList!(const(ubyte)[])(client.getBinaryMultiBulkReply());
}
/**
* Return a randomly selected key from the currently selected DB.
* <p>
* Time complexity: O(1)
* @return Single line reply, specifically the randomly selected key or an empty string is the
* database is empty
*/
// override
const(ubyte)[] randomBinaryKey() {
checkIsInMultiOrPipeline();
client.randomKey();
return client.getBinaryBulkReply();
}
/**
* Atomically renames the key oldkey to newkey. If the source and destination name are the same an
* error is returned. If newkey already exists it is overwritten.
* <p>
* Time complexity: O(1)
* @param oldkey
* @param newkey
* @return Status code repy
*/
// override
string rename(const(ubyte)[] oldkey, const(ubyte)[] newkey) {
checkIsInMultiOrPipeline();
client.rename(oldkey, newkey);
return client.getStatusCodeReply();
}
/**
* Rename oldkey into newkey but fails if the destination key newkey already exists.
* <p>
* Time complexity: O(1)
* @param oldkey
* @param newkey
* @return Integer reply, specifically: 1 if the key was renamed 0 if the target key already exist
*/
// override
Long renamenx(const(ubyte)[] oldkey, const(ubyte)[] newkey) {
checkIsInMultiOrPipeline();
client.renamenx(oldkey, newkey);
return client.getIntegerReply();
}
/**
* Return the number of keys in the currently selected database.
* @return Integer reply
*/
// override
Long dbSize() {
checkIsInMultiOrPipeline();
client.dbSize();
return client.getIntegerReply();
}
/**
* Set a timeout on the specified key. After the timeout the key will be automatically deleted by
* the server. A key with an associated timeout is said to be volatile in Redis terminology.
* <p>
* Volatile keys are stored on disk like the other keys, the timeout is persistent too like all the
* other aspects of the dataset. Saving a dataset containing expires and stopping the server does
* not stop the flow of time as Redis stores on disk the time when the key will no longer be
* available as Unix time, and not the remaining seconds.
* <p>
* Since Redis 2.1.3 you can update the value of the timeout of a key already having an expire
* set. It is also possible to undo the expire at all turning the key into a normal key using the
* {@link #persist(const(ubyte)[]) PERSIST} command.
* <p>
* Time complexity: O(1)
* @see <a href="http://redis.io/commands/expire">Expire Command</a>
* @param key
* @param seconds
* @return Integer reply, specifically: 1: the timeout was set. 0: the timeout was not set since
* the key already has an associated timeout (this may happen only in Redis versions <
* 2.1.3, Redis >= 2.1.3 will happily update the timeout), or the key does not exist.
*/
// override
Long expire(const(ubyte)[] key, int seconds) {
checkIsInMultiOrPipeline();
client.expire(key, seconds);
return client.getIntegerReply();
}
/**
* EXPIREAT works exactly like {@link #expire(const(ubyte)[], int) EXPIRE} but instead to get the number of
* seconds representing the Time To Live of the key as a second argument (that is a relative way
* of specifying the TTL), it takes an absolute one in the form of a UNIX timestamp (Number of
* seconds elapsed since 1 Gen 1970).
* <p>
* EXPIREAT was introduced in order to implement the Append Only File persistence mode so that
* EXPIRE commands are automatically translated into EXPIREAT commands for the append only file.
* Of course EXPIREAT can also used by programmers that need a way to simply specify that a given
* key should expire at a given time in the future.
* <p>
* Since Redis 2.1.3 you can update the value of the timeout of a key already having an expire
* set. It is also possible to undo the expire at all turning the key into a normal key using the
* {@link #persist(const(ubyte)[]) PERSIST} command.
* <p>
* Time complexity: O(1)
* @see <a href="http://redis.io/commands/expire">Expire Command</a>
* @param key
* @param unixTime
* @return Integer reply, specifically: 1: the timeout was set. 0: the timeout was not set since
* the key already has an associated timeout (this may happen only in Redis versions <
* 2.1.3, Redis >= 2.1.3 will happily update the timeout), or the key does not exist.
*/
// override
Long expireAt(const(ubyte)[] key, long unixTime) {
checkIsInMultiOrPipeline();
client.expireAt(key, unixTime);
return client.getIntegerReply();
}
/**
* The TTL command returns the remaining time to live in seconds of a key that has an
* {@link #expire(const(ubyte)[], int) EXPIRE} set. This introspection capability allows a Redis client to
* check how many seconds a given key will continue to be part of the dataset.
* @param key
* @return Integer reply, returns the remaining time to live in seconds of a key that has an
* EXPIRE. If the Key does not exists or does not have an associated expire, -1 is
* returned.
*/
// override
Long ttl(const(ubyte)[] key) {
checkIsInMultiOrPipeline();
client.ttl(key);
return client.getIntegerReply();
}
/**
* Alters the last access time of a key(s). A key is ignored if it does not exist.
* Time complexity: O(N) where N is the number of keys that will be touched.
* @param keys
* @return Integer reply: The number of keys that were touched.
*/
// override
Long touch(const(ubyte)[][] keys...) {
checkIsInMultiOrPipeline();
client.touch(keys);
return client.getIntegerReply();
}
// override
Long touch(const(ubyte)[] key) {
checkIsInMultiOrPipeline();
client.touch(key);
return client.getIntegerReply();
}
/**
* Select the DB with having the specified zero-based numeric index. For default every new client
* connection is automatically selected to DB 0.
* @param index
* @return Status code reply
*/
// override
string select(int index) {
checkIsInMultiOrPipeline();
client.select(index);
string statusCodeReply = client.getStatusCodeReply();
client.setDb(index);
return statusCodeReply;
}
// override
string swapDB(int index1, int index2) {
checkIsInMultiOrPipeline();
client.swapDB(index1, index2);
return client.getStatusCodeReply();
}
/**
* Move the specified key from the currently selected DB to the specified destination DB. Note
* that this command returns 1 only if the key was successfully moved, and 0 if the target key was
* already there or if the source key was not found at all, so it is possible to use MOVE as a
* locking primitive.
* @param key
* @param dbIndex
* @return Integer reply, specifically: 1 if the key was moved 0 if the key was not moved because
* already present on the target DB or was not found in the current DB.
*/
// override
Long move(const(ubyte)[] key, int dbIndex) {
checkIsInMultiOrPipeline();
client.move(key, dbIndex);
return client.getIntegerReply();
}
/**
* Delete all the keys of all the existing databases, not just the currently selected one. This
* command never fails.
* @return Status code reply
*/
// override
string flushAll() {
checkIsInMultiOrPipeline();
client.flushAll();
return client.getStatusCodeReply();
}
/**
* GETSET is an atomic set this value and return the old value command. Set key to the string
* value and return the old value stored at key. The string can't be longer than 1073741824 bytes
* (1 GB).
* <p>
* Time complexity: O(1)
* @param key
* @param value
* @return Bulk reply
*/
// override
const(ubyte)[] getSet(const(ubyte)[] key, const(ubyte)[] value) {
checkIsInMultiOrPipeline();
client.getSet(key, value);
return client.getBinaryBulkReply();
}
/**
* Get the values of all the specified keys. If one or more keys don't exist or is not of type
* string, a 'nil' value is returned instead of the value of the specified key, but the operation
* never fails.
* <p>
* Time complexity: O(1) for every key
* @param keys
* @return Multi bulk reply
*/
// override
List!(const(ubyte)[]) mget(const(ubyte)[][] keys...) {
checkIsInMultiOrPipeline();
client.mget(keys);
return client.getBinaryMultiBulkReply();
}
/**
* SETNX works exactly like {@link #set(const(ubyte)[], const(ubyte)[]) SET} with the only difference that if the
* key already exists no operation is performed. SETNX actually means "SET if Not eXists".
* <p>
* Time complexity: O(1)
* @param key
* @param value
* @return Integer reply, specifically: 1 if the key was set 0 if the key was not set
*/
// override
Long setnx(const(ubyte)[] key, const(ubyte)[] value) {
checkIsInMultiOrPipeline();
client.setnx(key, value);
return client.getIntegerReply();
}
/**
* The command is exactly equivalent to the following group of commands:
* {@link #set(const(ubyte)[], const(ubyte)[]) SET} + {@link #expire(const(ubyte)[], int) EXPIRE}. The operation is
* atomic.
* <p>
* Time complexity: O(1)
* @param key
* @param seconds
* @param value
* @return Status code reply
*/
// override
string setex(const(ubyte)[] key, int seconds, const(ubyte)[] value) {
checkIsInMultiOrPipeline();
client.setex(key, seconds, value);
return client.getStatusCodeReply();
}
/**
* Set the the respective keys to the respective values. MSET will replace old values with new
* values, while {@link #msetnx(const(ubyte)[]...) MSETNX} will not perform any operation at all even if
* just a single key already exists.
* <p>
* Because of this semantic MSETNX can be used in order to set different keys representing
* different fields of an unique logic object in a way that ensures that either all the fields or
* none at all are set.
* <p>
* Both MSET and MSETNX are atomic operations. This means that for instance if the keys A and B
* are modified, another client talking to Redis can either see the changes to both A and B at
* once, or no modification at all.
* @see #msetnx(const(ubyte)[]...)
* @param keysvalues
* @return Status code reply Basically +OK as MSET can't fail
*/
// override
string mset(const(ubyte)[][] keysvalues...) {
checkIsInMultiOrPipeline();
client.mset(keysvalues);
return client.getStatusCodeReply();
}
/**
* Set the the respective keys to the respective values. {@link #mset(const(ubyte)[]...) MSET} will
* replace old values with new values, while MSETNX will not perform any operation at all even if
* just a single key already exists.
* <p>
* Because of this semantic MSETNX can be used in order to set different keys representing
* different fields of an unique logic object in a way that ensures that either all the fields or
* none at all are set.
* <p>
* Both MSET and MSETNX are atomic operations. This means that for instance if the keys A and B
* are modified, another client talking to Redis can either see the changes to both A and B at
* once, or no modification at all.
* @see #mset(const(ubyte)[]...)
* @param keysvalues
* @return Integer reply, specifically: 1 if the all the keys were set 0 if no key was set (at
* least one key already existed)
*/
// override
Long msetnx(const(ubyte)[][] keysvalues...) {
checkIsInMultiOrPipeline();
client.msetnx(keysvalues);
return client.getIntegerReply();
}
/**
* DECRBY work just like {@link #decr(const(ubyte)[]) INCR} but instead to decrement by 1 the decrement is
* integer.
* <p>
* INCR commands are limited to 64 bit signed integers.
* <p>
* Note: this is actually a string operation, that is, in Redis there are not "integer" types.
* Simply the string stored at the key is parsed as a base 10 64 bit signed integer, incremented,
* and then converted back as a string.
* <p>
* Time complexity: O(1)
* @see #incr(const(ubyte)[])
* @see #decr(const(ubyte)[])
* @see #incrBy(const(ubyte)[], long)
* @param key
* @param decrement
* @return Integer reply, this commands will reply with the new value of key after the increment.
*/
// override
Long decrBy(const(ubyte)[] key, long decrement) {
checkIsInMultiOrPipeline();
client.decrBy(key, decrement);
return client.getIntegerReply();
}
/**
* Decrement the number stored at key by one. If the key does not exist or contains a value of a
* wrong type, set the key to the value of "0" before to perform the decrement operation.
* <p>
* INCR commands are limited to 64 bit signed integers.
* <p>
* Note: this is actually a string operation, that is, in Redis there are not "integer" types.
* Simply the string stored at the key is parsed as a base 10 64 bit signed integer, incremented,
* and then converted back as a string.
* <p>
* Time complexity: O(1)
* @see #incr(const(ubyte)[])
* @see #incrBy(const(ubyte)[], long)
* @see #decrBy(const(ubyte)[], long)
* @param key
* @return Integer reply, this commands will reply with the new value of key after the increment.
*/
// override
Long decr(const(ubyte)[] key) {
checkIsInMultiOrPipeline();
client.decr(key);
return client.getIntegerReply();
}
/**
* INCRBY work just like {@link #incr(const(ubyte)[]) INCR} but instead to increment by 1 the increment is
* integer.
* <p>
* INCR commands are limited to 64 bit signed integers.
* <p>
* Note: this is actually a string operation, that is, in Redis there are not "integer" types.
* Simply the string stored at the key is parsed as a base 10 64 bit signed integer, incremented,
* and then converted back as a string.
* <p>
* Time complexity: O(1)
* @see #incr(const(ubyte)[])
* @see #decr(const(ubyte)[])
* @see #decrBy(const(ubyte)[], long)
* @param key
* @param increment
* @return Integer reply, this commands will reply with the new value of key after the increment.
*/
// override
Long incrBy(const(ubyte)[] key, long increment) {
checkIsInMultiOrPipeline();
client.incrBy(key, increment);
return client.getIntegerReply();
}
/**
* INCRBYFLOAT work just like {@link #incrBy(const(ubyte)[], long)} INCRBY} but increments by floats
* instead of integers.
* <p>
* INCRBYFLOAT commands are limited to double precision floating point values.
* <p>
* Note: this is actually a string operation, that is, in Redis there are not "double" types.
* Simply the string stored at the key is parsed as a base double precision floating point value,
* incremented, and then converted back as a string. There is no DECRYBYFLOAT but providing a
* negative value will work as expected.
* <p>
* Time complexity: O(1)
* @see #incr(const(ubyte)[])
* @see #decr(const(ubyte)[])
* @see #decrBy(const(ubyte)[], long)
* @param key the key to increment
* @param increment the value to increment by
* @return Integer reply, this commands will reply with the new value of key after the increment.
*/
// override
Double incrByFloat(const(ubyte)[] key, double increment) {
checkIsInMultiOrPipeline();
client.incrByFloat(key, increment);
string dval = client.getBulkReply();
return (dval !is null ? new Double(dval) : null);
}
/**
* Increment the number stored at key by one. If the key does not exist or contains a value of a
* wrong type, set the key to the value of "0" before to perform the increment operation.
* <p>
* INCR commands are limited to 64 bit signed integers.
* <p>
* Note: this is actually a string operation, that is, in Redis there are not "integer" types.
* Simply the string stored at the key is parsed as a base 10 64 bit signed integer, incremented,
* and then converted back as a string.
* <p>
* Time complexity: O(1)
* @see #incrBy(const(ubyte)[], long)
* @see #decr(const(ubyte)[])
* @see #decrBy(const(ubyte)[], long)
* @param key
* @return Integer reply, this commands will reply with the new value of key after the increment.
*/
// override
Long incr(const(ubyte)[] key) {
checkIsInMultiOrPipeline();
client.incr(key);
return client.getIntegerReply();
}
/**
* If the key already exists and is a string, this command appends the provided value at the end
* of the string. If the key does not exist it is created and set as an empty string, so APPEND
* will be very similar to SET in this special case.
* <p>
* Time complexity: O(1). The amortized time complexity is O(1) assuming the appended value is
* small and the already present value is of any size, since the dynamic string library used by
* Redis will double the free space available on every reallocation.
* @param key
* @param value
* @return Integer reply, specifically the total length of the string after the append operation.
*/
// override
Long append(const(ubyte)[] key, const(ubyte)[] value) {
checkIsInMultiOrPipeline();
client.append(key, value);
return client.getIntegerReply();
}
/**
* Return a subset of the string from offset start to offset end (both offsets are inclusive).
* Negative offsets can be used in order to provide an offset starting from the end of the string.
* So -1 means the last char, -2 the penultimate and so forth.
* <p>
* The function handles out of range requests without raising an error, but just limiting the
* resulting range to the actual length of the string.
* <p>
* Time complexity: O(start+n) (with start being the start index and n the total length of the
* requested range). Note that the lookup part of this command is O(1) so for small strings this
* is actually an O(1) command.
* @param key
* @param start
* @param end
* @return Bulk reply
*/
// override
const(ubyte)[] substr(const(ubyte)[] key, int start, int end) {
checkIsInMultiOrPipeline();
client.substr(key, start, end);
return client.getBinaryBulkReply();
}
/**
* Set the specified hash field to the specified value.
* <p>
* If key does not exist, a new key holding a hash is created.
* <p>
* <b>Time complexity:</b> O(1)
* @param key
* @param field
* @param value
* @return If the field already exists, and the HSET just produced an update of the value, 0 is
* returned, otherwise if a new field is created 1 is returned.
*/
// override
Long hset(const(ubyte)[] key, const(ubyte)[] field, const(ubyte)[] value) {
checkIsInMultiOrPipeline();
client.hset(key, field, value);
return client.getIntegerReply();
}
// override
Long hset(const(ubyte)[] key, Map!(const(ubyte)[], const(ubyte)[]) hash) {
checkIsInMultiOrPipeline();
client.hset(key, hash);
return client.getIntegerReply();
}
/**
* If key holds a hash, retrieve the value associated to the specified field.
* <p>
* If the field is not found or the key does not exist, a special 'nil' value is returned.
* <p>
* <b>Time complexity:</b> O(1)
* @param key
* @param field
* @return Bulk reply
*/
// // override
const(ubyte)[] hget(const(ubyte)[] key, const(ubyte)[] field) {
checkIsInMultiOrPipeline();
client.hget(key, field);
return client.getBinaryBulkReply();
}
/**
* Set the specified hash field to the specified value if the field not exists. <b>Time
* complexity:</b> O(1)
* @param key
* @param field
* @param value
* @return If the field already exists, 0 is returned, otherwise if a new field is created 1 is
* returned.
*/
// // override
Long hsetnx(const(ubyte)[] key, const(ubyte)[] field, const(ubyte)[] value) {
checkIsInMultiOrPipeline();
client.hsetnx(key, field, value);
return client.getIntegerReply();
}
/**
* Set the respective fields to the respective values. HMSET replaces old values with new values.
* <p>
* If key does not exist, a new key holding a hash is created.
* <p>
* <b>Time complexity:</b> O(N) (with N being the number of fields)
* @param key
* @param hash
* @return Always OK because HMSET can't fail
*/
// override
string hmset(const(ubyte)[] key, Map!(const(ubyte)[], const(ubyte)[]) hash) {
checkIsInMultiOrPipeline();
client.hmset(key, hash);
return client.getStatusCodeReply();
}
/**
* Retrieve the values associated to the specified fields.
* <p>
* If some of the specified fields do not exist, nil values are returned. Non existing keys are
* considered like empty hashes.
* <p>
* <b>Time complexity:</b> O(N) (with N being the number of fields)
* @param key
* @param fields
* @return Multi Bulk Reply specifically a list of all the values associated with the specified
* fields, in the same order of the request.
*/
// override
List!(const(ubyte)[]) hmget(const(ubyte)[] key, const(ubyte)[][] fields...) {
checkIsInMultiOrPipeline();
client.hmget(key, fields);
return client.getBinaryMultiBulkReply();
}
/**
* Increment the number stored at field in the hash at key by value. If key does not exist, a new
* key holding a hash is created. If field does not exist or holds a string, the value is set to 0
* before applying the operation. Since the value argument is signed you can use this command to
* perform both increments and decrements.
* <p>
* The range of values supported by HINCRBY is limited to 64 bit signed integers.
* <p>
* <b>Time complexity:</b> O(1)
* @param key
* @param field
* @param value
* @return Integer reply The new value at field after the increment operation.
*/
// override
Long hincrBy(const(ubyte)[] key, const(ubyte)[] field, long value) {
checkIsInMultiOrPipeline();
client.hincrBy(key, field, value);
return client.getIntegerReply();
}
/**
* Increment the number stored at field in the hash at key by a double precision floating point
* value. If key does not exist, a new key holding a hash is created. If field does not exist or
* holds a string, the value is set to 0 before applying the operation. Since the value argument
* is signed you can use this command to perform both increments and decrements.
* <p>
* The range of values supported by HINCRBYFLOAT is limited to double precision floating point
* values.
* <p>
* <b>Time complexity:</b> O(1)
* @param key
* @param field
* @param value
* @return Double precision floating point reply The new value at field after the increment
* operation.
*/
// override
Double hincrByFloat(const(ubyte)[] key, const(ubyte)[] field, double value) {
checkIsInMultiOrPipeline();
client.hincrByFloat(key, field, value);
string dval = client.getBulkReply();
return (dval !is null ? new Double(dval) : null);
}
/**
* Test for existence of a specified field in a hash. <b>Time complexity:</b> O(1)
* @param key
* @param field
* @return Return true if the hash stored at key contains the specified field. Return false if the key is
* not found or the field is not present.
*/
// override
bool hexists(const(ubyte)[] key, const(ubyte)[] field) {
checkIsInMultiOrPipeline();
client.hexists(key, field);
return client.getIntegerReply() == 1;
}
/**
* Remove the specified field from an hash stored at key.
* <p>
* <b>Time complexity:</b> O(1)
* @param key
* @param fields
* @return If the field was present in the hash it is deleted and 1 is returned, otherwise 0 is
* returned and no operation is performed.
*/
// override
Long hdel(const(ubyte)[] key, const(ubyte)[][] fields...) {
checkIsInMultiOrPipeline();
client.hdel(key, fields);
return client.getIntegerReply();
}
/**
* Return the number of items in a hash.
* <p>
* <b>Time complexity:</b> O(1)
* @param key
* @return The number of entries (fields) contained in the hash stored at key. If the specified
* key does not exist, 0 is returned assuming an empty hash.
*/
// override
Long hlen(const(ubyte)[] key) {
checkIsInMultiOrPipeline();
client.hlen(key);
return client.getIntegerReply();
}
/**
* Return all the fields in a hash.
* <p>
* <b>Time complexity:</b> O(N), where N is the total number of entries
* @param key
* @return All the fields names contained into a hash.
*/
// override
Set!(const(ubyte)[]) hkeys(const(ubyte)[] key) {
checkIsInMultiOrPipeline();
client.hkeys(key);
return new SetFromList!(const(ubyte)[])(client.getBinaryMultiBulkReply());
}
/**
* Return all the values in a hash.
* <p>
* <b>Time complexity:</b> O(N), where N is the total number of entries
* @param key
* @return All the fields values contained into a hash.
*/
// override
List!(const(ubyte)[]) hvals(const(ubyte)[] key) {
checkIsInMultiOrPipeline();
client.hvals(key);
return client.getBinaryMultiBulkReply();
}
/**
* Return all the fields and associated values in a hash.
* <p>
* <b>Time complexity:</b> O(N), where N is the total number of entries
* @param key
* @return All the fields and values contained into a hash.
*/
// override
Map!(const(ubyte)[], const(ubyte)[]) hgetAll(const(ubyte)[] key) {
checkIsInMultiOrPipeline();
client.hgetAll(key);
List!(const(ubyte)[]) flatHash = client.getBinaryMultiBulkReply();
Map!(const(ubyte)[], const(ubyte)[]) hash = new RedisByteHashMap();
InputRange!(const(ubyte)[]) iterator = flatHash.iterator();
while(!iterator.empty()) {
const(ubyte)[] k = iterator.front();
iterator.popFront();
const(ubyte)[] v = iterator.front();
iterator.popFront();
hash.put(k, v);
}
return hash;
}
/**
* Add the string value to the head (LPUSH) or tail (RPUSH) of the list stored at key. If the key
* does not exist an empty list is created just before the append operation. If the key exists but
* is not a List an error is returned.
* <p>
* Time complexity: O(1)
* @see BinaryRedis#rpush(const(ubyte)[], const(ubyte)[]...)
* @param key
* @param strings
* @return Integer reply, specifically, the number of elements inside the list after the push
* operation.
*/
// override
Long rpush(const(ubyte)[] key, const(ubyte)[][] strings...) {
checkIsInMultiOrPipeline();
client.rpush(key, strings);
return client.getIntegerReply();
}
/**
* Add the string value to the head (LPUSH) or tail (RPUSH) of the list stored at key. If the key
* does not exist an empty list is created just before the append operation. If the key exists but
* is not a List an error is returned.
* <p>
* Time complexity: O(1)
* @see BinaryRedis#rpush(const(ubyte)[], const(ubyte)[]...)
* @param key
* @param strings
* @return Integer reply, specifically, the number of elements inside the list after the push
* operation.
*/
// override
Long lpush(const(ubyte)[] key, const(ubyte)[][] strings...) {
checkIsInMultiOrPipeline();
client.lpush(key, strings);
return client.getIntegerReply();
}
/**
* Return the length of the list stored at the specified key. If the key does not exist zero is
* returned (the same behaviour as for empty lists). If the value stored at key is not a list an
* error is returned.
* <p>
* Time complexity: O(1)
* @param key
* @return The length of the list.
*/
// override
Long llen(const(ubyte)[] key) {
checkIsInMultiOrPipeline();
client.llen(key);
return client.getIntegerReply();
}
/**
* Return the specified elements of the list stored at the specified key. Start and end are
* zero-based indexes. 0 is the first element of the list (the list head), 1 the next element and
* so on.
* <p>
* For example LRANGE foobar 0 2 will return the first three elements of the list.
* <p>
* start and end can also be negative numbers indicating offsets from the end of the list. For
* example -1 is the last element of the list, -2 the penultimate element and so on.
* <p>
* <b>Consistency with range functions in various programming languages</b>
* <p>
* Note that if you have a list of numbers from 0 to 100, LRANGE 0 10 will return 11 elements,
* that is, rightmost item is included. This may or may not be consistent with behavior of
* range-related functions in your programming language of choice (think Ruby's Range.new,
* Array#slice or Python's range() function).
* <p>
* LRANGE behavior is consistent with one of Tcl.
* <p>
* <b>Out-of-range indexes</b>
* <p>
* Indexes out of range will not produce an error: if start is over the end of the list, or start
* > end, an empty list is returned. If end is over the end of the list Redis will threat it
* just like the last element of the list.
* <p>
* Time complexity: O(start+n) (with n being the length of the range and start being the start
* offset)
* @param key
* @param start
* @param stop
* @return Multi bulk reply, specifically a list of elements in the specified range.
*/
// override
List!(const(ubyte)[]) lrange(const(ubyte)[] key, long start, long stop) {
checkIsInMultiOrPipeline();
client.lrange(key, start, stop);
return client.getBinaryMultiBulkReply();
}
/**
* Trim an existing list so that it will contain only the specified range of elements specified.
* Start and end are zero-based indexes. 0 is the first element of the list (the list head), 1 the
* next element and so on.
* <p>
* For example LTRIM foobar 0 2 will modify the list stored at foobar key so that only the first
* three elements of the list will remain.
* <p>
* start and end can also be negative numbers indicating offsets from the end of the list. For
* example -1 is the last element of the list, -2 the penultimate element and so on.
* <p>
* Indexes out of range will not produce an error: if start is over the end of the list, or start
* > end, an empty list is left as value. If end over the end of the list Redis will threat it
* just like the last element of the list.
* <p>
* Hint: the obvious use of LTRIM is together with LPUSH/RPUSH. For example:
* <p>
* {@code lpush("mylist", "someelement"); ltrim("mylist", 0, 99); * }
* <p>
* The above two commands will push elements in the list taking care that the list will not grow
* without limits. This is very useful when using Redis to store logs for example. It is important
* to note that when used in this way LTRIM is an O(1) operation because in the average case just
* one element is removed from the tail of the list.
* <p>
* Time complexity: O(n) (with n being len of list - len of range)
* @param key
* @param start
* @param stop
* @return Status code reply
*/
// override
string ltrim(const(ubyte)[] key, long start, long stop) {
checkIsInMultiOrPipeline();
client.ltrim(key, start, stop);
return client.getStatusCodeReply();
}
/**
* Return the specified element of the list stored at the specified key. 0 is the first element, 1
* the second and so on. Negative indexes are supported, for example -1 is the last element, -2
* the penultimate and so on.
* <p>
* If the value stored at key is not of list type an error is returned. If the index is out of
* range a 'nil' reply is returned.
* <p>
* Note that even if the average time complexity is O(n) asking for the first or the last element
* of the list is O(1).
* <p>
* Time complexity: O(n) (with n being the length of the list)
* @param key
* @param index
* @return Bulk reply, specifically the requested element
*/
// override
const(ubyte)[] lindex(const(ubyte)[] key, long index) {
checkIsInMultiOrPipeline();
client.lindex(key, index);
return client.getBinaryBulkReply();
}
/**
* Set a new value as the element at index position of the List at key.
* <p>
* Out of range indexes will generate an error.
* <p>
* Similarly to other list commands accepting indexes, the index can be negative to access
* elements starting from the end of the list. So -1 is the last element, -2 is the penultimate,
* and so forth.
* <p>
* <b>Time complexity:</b>
* <p>
* O(N) (with N being the length of the list), setting the first or last elements of the list is
* O(1).
* @see #lindex(const(ubyte)[], long)
* @param key
* @param index
* @param value
* @return Status code reply
*/
// override
string lset(const(ubyte)[] key, long index, const(ubyte)[] value) {
checkIsInMultiOrPipeline();
client.lset(key, index, value);
return client.getStatusCodeReply();
}
/**
* Remove the first count occurrences of the value element from the list. If count is zero all the
* elements are removed. If count is negative elements are removed from tail to head, instead to
* go from head to tail that is the normal behaviour. So for example LREM with count -2 and hello
* as value to remove against the list (a,b,c,hello,x,hello,hello) will leave the list
* (a,b,c,hello,x). The number of removed elements is returned as an integer, see below for more
* information about the returned value. Note that non existing keys are considered like empty
* lists by LREM, so LREM against non existing keys will always return 0.
* <p>
* Time complexity: O(N) (with N being the length of the list)
* @param key
* @param count
* @param value
* @return Integer Reply, specifically: The number of removed elements if the operation succeeded
*/
// override
Long lrem(const(ubyte)[] key, long count, const(ubyte)[] value) {
checkIsInMultiOrPipeline();
client.lrem(key, count, value);
return client.getIntegerReply();
}
/**
* Atomically return and remove the first (LPOP) or last (RPOP) element of the list. For example
* if the list contains the elements "a","b","c" LPOP will return "a" and the list will become
* "b","c".
* <p>
* If the key does not exist or the list is already empty the special value 'nil' is returned.
* @see #rpop(const(ubyte)[])
* @param key
* @return Bulk reply
*/
// override
const(ubyte)[] lpop(const(ubyte)[] key) {
checkIsInMultiOrPipeline();
client.lpop(key);
return client.getBinaryBulkReply();
}
/**
* Atomically return and remove the first (LPOP) or last (RPOP) element of the list. For example
* if the list contains the elements "a","b","c" LPOP will return "a" and the list will become
* "b","c".
* <p>
* If the key does not exist or the list is already empty the special value 'nil' is returned.
* @see #lpop(const(ubyte)[])
* @param key
* @return Bulk reply
*/
// override
const(ubyte)[] rpop(const(ubyte)[] key) {
checkIsInMultiOrPipeline();
client.rpop(key);
return client.getBinaryBulkReply();
}
/**
* Atomically return and remove the last (tail) element of the srckey list, and push the element
* as the first (head) element of the dstkey list. For example if the source list contains the
* elements "a","b","c" and the destination list contains the elements "foo","bar" after an
* RPOPLPUSH command the content of the two lists will be "a","b" and "c","foo","bar".
* <p>
* If the key does not exist or the list is already empty the special value 'nil' is returned. If
* the srckey and dstkey are the same the operation is equivalent to removing the last element
* from the list and pushing it as first element of the list, so it's a "list rotation" command.
* <p>
* Time complexity: O(1)
* @param srckey
* @param dstkey
* @return Bulk reply
*/
// override
const(ubyte)[] rpoplpush(const(ubyte)[] srckey, const(ubyte)[] dstkey) {
checkIsInMultiOrPipeline();
client.rpoplpush(srckey, dstkey);
return client.getBinaryBulkReply();
}
/**
* Add the specified member to the set value stored at key. If member is already a member of the
* set no operation is performed. If key does not exist a new set with the specified member as
* sole member is created. If the key exists but does not hold a set value an error is returned.
* <p>
* Time complexity O(1)
* @param key
* @param members
* @return Integer reply, specifically: 1 if the new element was added 0 if the element was
* already a member of the set
*/
// override
Long sadd(const(ubyte)[] key, const(ubyte)[][] members...) {
checkIsInMultiOrPipeline();
client.sadd(key, members);
return client.getIntegerReply();
}
/**
* Return all the members (elements) of the set value stored at key. This is just syntax glue for
* {@link #sinter(const(ubyte)[]...)} SINTER}.
* <p>
* Time complexity O(N)
* @param key the key of the set
* @return Multi bulk reply
*/
// override
Set!(const(ubyte)[]) smembers(const(ubyte)[] key) {
checkIsInMultiOrPipeline();
client.smembers(key);
return new SetFromList!(const(ubyte)[])(client.getBinaryMultiBulkReply());
}
/**
* Remove the specified member from the set value stored at key. If member was not a member of the
* set no operation is performed. If key does not hold a set value an error is returned.
* <p>
* Time complexity O(1)
* @param key the key of the set
* @param member the set member to remove
* @return Integer reply, specifically: 1 if the new element was removed 0 if the new element was
* not a member of the set
*/
// override
Long srem(const(ubyte)[] key, const(ubyte)[][] member...) {
checkIsInMultiOrPipeline();
client.srem(key, member);
return client.getIntegerReply();
}
/**
* Remove a random element from a Set returning it as return value. If the Set is empty or the key
* does not exist, a nil object is returned.
* <p>
* The {@link #srandmember(const(ubyte)[])} command does a similar work but the returned element is not
* removed from the Set.
* <p>
* Time complexity O(1)
* @param key
* @return Bulk reply
*/
// override
const(ubyte)[] spop(const(ubyte)[] key) {
checkIsInMultiOrPipeline();
client.spop(key);
return client.getBinaryBulkReply();
}
// override
Set!(const(ubyte)[]) spop(const(ubyte)[] key, long count) {
checkIsInMultiOrPipeline();
client.spop(key, count);
List!(const(ubyte)[]) members = client.getBinaryMultiBulkReply();
if (members is null) return null;
return new SetFromList!(const(ubyte)[])(members);
}
/**
* Move the specified member from the set at srckey to the set at dstkey. This operation is
* atomic, in every given moment the element will appear to be in the source or destination set
* for accessing clients.
* <p>
* If the source set does not exist or does not contain the specified element no operation is
* performed and zero is returned, otherwise the element is removed from the source set and added
* to the destination set. On success one is returned, even if the element was already present in
* the destination set.
* <p>
* An error is raised if the source or destination keys contain a non Set value.
* <p>
* Time complexity O(1)
* @param srckey
* @param dstkey
* @param member
* @return Integer reply, specifically: 1 if the element was moved 0 if the element was not found
* on the first set and no operation was performed
*/
// override
Long smove(const(ubyte)[] srckey, const(ubyte)[] dstkey, const(ubyte)[] member) {
checkIsInMultiOrPipeline();
client.smove(srckey, dstkey, member);
return client.getIntegerReply();
}
/**
* Return the set cardinality (number of elements). If the key does not exist 0 is returned, like
* for empty sets.
* @param key
* @return Integer reply, specifically: the cardinality (number of elements) of the set as an
* integer.
*/
// override
Long scard(const(ubyte)[] key) {
checkIsInMultiOrPipeline();
client.scard(key);
return client.getIntegerReply();
}
/**
* Return true if member is a member of the set stored at key, otherwise false is returned.
* <p>
* Time complexity O(1)
* @param key
* @param member
* @return bool reply, specifically: true if the element is a member of the set false if the element
* is not a member of the set OR if the key does not exist
*/
// override
bool sismember(const(ubyte)[] key, const(ubyte)[] member) {
checkIsInMultiOrPipeline();
client.sismember(key, member);
return client.getIntegerReply() == 1;
}
/**
* Return the members of a set resulting from the intersection of all the sets hold at the
* specified keys. Like in {@link #lrange(const(ubyte)[], long, long)} LRANGE} the result is sent to the
* client as a multi-bulk reply (see the protocol specification for more information). If just a
* single key is specified, then this command produces the same result as
* {@link #smembers(const(ubyte)[]) SMEMBERS}. Actually SMEMBERS is just syntax sugar for SINTER.
* <p>
* Non existing keys are considered like empty sets, so if one of the keys is missing an empty set
* is returned (since the intersection with an empty set always is an empty set).
* <p>
* Time complexity O(N*M) worst case where N is the cardinality of the smallest set and M the
* number of sets
* @param keys
* @return Multi bulk reply, specifically the list of common elements.
*/
// override
Set!(const(ubyte)[]) sinter(const(ubyte)[][] keys...) {
checkIsInMultiOrPipeline();
client.sinter(keys);
return new SetFromList!(const(ubyte)[])(client.getBinaryMultiBulkReply());
}
/**
* This commanad works exactly like {@link #sinter(const(ubyte)[]...) SINTER} but instead of being returned
* the resulting set is stored as dstkey.
* <p>
* Time complexity O(N*M) worst case where N is the cardinality of the smallest set and M the
* number of sets
* @param dstkey
* @param keys
* @return Status code reply
*/
// override
Long sinterstore(const(ubyte)[] dstkey, const(ubyte)[][] keys...) {
checkIsInMultiOrPipeline();
client.sinterstore(dstkey, keys);
return client.getIntegerReply();
}
/**
* Return the members of a set resulting from the union of all the sets hold at the specified
* keys. Like in {@link #lrange(const(ubyte)[], long, long)} LRANGE} the result is sent to the client as a
* multi-bulk reply (see the protocol specification for more information). If just a single key is
* specified, then this command produces the same result as {@link #smembers(const(ubyte)[]) SMEMBERS}.
* <p>
* Non existing keys are considered like empty sets.
* <p>
* Time complexity O(N) where N is the total number of elements in all the provided sets
* @param keys
* @return Multi bulk reply, specifically the list of common elements.
*/
// override
Set!(const(ubyte)[]) sunion(const(ubyte)[][] keys...) {
checkIsInMultiOrPipeline();
client.sunion(keys);
return new SetFromList!(const(ubyte)[])(client.getBinaryMultiBulkReply());
}
/**
* This command works exactly like {@link #sunion(const(ubyte)[]...) SUNION} but instead of being returned
* the resulting set is stored as dstkey. Any existing value in dstkey will be over-written.
* <p>
* Time complexity O(N) where N is the total number of elements in all the provided sets
* @param dstkey
* @param keys
* @return Status code reply
*/
// override
Long sunionstore(const(ubyte)[] dstkey, const(ubyte)[][] keys...) {
checkIsInMultiOrPipeline();
client.sunionstore(dstkey, keys);
return client.getIntegerReply();
}
/**
* Return the difference between the Set stored at key1 and all the Sets key2, ..., keyN
* <p>
* <b>Example:</b>
*
* <pre>
* key1 = [x, a, b, c]
* key2 = [c]
* key3 = [a, d]
* SDIFF key1,key2,key3 => [x, b]
* </pre>
*
* Non existing keys are considered like empty sets.
* <p>
* <b>Time complexity:</b>
* <p>
* O(N) with N being the total number of elements of all the sets
* @param keys
* @return Return the members of a set resulting from the difference between the first set
* provided and all the successive sets.
*/
// override
Set!(const(ubyte)[]) sdiff(const(ubyte)[][] keys...) {
checkIsInMultiOrPipeline();
client.sdiff(keys);
return new SetFromList!(const(ubyte)[])(client.getBinaryMultiBulkReply());
}
/**
* This command works exactly like {@link #sdiff(const(ubyte)[]...) SDIFF} but instead of being returned
* the resulting set is stored in dstkey.
* @param dstkey
* @param keys
* @return Status code reply
*/
// override
Long sdiffstore(const(ubyte)[] dstkey, const(ubyte)[][] keys...) {
checkIsInMultiOrPipeline();
client.sdiffstore(dstkey, keys);
return client.getIntegerReply();
}
/**
* Return a random element from a Set, without removing the element. If the Set is empty or the
* key does not exist, a nil object is returned.
* <p>
* The SPOP command does a similar work but the returned element is popped (removed) from the Set.
* <p>
* Time complexity O(1)
* @param key
* @return Bulk reply
*/
// override
const(ubyte)[] srandmember(const(ubyte)[] key) {
checkIsInMultiOrPipeline();
client.srandmember(key);
return client.getBinaryBulkReply();
}
// override
List!(const(ubyte)[]) srandmember(const(ubyte)[] key, int count) {
checkIsInMultiOrPipeline();
client.srandmember(key, count);
return client.getBinaryMultiBulkReply();
}
/**
* Add the specified member having the specified score to the sorted set stored at key. If member
* is already a member of the sorted set the score is updated, and the element reinserted in the
* right position to ensure sorting. If key does not exist a new sorted set with the specified
* member as sole member is created. If the key exists but does not hold a sorted set value an
* error is returned.
* <p>
* The score value can be the string representation of a double precision floating point number.
* <p>
* Time complexity O(log(N)) with N being the number of elements in the sorted set
* @param key
* @param score
* @param member
* @return Integer reply, specifically: 1 if the new element was added 0 if the element was
* already a member of the sorted set and the score was updated
*/
// override
Long zadd(const(ubyte)[] key, double score, const(ubyte)[] member) {
checkIsInMultiOrPipeline();
client.zadd(key, score, member);
return client.getIntegerReply();
}
// override
Long zadd(const(ubyte)[] key, double score, const(ubyte)[] member, ZAddParams params) {
checkIsInMultiOrPipeline();
client.zadd(key, score, member, params);
return client.getIntegerReply();
}
// override
Long zadd(const(ubyte)[] key, Map!(const(ubyte)[], double) scoreMembers) {
checkIsInMultiOrPipeline();
client.zadd(key, scoreMembers);
return client.getIntegerReply();
}
// override
Long zadd(const(ubyte)[] key, Map!(const(ubyte)[], double) scoreMembers, ZAddParams params) {
checkIsInMultiOrPipeline();
client.zadd(key, scoreMembers, params);
return client.getIntegerReply();
}
// override
const(ubyte)[][] zrange(const(ubyte)[] key, long start, long stop) {
checkIsInMultiOrPipeline();
client.zrange(key, start, stop);
// return new SetFromList!(const(ubyte)[])(client.getBinaryMultiBulkReply());
List!(const(ubyte)[]) r = client.getBinaryMultiBulkReply();
return r.toArray();
}
/**
* Remove the specified member from the sorted set value stored at key. If member was not a member
* of the set no operation is performed. If key does not not hold a set value an error is
* returned.
* <p>
* Time complexity O(log(N)) with N being the number of elements in the sorted set
* @param key
* @param members
* @return Integer reply, specifically: 1 if the new element was removed 0 if the new element was
* not a member of the set
*/
// override
Long zrem(const(ubyte)[] key, const(ubyte)[][] members...) {
checkIsInMultiOrPipeline();
client.zrem(key, members);
return client.getIntegerReply();
}
/**
* If member already exists in the sorted set adds the increment to its score and updates the
* position of the element in the sorted set accordingly. If member does not already exist in the
* sorted set it is added with increment as score (that is, like if the previous score was
* virtually zero). If key does not exist a new sorted set with the specified member as sole
* member is created. If the key exists but does not hold a sorted set value an error is returned.
* <p>
* The score value can be the string representation of a double precision floating point number.
* It's possible to provide a negative value to perform a decrement.
* <p>
* For an introduction to sorted sets check the Introduction to Redis data types page.
* <p>
* Time complexity O(log(N)) with N being the number of elements in the sorted set
* @param key
* @param increment
* @param member
* @return The new score
*/
// override
double zincrby(const(ubyte)[] key, double increment, const(ubyte)[] member) {
checkIsInMultiOrPipeline();
client.zincrby(key, increment, member);
Double r = BuilderFactory.DOUBLE.build(client.getOne());
return r.value();
}
// override
double zincrby(const(ubyte)[] key, double increment, const(ubyte)[] member, ZIncrByParams params) {
checkIsInMultiOrPipeline();
client.zincrby(key, increment, member, params);
Double r = BuilderFactory.DOUBLE.build(client.getOne());
return r.value();
}
/**
* Return the rank (or index) or member in the sorted set at key, with scores being ordered from
* low to high.
* <p>
* When the given member does not exist in the sorted set, the special value 'nil' is returned.
* The returned rank (or index) of the member is 0-based for both commands.
* <p>
* <b>Time complexity:</b>
* <p>
* O(log(N))
* @see #zrevrank(const(ubyte)[], const(ubyte)[])
* @param key
* @param member
* @return Integer reply or a nil bulk reply, specifically: the rank of the element as an integer
* reply if the element exists. A nil bulk reply if there is no such element.
*/
// override
Long zrank(const(ubyte)[] key, const(ubyte)[] member) {
checkIsInMultiOrPipeline();
client.zrank(key, member);
return client.getIntegerReply();
}
/**
* Return the rank (or index) or member in the sorted set at key, with scores being ordered from
* high to low.
* <p>
* When the given member does not exist in the sorted set, the special value 'nil' is returned.
* The returned rank (or index) of the member is 0-based for both commands.
* <p>
* <b>Time complexity:</b>
* <p>
* O(log(N))
* @see #zrank(const(ubyte)[], const(ubyte)[])
* @param key
* @param member
* @return Integer reply or a nil bulk reply, specifically: the rank of the element as an integer
* reply if the element exists. A nil bulk reply if there is no such element.
*/
// override
Long zrevrank(const(ubyte)[] key, const(ubyte)[] member) {
checkIsInMultiOrPipeline();
client.zrevrank(key, member);
return client.getIntegerReply();
}
// override
const(ubyte)[][] zrevrange(const(ubyte)[] key, long start, long stop) {
checkIsInMultiOrPipeline();
client.zrevrange(key, start, stop);
// return new SetFromList!(const(ubyte)[])(client.getBinaryMultiBulkReply());
auto r = client.getBinaryMultiBulkReply();
return r.toArray();
}
// override
Set!(Tuple) zrangeWithScores(const(ubyte)[] key, long start, long stop) {
checkIsInMultiOrPipeline();
client.zrangeWithScores(key, start, stop);
return getTupledSet();
}
// override
Set!(Tuple) zrevrangeWithScores(const(ubyte)[] key, long start, long stop) {
checkIsInMultiOrPipeline();
client.zrevrangeWithScores(key, start, stop);
return getTupledSet();
}
/**
* Return the sorted set cardinality (number of elements). If the key does not exist 0 is
* returned, like for empty sorted sets.
* <p>
* Time complexity O(1)
* @param key
* @return the cardinality (number of elements) of the set as an integer.
*/
// override
Long zcard(const(ubyte)[] key) {
checkIsInMultiOrPipeline();
client.zcard(key);
return client.getIntegerReply();
}
/**
* Return the score of the specified element of the sorted set at key. If the specified element
* does not exist in the sorted set, or the key does not exist at all, a special 'nil' value is
* returned.
* <p>
* <b>Time complexity:</b> O(1)
* @param key
* @param member
* @return the score
*/
// override
Double zscore(const(ubyte)[] key, const(ubyte)[] member) {
checkIsInMultiOrPipeline();
client.zscore(key, member);
string score = client.getBulkReply();
return (score !is null ? new Double(score) : null);
}
Transaction multi() {
client.multi();
client.getOne(); // expected OK
transaction = new Transaction(client);
return transaction;
}
protected void checkIsInMultiOrPipeline() {
if (client.isInMulti()) {
throw new RedisDataException(
"Cannot use Redis when in Multi. Please use Transaction or reset jedis state.");
} else if (pipeline !is null && pipeline.hasPipelinedResponse()) {
throw new RedisDataException(
"Cannot use Redis when in Pipeline. Please use Pipeline or reset jedis state .");
}
}
void connect() {
client.connect();
}
// void disconnect() {
// client.disconnect();
// }
void resetState() {
if (client.isConnected()) {
if (transaction !is null) {
transaction.close();
}
if (pipeline !is null) {
pipeline.close();
}
client.resetState();
}
transaction = null;
pipeline = null;
}
// override
string watch(const(ubyte)[][] keys...) {
client.watch(keys);
return client.getStatusCodeReply();
}
// override
string unwatch() {
client.unwatch();
return client.getStatusCodeReply();
}
// override
void close() {
client.close();
}
/**
* Sort a Set or a List.
* <p>
* Sort the elements contained in the List, Set, or Sorted Set value at key. By default sorting is
* numeric with elements being compared as double precision floating point numbers. This is the
* simplest form of SORT.
* @see #sort(const(ubyte)[], const(ubyte)[])
* @see #sort(const(ubyte)[], SortingParams)
* @see #sort(const(ubyte)[], SortingParams, const(ubyte)[])
* @param key
* @return Assuming the Set/List at key contains a list of numbers, the return value will be the
* list of numbers ordered from the smallest to the biggest number.
*/
// override
List!(const(ubyte)[]) sort(const(ubyte)[] key) {
checkIsInMultiOrPipeline();
client.sort(key);
return client.getBinaryMultiBulkReply();
}
/**
* Sort a Set or a List accordingly to the specified parameters.
* <p>
* <b>examples:</b>
* <p>
* Given are the following sets and key/values:
*
* <pre>
* x = [1, 2, 3]
* y = [a, b, c]
*
* k1 = z
* k2 = y
* k3 = x
*
* w1 = 9
* w2 = 8
* w3 = 7
* </pre>
*
* Sort Order:
*
* <pre>
* sort(x) or sort(x, sp.asc())
* -> [1, 2, 3]
*
* sort(x, sp.desc())
* -> [3, 2, 1]
*
* sort(y)
* -> [c, a, b]
*
* sort(y, sp.alpha())
* -> [a, b, c]
*
* sort(y, sp.alpha().desc())
* -> [c, a, b]
* </pre>
*
* Limit (e.g. for Pagination):
*
* <pre>
* sort(x, sp.limit(0, 2))
* -> [1, 2]
*
* sort(y, sp.alpha().desc().limit(1, 2))
* -> [b, a]
* </pre>
*
* Sorting by external keys:
*
* <pre>
* sort(x, sb.by(w*))
* -> [3, 2, 1]
*
* sort(x, sb.by(w*).desc())
* -> [1, 2, 3]
* </pre>
*
* Getting external keys:
*
* <pre>
* sort(x, sp.by(w*).get(k*))
* -> [x, y, z]
*
* sort(x, sp.by(w*).get(#).get(k*))
* -> [3, x, 2, y, 1, z]
* </pre>
* @see #sort(const(ubyte)[])
* @see #sort(const(ubyte)[], SortingParams, const(ubyte)[])
* @param key
* @param sortingParameters
* @return a list of sorted elements.
*/
// override
List!(const(ubyte)[]) sort(const(ubyte)[] key, SortingParams sortingParameters) {
checkIsInMultiOrPipeline();
client.sort(key, sortingParameters);
return client.getBinaryMultiBulkReply();
}
/**
* BLPOP (and BRPOP) is a blocking list pop primitive. You can see this commands as blocking
* versions of LPOP and RPOP able to block if the specified keys don't exist or contain empty
* lists.
* <p>
* The following is a description of the exact semantic. We describe BLPOP but the two commands
* are identical, the only difference is that BLPOP pops the element from the left (head) of the
* list, and BRPOP pops from the right (tail).
* <p>
* <b>Non blocking behavior</b>
* <p>
* When BLPOP is called, if at least one of the specified keys contain a non empty list, an
* element is popped from the head of the list and returned to the caller together with the name
* of the key (BLPOP returns a two elements array, the first element is the key, the second the
* popped value).
* <p>
* Keys are scanned from left to right, so for instance if you issue BLPOP list1 list2 list3 0
* against a dataset where list1 does not exist but list2 and list3 contain non empty lists, BLPOP
* guarantees to return an element from the list stored at list2 (since it is the first non empty
* list starting from the left).
* <p>
* <b>Blocking behavior</b>
* <p>
* If none of the specified keys exist or contain non empty lists, BLPOP blocks until some other
* client performs a LPUSH or an RPUSH operation against one of the lists.
* <p>
* Once new data is present on one of the lists, the client finally returns with the name of the
* key unblocking it and the popped value.
* <p>
* When blocking, if a non-zero timeout is specified, the client will unblock returning a nil
* special value if the specified amount of seconds passed without a push operation against at
* least one of the specified keys.
* <p>
* The timeout argument is interpreted as an integer value. A timeout of zero means instead to
* block forever.
* <p>
* <b>Multiple clients blocking for the same keys</b>
* <p>
* Multiple clients can block for the same key. They are put into a queue, so the first to be
* served will be the one that started to wait earlier, in a first-blpopping first-served fashion.
* <p>
* <b>blocking POP inside a MULTI/EXEC transaction</b>
* <p>
* BLPOP and BRPOP can be used with pipelining (sending multiple commands and reading the replies
* in batch), but it does not make sense to use BLPOP or BRPOP inside a MULTI/EXEC block (a Redis
* transaction).
* <p>
* The behavior of BLPOP inside MULTI/EXEC when the list is empty is to return a multi-bulk nil
* reply, exactly what happens when the timeout is reached. If you like science fiction, think at
* it like if inside MULTI/EXEC the time will flow at infinite speed :)
* <p>
* Time complexity: O(1)
* @see #brpop(int, const(ubyte)[]...)
* @param timeout
* @param keys
* @return BLPOP returns a two-elements array via a multi bulk reply in order to return both the
* unblocking key and the popped value.
* <p>
* When a non-zero timeout is specified, and the BLPOP operation timed out, the return
* value is a nil multi bulk reply. Most client values will return false or nil
* accordingly to the programming language used.
*/
// override
List!(const(ubyte)[]) blpop(int timeout, const(ubyte)[][] keys...) {
return blpop(getArgsAddTimeout(timeout, keys));
}
private const(ubyte)[][] getArgsAddTimeout(int timeout, const(ubyte)[][] keys) {
int size = cast(int)keys.length;
const(ubyte)[][] args = new const(ubyte)[][size + 1];
for (int at = 0; at != size; ++at) {
args[at] = keys[at];
}
args[size] = Protocol.toByteArray(timeout);
return args;
}
/**
* Sort a Set or a List accordingly to the specified parameters and store the result at dstkey.
* @see #sort(const(ubyte)[], SortingParams)
* @see #sort(const(ubyte)[])
* @see #sort(const(ubyte)[], const(ubyte)[])
* @param key
* @param sortingParameters
* @param dstkey
* @return The number of elements of the list at dstkey.
*/
// override
Long sort(const(ubyte)[] key, SortingParams sortingParameters, const(ubyte)[] dstkey) {
checkIsInMultiOrPipeline();
client.sort(key, sortingParameters, dstkey);
return client.getIntegerReply();
}
/**
* Sort a Set or a List and Store the Result at dstkey.
* <p>
* Sort the elements contained in the List, Set, or Sorted Set value at key and store the result
* at dstkey. By default sorting is numeric with elements being compared as double precision
* floating point numbers. This is the simplest form of SORT.
* @see #sort(const(ubyte)[])
* @see #sort(const(ubyte)[], SortingParams)
* @see #sort(const(ubyte)[], SortingParams, const(ubyte)[])
* @param key
* @param dstkey
* @return The number of elements of the list at dstkey.
*/
// override
Long sort(const(ubyte)[] key, const(ubyte)[] dstkey) {
checkIsInMultiOrPipeline();
client.sort(key, dstkey);
return client.getIntegerReply();
}
/**
* BLPOP (and BRPOP) is a blocking list pop primitive. You can see this commands as blocking
* versions of LPOP and RPOP able to block if the specified keys don't exist or contain empty
* lists.
* <p>
* The following is a description of the exact semantic. We describe BLPOP but the two commands
* are identical, the only difference is that BLPOP pops the element from the left (head) of the
* list, and BRPOP pops from the right (tail).
* <p>
* <b>Non blocking behavior</b>
* <p>
* When BLPOP is called, if at least one of the specified keys contain a non empty list, an
* element is popped from the head of the list and returned to the caller together with the name
* of the key (BLPOP returns a two elements array, the first element is the key, the second the
* popped value).
* <p>
* Keys are scanned from left to right, so for instance if you issue BLPOP list1 list2 list3 0
* against a dataset where list1 does not exist but list2 and list3 contain non empty lists, BLPOP
* guarantees to return an element from the list stored at list2 (since it is the first non empty
* list starting from the left).
* <p>
* <b>Blocking behavior</b>
* <p>
* If none of the specified keys exist or contain non empty lists, BLPOP blocks until some other
* client performs a LPUSH or an RPUSH operation against one of the lists.
* <p>
* Once new data is present on one of the lists, the client finally returns with the name of the
* key unblocking it and the popped value.
* <p>
* When blocking, if a non-zero timeout is specified, the client will unblock returning a nil
* special value if the specified amount of seconds passed without a push operation against at
* least one of the specified keys.
* <p>
* The timeout argument is interpreted as an integer value. A timeout of zero means instead to
* block forever.
* <p>
* <b>Multiple clients blocking for the same keys</b>
* <p>
* Multiple clients can block for the same key. They are put into a queue, so the first to be
* served will be the one that started to wait earlier, in a first-blpopping first-served fashion.
* <p>
* <b>blocking POP inside a MULTI/EXEC transaction</b>
* <p>
* BLPOP and BRPOP can be used with pipelining (sending multiple commands and reading the replies
* in batch), but it does not make sense to use BLPOP or BRPOP inside a MULTI/EXEC block (a Redis
* transaction).
* <p>
* The behavior of BLPOP inside MULTI/EXEC when the list is empty is to return a multi-bulk nil
* reply, exactly what happens when the timeout is reached. If you like science fiction, think at
* it like if inside MULTI/EXEC the time will flow at infinite speed :)
* <p>
* Time complexity: O(1)
* @see #blpop(int, const(ubyte)[]...)
* @param timeout
* @param keys
* @return BLPOP returns a two-elements array via a multi bulk reply in order to return both the
* unblocking key and the popped value.
* <p>
* When a non-zero timeout is specified, and the BLPOP operation timed out, the return
* value is a nil multi bulk reply. Most client values will return false or nil
* accordingly to the programming language used.
*/
// override
List!(const(ubyte)[]) brpop(int timeout, const(ubyte)[][] keys...) {
return brpop(getArgsAddTimeout(timeout, keys));
}
// override
List!(const(ubyte)[]) blpop(const(ubyte)[][] args...) {
checkIsInMultiOrPipeline();
client.blpop(args);
client.setTimeoutInfinite();
try {
return client.getBinaryMultiBulkReply();
} finally {
client.rollbackTimeout();
}
}
// override
List!(const(ubyte)[]) brpop(const(ubyte)[][] args...) {
checkIsInMultiOrPipeline();
client.brpop(args);
client.setTimeoutInfinite();
try {
return client.getBinaryMultiBulkReply();
} finally {
client.rollbackTimeout();
}
}
/**
* Request for authentication in a password protected Redis server. A Redis server can be
* instructed to require a password before to allow clients to issue commands. This is done using
* the requirepass directive in the Redis configuration file. If the password given by the client
* is correct the server replies with an OK status code reply and starts accepting commands from
* the client. Otherwise an error is returned and the clients needs to try a new password. Note
* that for the high performance nature of Redis it is possible to try a lot of passwords in
* parallel in very short time, so make sure to generate a strong and very long password so that
* this attack is infeasible.
* @param password
* @return Status code reply
*/
// override
string auth(string password) {
checkIsInMultiOrPipeline();
client.auth(password);
return client.getStatusCodeReply();
}
Pipeline pipelined() {
pipeline = new Pipeline();
pipeline.setClient(client);
return pipeline;
}
// override
Long zcount(const(ubyte)[] key, double min, double max) {
checkIsInMultiOrPipeline();
client.zcount(key, min, max);
return client.getIntegerReply();
}
// override
Long zcount(const(ubyte)[] key, const(ubyte)[] min, const(ubyte)[] max) {
checkIsInMultiOrPipeline();
client.zcount(key, min, max);
return client.getIntegerReply();
}
/**
* Return the all the elements in the sorted set at key with a score between min and max
* (including elements with score equal to min or max).
* <p>
* The elements having the same score are returned sorted lexicographically as ASCII strings (this
* follows from a property of Redis sorted sets and does not involve further computation).
* <p>
* Using the optional {@link #zrangeByScore(const(ubyte)[], double, double, int, int) LIMIT} it's possible
* to get only a range of the matching elements in an SQL-alike way. Note that if offset is large
* the commands needs to traverse the list for offset elements and this adds up to the O(M)
* figure.
* <p>
* The {@link #zcount(const(ubyte)[], double, double) ZCOUNT} command is similar to
* {@link #zrangeByScore(const(ubyte)[], double, double) ZRANGEBYSCORE} but instead of returning the
* actual elements in the specified interval, it just returns the number of matching elements.
* <p>
* <b>Exclusive intervals and infinity</b>
* <p>
* min and max can be -inf and +inf, so that you are not required to know what's the greatest or
* smallest element in order to take, for instance, elements "up to a given value".
* <p>
* Also while the interval is for default closed (inclusive) it's possible to specify open
* intervals prefixing the score with a "(" character, so for instance:
* <p>
* {@code ZRANGEBYSCORE zset (1.3 5}
* <p>
* Will return all the values with score > 1.3 and <= 5, while for instance:
* <p>
* {@code ZRANGEBYSCORE zset (5 (10}
* <p>
* Will return all the values with score > 5 and < 10 (5 and 10 excluded).
* <p>
* <b>Time complexity:</b>
* <p>
* O(log(N))+O(M) with N being the number of elements in the sorted set and M the number of
* elements returned by the command, so if M is constant (for instance you always ask for the
* first ten elements with LIMIT) you can consider it O(log(N))
* @see #zrangeByScore(const(ubyte)[], double, double)
* @see #zrangeByScore(const(ubyte)[], double, double, int, int)
* @see #zrangeByScoreWithScores(const(ubyte)[], double, double)
* @see #zrangeByScoreWithScores(const(ubyte)[], double, double, int, int)
* @see #zcount(const(ubyte)[], double, double)
* @param key
* @param min
* @param max
* @return Multi bulk reply specifically a list of elements in the specified score range.
*/
// override
Set!(const(ubyte)[]) zrangeByScore(const(ubyte)[] key, double min, double max) {
checkIsInMultiOrPipeline();
client.zrangeByScore(key, min, max);
return new SetFromList!(const(ubyte)[])(client.getBinaryMultiBulkReply());
}
// override
Set!(const(ubyte)[]) zrangeByScore(const(ubyte)[] key, const(ubyte)[] min, const(ubyte)[] max) {
checkIsInMultiOrPipeline();
client.zrangeByScore(key, min, max);
return new SetFromList!(const(ubyte)[])(client.getBinaryMultiBulkReply());
}
/**
* Return the all the elements in the sorted set at key with a score between min and max
* (including elements with score equal to min or max).
* <p>
* The elements having the same score are returned sorted lexicographically as ASCII strings (this
* follows from a property of Redis sorted sets and does not involve further computation).
* <p>
* Using the optional {@link #zrangeByScore(const(ubyte)[], double, double, int, int) LIMIT} it's possible
* to get only a range of the matching elements in an SQL-alike way. Note that if offset is large
* the commands needs to traverse the list for offset elements and this adds up to the O(M)
* figure.
* <p>
* The {@link #zcount(const(ubyte)[], double, double) ZCOUNT} command is similar to
* {@link #zrangeByScore(const(ubyte)[], double, double) ZRANGEBYSCORE} but instead of returning the
* actual elements in the specified interval, it just returns the number of matching elements.
* <p>
* <b>Exclusive intervals and infinity</b>
* <p>
* min and max can be -inf and +inf, so that you are not required to know what's the greatest or
* smallest element in order to take, for instance, elements "up to a given value".
* <p>
* Also while the interval is for default closed (inclusive) it's possible to specify open
* intervals prefixing the score with a "(" character, so for instance:
* <p>
* {@code ZRANGEBYSCORE zset (1.3 5}
* <p>
* Will return all the values with score > 1.3 and <= 5, while for instance:
* <p>
* {@code ZRANGEBYSCORE zset (5 (10}
* <p>
* Will return all the values with score > 5 and < 10 (5 and 10 excluded).
* <p>
* <b>Time complexity:</b>
* <p>
* O(log(N))+O(M) with N being the number of elements in the sorted set and M the number of
* elements returned by the command, so if M is constant (for instance you always ask for the
* first ten elements with LIMIT) you can consider it O(log(N))
* @see #zrangeByScore(const(ubyte)[], double, double)
* @see #zrangeByScore(const(ubyte)[], double, double, int, int)
* @see #zrangeByScoreWithScores(const(ubyte)[], double, double)
* @see #zrangeByScoreWithScores(const(ubyte)[], double, double, int, int)
* @see #zcount(const(ubyte)[], double, double)
* @param key
* @param min
* @param max
* @param offset
* @param count
* @return Multi bulk reply specifically a list of elements in the specified score range.
*/
// override
Set!(const(ubyte)[]) zrangeByScore(const(ubyte)[] key, double min, double max,
int offset, int count) {
checkIsInMultiOrPipeline();
client.zrangeByScore(key, min, max, offset, count);
return new SetFromList!(const(ubyte)[])(client.getBinaryMultiBulkReply());
}
// override
Set!(const(ubyte)[]) zrangeByScore(const(ubyte)[] key, const(ubyte)[] min, const(ubyte)[] max,
int offset, int count) {
checkIsInMultiOrPipeline();
client.zrangeByScore(key, min, max, offset, count);
return new SetFromList!(const(ubyte)[])(client.getBinaryMultiBulkReply());
}
/**
* Return the all the elements in the sorted set at key with a score between min and max
* (including elements with score equal to min or max).
* <p>
* The elements having the same score are returned sorted lexicographically as ASCII strings (this
* follows from a property of Redis sorted sets and does not involve further computation).
* <p>
* Using the optional {@link #zrangeByScore(const(ubyte)[], double, double, int, int) LIMIT} it's possible
* to get only a range of the matching elements in an SQL-alike way. Note that if offset is large
* the commands needs to traverse the list for offset elements and this adds up to the O(M)
* figure.
* <p>
* The {@link #zcount(const(ubyte)[], double, double) ZCOUNT} command is similar to
* {@link #zrangeByScore(const(ubyte)[], double, double) ZRANGEBYSCORE} but instead of returning the
* actual elements in the specified interval, it just returns the number of matching elements.
* <p>
* <b>Exclusive intervals and infinity</b>
* <p>
* min and max can be -inf and +inf, so that you are not required to know what's the greatest or
* smallest element in order to take, for instance, elements "up to a given value".
* <p>
* Also while the interval is for default closed (inclusive) it's possible to specify open
* intervals prefixing the score with a "(" character, so for instance:
* <p>
* {@code ZRANGEBYSCORE zset (1.3 5}
* <p>
* Will return all the values with score > 1.3 and <= 5, while for instance:
* <p>
* {@code ZRANGEBYSCORE zset (5 (10}
* <p>
* Will return all the values with score > 5 and < 10 (5 and 10 excluded).
* <p>
* <b>Time complexity:</b>
* <p>
* O(log(N))+O(M) with N being the number of elements in the sorted set and M the number of
* elements returned by the command, so if M is constant (for instance you always ask for the
* first ten elements with LIMIT) you can consider it O(log(N))
* @see #zrangeByScore(const(ubyte)[], double, double)
* @see #zrangeByScore(const(ubyte)[], double, double, int, int)
* @see #zrangeByScoreWithScores(const(ubyte)[], double, double)
* @see #zrangeByScoreWithScores(const(ubyte)[], double, double, int, int)
* @see #zcount(const(ubyte)[], double, double)
* @param key
* @param min
* @param max
* @return Multi bulk reply specifically a list of elements in the specified score range.
*/
// override
Set!(Tuple) zrangeByScoreWithScores(const(ubyte)[] key, double min, double max) {
checkIsInMultiOrPipeline();
client.zrangeByScoreWithScores(key, min, max);
return getTupledSet();
}
// override
Set!(Tuple) zrangeByScoreWithScores(const(ubyte)[] key, const(ubyte)[] min, const(ubyte)[] max) {
checkIsInMultiOrPipeline();
client.zrangeByScoreWithScores(key, min, max);
return getTupledSet();
}
/**
* Return the all the elements in the sorted set at key with a score between min and max
* (including elements with score equal to min or max).
* <p>
* The elements having the same score are returned sorted lexicographically as ASCII strings (this
* follows from a property of Redis sorted sets and does not involve further computation).
* <p>
* Using the optional {@link #zrangeByScore(const(ubyte)[], double, double, int, int) LIMIT} it's possible
* to get only a range of the matching elements in an SQL-alike way. Note that if offset is large
* the commands needs to traverse the list for offset elements and this adds up to the O(M)
* figure.
* <p>
* The {@link #zcount(const(ubyte)[], double, double) ZCOUNT} command is similar to
* {@link #zrangeByScore(const(ubyte)[], double, double) ZRANGEBYSCORE} but instead of returning the
* actual elements in the specified interval, it just returns the number of matching elements.
* <p>
* <b>Exclusive intervals and infinity</b>
* <p>
* min and max can be -inf and +inf, so that you are not required to know what's the greatest or
* smallest element in order to take, for instance, elements "up to a given value".
* <p>
* Also while the interval is for default closed (inclusive) it's possible to specify open
* intervals prefixing the score with a "(" character, so for instance:
* <p>
* {@code ZRANGEBYSCORE zset (1.3 5}
* <p>
* Will return all the values with score > 1.3 and <= 5, while for instance:
* <p>
* {@code ZRANGEBYSCORE zset (5 (10}
* <p>
* Will return all the values with score > 5 and < 10 (5 and 10 excluded).
* <p>
* <b>Time complexity:</b>
* <p>
* O(log(N))+O(M) with N being the number of elements in the sorted set and M the number of
* elements returned by the command, so if M is constant (for instance you always ask for the
* first ten elements with LIMIT) you can consider it O(log(N))
* @see #zrangeByScore(const(ubyte)[], double, double)
* @see #zrangeByScore(const(ubyte)[], double, double, int, int)
* @see #zrangeByScoreWithScores(const(ubyte)[], double, double)
* @see #zrangeByScoreWithScores(const(ubyte)[], double, double, int, int)
* @see #zcount(const(ubyte)[], double, double)
* @param key
* @param min
* @param max
* @param offset
* @param count
* @return Multi bulk reply specifically a list of elements in the specified score range.
*/
// override
Set!(Tuple) zrangeByScoreWithScores(const(ubyte)[] key, double min, double max,
int offset, int count) {
checkIsInMultiOrPipeline();
client.zrangeByScoreWithScores(key, min, max, offset, count);
return getTupledSet();
}
// override
Set!(Tuple) zrangeByScoreWithScores(const(ubyte)[] key, const(ubyte)[] min, const(ubyte)[] max,
int offset, int count) {
checkIsInMultiOrPipeline();
client.zrangeByScoreWithScores(key, min, max, offset, count);
return getTupledSet();
}
protected Set!(Tuple) getTupledSet() {
List!(const(ubyte)[]) membersWithScores = client.getBinaryMultiBulkReply();
if (membersWithScores.isEmpty()) {
return Collections.emptySet!(Tuple)();
}
Set!(Tuple) set = new LinkedHashSet!(Tuple)(membersWithScores.size() / 2, 1.0f);
InputRange!(const(ubyte)[]) iterator = membersWithScores.iterator();
while (!iterator.empty()) {
const(ubyte)[] first = iterator.front(); iterator.popFront();
const(ubyte)[] second = iterator.front(); iterator.popFront();
Double d = BuilderFactory.DOUBLE.build(new Bytes(cast(byte[])second));
set.add(new Tuple(first, d.value()));
}
return set;
}
// override
Set!(const(ubyte)[]) zrevrangeByScore(const(ubyte)[] key, double max, double min) {
checkIsInMultiOrPipeline();
client.zrevrangeByScore(key, max, min);
return new SetFromList!(const(ubyte)[])(client.getBinaryMultiBulkReply());
}
// override
Set!(const(ubyte)[]) zrevrangeByScore(const(ubyte)[] key, const(ubyte)[] max, const(ubyte)[] min) {
checkIsInMultiOrPipeline();
client.zrevrangeByScore(key, max, min);
return new SetFromList!(const(ubyte)[])(client.getBinaryMultiBulkReply());
}
// override
Set!(const(ubyte)[]) zrevrangeByScore(const(ubyte)[] key, double max, double min,
int offset, int count) {
checkIsInMultiOrPipeline();
client.zrevrangeByScore(key, max, min, offset, count);
return new SetFromList!(const(ubyte)[])(client.getBinaryMultiBulkReply());
}
// override
Set!(const(ubyte)[]) zrevrangeByScore(const(ubyte)[] key, const(ubyte)[] max, const(ubyte)[] min,
int offset, int count) {
checkIsInMultiOrPipeline();
client.zrevrangeByScore(key, max, min, offset, count);
return new SetFromList!(const(ubyte)[])(client.getBinaryMultiBulkReply());
}
// override
Set!(Tuple) zrevrangeByScoreWithScores(const(ubyte)[] key, double max, double min) {
checkIsInMultiOrPipeline();
client.zrevrangeByScoreWithScores(key, max, min);
return getTupledSet();
}
// override
Set!(Tuple) zrevrangeByScoreWithScores(const(ubyte)[] key, double max,
double min, int offset, int count) {
checkIsInMultiOrPipeline();
client.zrevrangeByScoreWithScores(key, max, min, offset, count);
return getTupledSet();
}
// override
Set!(Tuple) zrevrangeByScoreWithScores(const(ubyte)[] key, const(ubyte)[] max, const(ubyte)[] min) {
checkIsInMultiOrPipeline();
client.zrevrangeByScoreWithScores(key, max, min);
return getTupledSet();
}
// override
Set!(Tuple) zrevrangeByScoreWithScores(const(ubyte)[] key, const(ubyte)[] max,
const(ubyte)[] min, int offset, int count) {
checkIsInMultiOrPipeline();
client.zrevrangeByScoreWithScores(key, max, min, offset, count);
return getTupledSet();
}
/**
* Remove all elements in the sorted set at key with rank between start and end. Start and end are
* 0-based with rank 0 being the element with the lowest score. Both start and end can be negative
* numbers, where they indicate offsets starting at the element with the highest rank. For
* example: -1 is the element with the highest score, -2 the element with the second highest score
* and so forth.
* <p>
* <b>Time complexity:</b> O(log(N))+O(M) with N being the number of elements in the sorted set
* and M the number of elements removed by the operation
* @param key
* @param start
* @param stop
* @return
*/
// override
Long zremrangeByRank(const(ubyte)[] key, long start, long stop) {
checkIsInMultiOrPipeline();
client.zremrangeByRank(key, start, stop);
return client.getIntegerReply();
}
/**
* Remove all the elements in the sorted set at key with a score between min and max (including
* elements with score equal to min or max).
* <p>
* <b>Time complexity:</b>
* <p>
* O(log(N))+O(M) with N being the number of elements in the sorted set and M the number of
* elements removed by the operation
* @param key
* @param min
* @param max
* @return Integer reply, specifically the number of elements removed.
*/
// override
Long zremrangeByScore(const(ubyte)[] key, double min, double max) {
checkIsInMultiOrPipeline();
client.zremrangeByScore(key, min, max);
return client.getIntegerReply();
}
// override
Long zremrangeByScore(const(ubyte)[] key, const(ubyte)[] min, const(ubyte)[] max) {
checkIsInMultiOrPipeline();
client.zremrangeByScore(key, min, max);
return client.getIntegerReply();
}
/**
* Creates a union or intersection of N sorted sets given by keys k1 through kN, and stores it at
* dstkey. It is mandatory to provide the number of input keys N, before passing the input keys
* and the other (optional) arguments.
* <p>
* As the terms imply, the {@link #zinterstore(const(ubyte)[], const(ubyte)[]...)} ZINTERSTORE} command requires
* an element to be present in each of the given inputs to be inserted in the result. The {@link
* #zunionstore(const(ubyte)[], const(ubyte)[]...)} command inserts all elements across all inputs.
* <p>
* Using the WEIGHTS option, it is possible to add weight to each input sorted set. This means
* that the score of each element in the sorted set is first multiplied by this weight before
* being passed to the aggregation. When this option is not given, all weights default to 1.
* <p>
* With the AGGREGATE option, it's possible to specify how the results of the union or
* intersection are aggregated. This option defaults to SUM, where the score of an element is
* summed across the inputs where it exists. When this option is set to be either MIN or MAX, the
* resulting set will contain the minimum or maximum score of an element across the inputs where
* it exists.
* <p>
* <b>Time complexity:</b> O(N) + O(M log(M)) with N being the sum of the sizes of the input
* sorted sets, and M being the number of elements in the resulting sorted set
* @see #zunionstore(const(ubyte)[], const(ubyte)[]...)
* @see #zunionstore(const(ubyte)[], ZParams, const(ubyte)[]...)
* @see #zinterstore(const(ubyte)[], const(ubyte)[]...)
* @see #zinterstore(const(ubyte)[], ZParams, const(ubyte)[]...)
* @param dstkey
* @param sets
* @return Integer reply, specifically the number of elements in the sorted set at dstkey
*/
// override
Long zunionstore(const(ubyte)[] dstkey, const(ubyte)[][] sets...) {
checkIsInMultiOrPipeline();
client.zunionstore(dstkey, sets);
return client.getIntegerReply();
}
/**
* Creates a union or intersection of N sorted sets given by keys k1 through kN, and stores it at
* dstkey. It is mandatory to provide the number of input keys N, before passing the input keys
* and the other (optional) arguments.
* <p>
* As the terms imply, the {@link #zinterstore(const(ubyte)[], const(ubyte)[]...) ZINTERSTORE} command requires an
* element to be present in each of the given inputs to be inserted in the result. The {@link
* #zunionstore(const(ubyte)[], const(ubyte)[]...) ZUNIONSTORE} command inserts all elements across all inputs.
* <p>
* Using the WEIGHTS option, it is possible to add weight to each input sorted set. This means
* that the score of each element in the sorted set is first multiplied by this weight before
* being passed to the aggregation. When this option is not given, all weights default to 1.
* <p>
* With the AGGREGATE option, it's possible to specify how the results of the union or
* intersection are aggregated. This option defaults to SUM, where the score of an element is
* summed across the inputs where it exists. When this option is set to be either MIN or MAX, the
* resulting set will contain the minimum or maximum score of an element across the inputs where
* it exists.
* <p>
* <b>Time complexity:</b> O(N) + O(M log(M)) with N being the sum of the sizes of the input
* sorted sets, and M being the number of elements in the resulting sorted set
* @see #zunionstore(const(ubyte)[], const(ubyte)[]...)
* @see #zunionstore(const(ubyte)[], ZParams, const(ubyte)[]...)
* @see #zinterstore(const(ubyte)[], const(ubyte)[]...)
* @see #zinterstore(const(ubyte)[], ZParams, const(ubyte)[]...)
* @param dstkey
* @param sets
* @param params
* @return Integer reply, specifically the number of elements in the sorted set at dstkey
*/
// override
Long zunionstore(const(ubyte)[] dstkey, ZParams params, const(ubyte)[][] sets...) {
checkIsInMultiOrPipeline();
client.zunionstore(dstkey, params, sets);
return client.getIntegerReply();
}
/**
* Creates a union or intersection of N sorted sets given by keys k1 through kN, and stores it at
* dstkey. It is mandatory to provide the number of input keys N, before passing the input keys
* and the other (optional) arguments.
* <p>
* As the terms imply, the {@link #zinterstore(const(ubyte)[], const(ubyte)[]...) ZINTERSTORE} command requires an
* element to be present in each of the given inputs to be inserted in the result. The {@link
* #zunionstore(const(ubyte)[], const(ubyte)[]...) ZUNIONSTORE} command inserts all elements across all inputs.
* <p>
* Using the WEIGHTS option, it is possible to add weight to each input sorted set. This means
* that the score of each element in the sorted set is first multiplied by this weight before
* being passed to the aggregation. When this option is not given, all weights default to 1.
* <p>
* With the AGGREGATE option, it's possible to specify how the results of the union or
* intersection are aggregated. This option defaults to SUM, where the score of an element is
* summed across the inputs where it exists. When this option is set to be either MIN or MAX, the
* resulting set will contain the minimum or maximum score of an element across the inputs where
* it exists.
* <p>
* <b>Time complexity:</b> O(N) + O(M log(M)) with N being the sum of the sizes of the input
* sorted sets, and M being the number of elements in the resulting sorted set
* @see #zunionstore(const(ubyte)[], const(ubyte)[]...)
* @see #zunionstore(const(ubyte)[], ZParams, const(ubyte)[]...)
* @see #zinterstore(const(ubyte)[], const(ubyte)[]...)
* @see #zinterstore(const(ubyte)[], ZParams, const(ubyte)[]...)
* @param dstkey
* @param sets
* @return Integer reply, specifically the number of elements in the sorted set at dstkey
*/
// override
Long zinterstore(const(ubyte)[] dstkey, const(ubyte)[][] sets...) {
checkIsInMultiOrPipeline();
client.zinterstore(dstkey, sets);
return client.getIntegerReply();
}
/**
* Creates a union or intersection of N sorted sets given by keys k1 through kN, and stores it at
* dstkey. It is mandatory to provide the number of input keys N, before passing the input keys
* and the other (optional) arguments.
* <p>
* As the terms imply, the {@link #zinterstore(const(ubyte)[], const(ubyte)[]...) ZINTERSTORE} command requires an
* element to be present in each of the given inputs to be inserted in the result. The {@link
* #zunionstore(const(ubyte)[], const(ubyte)[]...) ZUNIONSTORE} command inserts all elements across all inputs.
* <p>
* Using the WEIGHTS option, it is possible to add weight to each input sorted set. This means
* that the score of each element in the sorted set is first multiplied by this weight before
* being passed to the aggregation. When this option is not given, all weights default to 1.
* <p>
* With the AGGREGATE option, it's possible to specify how the results of the union or
* intersection are aggregated. This option defaults to SUM, where the score of an element is
* summed across the inputs where it exists. When this option is set to be either MIN or MAX, the
* resulting set will contain the minimum or maximum score of an element across the inputs where
* it exists.
* <p>
* <b>Time complexity:</b> O(N) + O(M log(M)) with N being the sum of the sizes of the input
* sorted sets, and M being the number of elements in the resulting sorted set
* @see #zunionstore(const(ubyte)[], const(ubyte)[]...)
* @see #zunionstore(const(ubyte)[], ZParams, const(ubyte)[]...)
* @see #zinterstore(const(ubyte)[], const(ubyte)[]...)
* @see #zinterstore(const(ubyte)[], ZParams, const(ubyte)[]...)
* @param dstkey
* @param sets
* @param params
* @return Integer reply, specifically the number of elements in the sorted set at dstkey
*/
// override
Long zinterstore(const(ubyte)[] dstkey, ZParams params, const(ubyte)[][] sets...) {
checkIsInMultiOrPipeline();
client.zinterstore(dstkey, params, sets);
return client.getIntegerReply();
}
// override
Long zlexcount(const(ubyte)[] key, const(ubyte)[] min, const(ubyte)[] max) {
checkIsInMultiOrPipeline();
client.zlexcount(key, min, max);
return client.getIntegerReply();
}
// override
Set!(const(ubyte)[]) zrangeByLex(const(ubyte)[] key, const(ubyte)[] min, const(ubyte)[] max) {
checkIsInMultiOrPipeline();
client.zrangeByLex(key, min, max);
return new SetFromList!(const(ubyte)[])(client.getBinaryMultiBulkReply());
}
// override
Set!(const(ubyte)[]) zrangeByLex(const(ubyte)[] key, const(ubyte)[] min, const(ubyte)[] max,
int offset, int count) {
checkIsInMultiOrPipeline();
client.zrangeByLex(key, min, max, offset, count);
return new SetFromList!(const(ubyte)[])(client.getBinaryMultiBulkReply());
}
// override
Set!(const(ubyte)[]) zrevrangeByLex(const(ubyte)[] key, const(ubyte)[] max, const(ubyte)[] min) {
checkIsInMultiOrPipeline();
client.zrevrangeByLex(key, max, min);
return new SetFromList!(const(ubyte)[])(client.getBinaryMultiBulkReply());
}
// override
Set!(const(ubyte)[]) zrevrangeByLex(const(ubyte)[] key, const(ubyte)[] max, const(ubyte)[] min, int offset, int count) {
checkIsInMultiOrPipeline();
client.zrevrangeByLex(key, max, min, offset, count);
return new SetFromList!(const(ubyte)[])(client.getBinaryMultiBulkReply());
}
// override
Long zremrangeByLex(const(ubyte)[] key, const(ubyte)[] min, const(ubyte)[] max) {
checkIsInMultiOrPipeline();
client.zremrangeByLex(key, min, max);
return client.getIntegerReply();
}
/**
* Synchronously save the DB on disk.
* <p>
* Save the whole dataset on disk (this means that all the databases are saved, as well as keys
* with an EXPIRE set (the expire is preserved). The server hangs while the saving is not
* completed, no connection is served in the meanwhile. An OK code is returned when the DB was
* fully stored in disk.
* <p>
* The background variant of this command is {@link #bgsave() BGSAVE} that is able to perform the
* saving in the background while the server continues serving other clients.
* <p>
* @return Status code reply
*/
// override
string save() {
client.save();
return client.getStatusCodeReply();
}
/**
* Asynchronously save the DB on disk.
* <p>
* Save the DB in background. The OK code is immediately returned. Redis forks, the parent
* continues to server the clients, the child saves the DB on disk then exit. A client my be able
* to check if the operation succeeded using the LASTSAVE command.
* @return Status code reply
*/
// override
string bgsave() {
client.bgsave();
return client.getStatusCodeReply();
}
/**
* Rewrite the append only file in background when it gets too big. Please for detailed
* information about the Redis Append Only File check the <a
* href="http://redis.io/topics/persistence#append-only-file">Append Only File Howto</a>.
* <p>
* BGREWRITEAOF rewrites the Append Only File in background when it gets too big. The Redis Append
* Only File is a Journal, so every operation modifying the dataset is logged in the Append Only
* File (and replayed at startup). This means that the Append Only File always grows. In order to
* rebuild its content the BGREWRITEAOF creates a new version of the append only file starting
* directly form the dataset in memory in order to guarantee the generation of the minimal number
* of commands needed to rebuild the database.
* <p>
* @return Status code reply
*/
// override
string bgrewriteaof() {
client.bgrewriteaof();
return client.getStatusCodeReply();
}
/**
* Return the UNIX time stamp of the last successfully saving of the dataset on disk.
* <p>
* Return the UNIX TIME of the last DB save executed with success. A client may check if a
* {@link #bgsave() BGSAVE} command succeeded reading the LASTSAVE value, then issuing a BGSAVE
* command and checking at regular intervals every N seconds if LASTSAVE changed.
* @return Integer reply, specifically an UNIX time stamp.
*/
// override
Long lastsave() {
client.lastsave();
return client.getIntegerReply();
}
/**
* Synchronously save the DB on disk, then shutdown the server.
* <p>
* Stop all the clients, save the DB, then quit the server. This commands makes sure that the DB
* is switched off without the lost of any data. This is not guaranteed if the client uses simply
* {@link #save() SAVE} and then {@link #quit() QUIT} because other clients may alter the DB data
* between the two commands.
* @return Status code reply on error. On success nothing is returned since the server quits and
* the connection is closed.
*/
// override
string shutdown() {
client.shutdown();
string status;
try {
status = client.getStatusCodeReply();
} catch (RedisException ex) {
status = null;
}
return status;
}
/**
* Provide information and statistics about the server.
* <p>
* The info command returns different information and statistics about the server in an format
* that's simple to parse by computers and easy to read by humans.
* <p>
* <b>Format of the returned string:</b>
* <p>
* All the fields are in the form field:value
*
* <pre>
* edis_version:0.07
* connected_clients:1
* connected_slaves:0
* used_memory:3187
* changes_since_last_save:0
* last_save_time:1237655729
* total_connections_received:1
* total_commands_processed:1
* uptime_in_seconds:25
* uptime_in_days:0
* </pre>
*
* <b>Notes</b>
* <p>
* used_memory is returned in bytes, and is the total number of bytes allocated by the program
* using malloc.
* <p>
* uptime_in_days is redundant since the uptime in seconds contains already the full uptime
* information, this field is only mainly present for humans.
* <p>
* changes_since_last_save does not refer to the number of key changes, but to the number of
* operations that produced some kind of change in the dataset.
* <p>
* @return Bulk reply
*/
// override
string info() {
client.info();
return client.getBulkReply();
}
// override
string info(string section) {
client.info(section);
return client.getBulkReply();
}
/**
* Dump all the received requests in real time.
* <p>
* MONITOR is a debugging command that outputs the whole sequence of commands received by the
* Redis server. is very handy in order to understand what is happening into the database. This
* command is used directly via telnet.
* @param jedisMonitor
*/
void monitor(RedisMonitor jedisMonitor) {
client.monitor();
client.getStatusCodeReply();
jedisMonitor.proceed(client);
}
/**
* Change the replication settings.
* <p>
* The SLAVEOF command can change the replication settings of a slave on the fly. If a Redis
* server is already acting as slave, the command SLAVEOF NO ONE will turn off the replication
* turning the Redis server into a MASTER. In the proper form SLAVEOF hostname port will make the
* server a slave of the specific server listening at the specified hostname and port.
* <p>
* If a server is already a slave of some master, SLAVEOF hostname port will stop the replication
* against the old server and start the synchronization against the new one discarding the old
* dataset.
* <p>
* The form SLAVEOF no one will stop replication turning the server into a MASTER but will not
* discard the replication. So if the old master stop working it is possible to turn the slave
* into a master and set the application to use the new master in read/write. Later when the other
* Redis server will be fixed it can be configured in order to work as slave.
* <p>
* @param host
* @param port
* @return Status code reply
*/
// override
string slaveof(string host, int port) {
client.slaveof(host, port);
return client.getStatusCodeReply();
}
// override
string slaveofNoOne() {
client.slaveofNoOne();
return client.getStatusCodeReply();
}
/**
* Retrieve the configuration of a running Redis server. Not all the configuration parameters are
* supported.
* <p>
* CONFIG GET returns the current configuration parameters. This sub command only accepts a single
* argument, that is glob style pattern. All the configuration parameters matching this parameter
* are reported as a list of key-value pairs.
* <p>
* <b>Example:</b>
*
* <pre>
* $ redis-cli config get '*'
* 1. "dbfilename"
* 2. "dump.rdb"
* 3. "requirepass"
* 4. (nil)
* 5. "masterauth"
* 6. (nil)
* 7. "maxmemory"
* 8. "0\n"
* 9. "appendfsync"
* 10. "everysec"
* 11. "save"
* 12. "3600 1 300 100 60 10000"
*
* $ redis-cli config get 'm*'
* 1. "masterauth"
* 2. (nil)
* 3. "maxmemory"
* 4. "0\n"
* </pre>
* @param pattern
* @return Bulk reply.
*/
// override
List!(const(ubyte)[]) configGet(const(ubyte)[] pattern) {
checkIsInMultiOrPipeline();
client.configGet(pattern);
return client.getBinaryMultiBulkReply();
}
/**
* Reset the stats returned by INFO
* @return
*/
// override
string configResetStat() {
checkIsInMultiOrPipeline();
client.configResetStat();
return client.getStatusCodeReply();
}
/**
* The CONFIG REWRITE command rewrites the redis.conf file the server was started with, applying
* the minimal changes needed to make it reflect the configuration currently used by the server,
* which may be different compared to the original one because of the use of the CONFIG SET command.
*
* The rewrite is performed in a very conservative way:
* <ul>
* <li>Comments and the overall structure of the original redis.conf are preserved as much as possible.</li>
* <li>If an option already exists in the old redis.conf file, it will be rewritten at the same position (line number).</li>
* <li>If an option was not already present, but it is set to its default value, it is not added by the rewrite process.</li>
* <li>If an option was not already present, but it is set to a non-default value, it is appended at the end of the file.</li>
* <li>Non used lines are blanked. For instance if you used to have multiple save directives, but
* the current configuration has fewer or none as you disabled RDB persistence, all the lines will be blanked.</li>
* </ul>
*
* CONFIG REWRITE is also able to rewrite the configuration file from scratch if the original one
* no longer exists for some reason. However if the server was started without a configuration
* file at all, the CONFIG REWRITE will just return an error.
* @return OK when the configuration was rewritten properly. Otherwise an error is returned.
*/
// override
string configRewrite() {
checkIsInMultiOrPipeline();
client.configRewrite();
return client.getStatusCodeReply();
}
/**
* Alter the configuration of a running Redis server. Not all the configuration parameters are
* supported.
* <p>
* The list of configuration parameters supported by CONFIG SET can be obtained issuing a
* {@link #configGet(const(ubyte)[]) CONFIG GET *} command.
* <p>
* The configuration set using CONFIG SET is immediately loaded by the Redis server that will
* start acting as specified starting from the next command.
* <p>
* <b>Parameters value format</b>
* <p>
* The value of the configuration parameter is the same as the one of the same parameter in the
* Redis configuration file, with the following exceptions:
* <p>
* <ul>
* <li>The save parameter is a list of space-separated integers. Every pair of integers specify the
* time and number of changes limit to trigger a save. For instance the command CONFIG SET save
* "3600 10 60 10000" will configure the server to issue a background saving of the RDB file every
* 3600 seconds if there are at least 10 changes in the dataset, and every 60 seconds if there are
* at least 10000 changes. To completely disable automatic snapshots just set the parameter as an
* empty string.
* <li>All the integer parameters representing memory are returned and accepted only using bytes
* as unit.
* </ul>
* @param parameter
* @param value
* @return Status code reply
*/
// override
const(ubyte)[] configSet(const(ubyte)[] parameter, const(ubyte)[] value) {
checkIsInMultiOrPipeline();
client.configSet(parameter, value);
return client.getBinaryBulkReply();
}
bool isConnected() {
return client.isConnected();
}
// override
Long strlen(const(ubyte)[] key) {
checkIsInMultiOrPipeline();
client.strlen(key);
return client.getIntegerReply();
}
void sync() {
client.sync();
}
// override
Long lpushx(const(ubyte)[] key, const(ubyte)[][] string...) {
checkIsInMultiOrPipeline();
client.lpushx(key, string);
return client.getIntegerReply();
}
/**
* Undo a {@link #expire(const(ubyte)[], int) expire} at turning the expire key into a normal key.
* <p>
* Time complexity: O(1)
* @param key
* @return Integer reply, specifically: 1: the key is now persist. 0: the key is not persist (only
* happens when key not set).
*/
// override
Long persist(const(ubyte)[] key) {
client.persist(key);
return client.getIntegerReply();
}
// override
Long rpushx(const(ubyte)[] key, const(ubyte)[][] string...) {
checkIsInMultiOrPipeline();
client.rpushx(key, string);
return client.getIntegerReply();
}
// override
const(ubyte)[] echo(const(ubyte)[] string) {
checkIsInMultiOrPipeline();
client.echo(string);
return client.getBinaryBulkReply();
}
// override
Long linsert(const(ubyte)[] key, ListPosition where, const(ubyte)[] pivot,
const(ubyte)[] value) {
checkIsInMultiOrPipeline();
client.linsert(key, where, pivot, value);
return client.getIntegerReply();
}
// // override
// string debug(DebugParams params) {
// client.debug(params);
// return client.getStatusCodeReply();
// }
Client getClient() {
return client;
}
/**
* Pop a value from a list, push it to another list and return it; or block until one is available
* @param source
* @param destination
* @param timeout
* @return the element
*/
// override
const(ubyte)[] brpoplpush(const(ubyte)[] source, const(ubyte)[] destination, int timeout) {
client.brpoplpush(source, destination, timeout);
client.setTimeoutInfinite();
try {
return client.getBinaryBulkReply();
} finally {
client.rollbackTimeout();
}
}
/**
* Sets or clears the bit at offset in the string value stored at key
* @param key
* @param offset
* @param value
* @return
*/
// override
bool setbit(const(ubyte)[] key, long offset, bool value) {
checkIsInMultiOrPipeline();
client.setbit(key, offset, value);
return client.getIntegerReply() == 1;
}
// override
bool setbit(const(ubyte)[] key, long offset, const(ubyte)[] value) {
checkIsInMultiOrPipeline();
client.setbit(key, offset, value);
return client.getIntegerReply() == 1;
}
/**
* Returns the bit value at offset in the string value stored at key
* @param key
* @param offset
* @return
*/
// override
bool getbit(const(ubyte)[] key, long offset) {
checkIsInMultiOrPipeline();
client.getbit(key, offset);
return client.getIntegerReply() == 1;
}
Long bitpos(const(ubyte)[] key, bool value) {
return bitpos(key, value, new BitPosParams());
}
Long bitpos(const(ubyte)[] key, bool value, BitPosParams params) {
checkIsInMultiOrPipeline();
client.bitpos(key, value, params);
return client.getIntegerReply();
}
// override
Long setrange(const(ubyte)[] key, long offset, const(ubyte)[] value) {
checkIsInMultiOrPipeline();
client.setrange(key, offset, value);
return client.getIntegerReply();
}
// override
const(ubyte)[] getrange(const(ubyte)[] key, long startOffset, long endOffset) {
checkIsInMultiOrPipeline();
client.getrange(key, startOffset, endOffset);
return client.getBinaryBulkReply();
}
// override
Long publish(const(ubyte)[] channel, const(ubyte)[] message) {
checkIsInMultiOrPipeline();
client.publish(channel, message);
return client.getIntegerReply();
}
// override
void subscribe(BinaryRedisPubSub jedisPubSub, const(ubyte)[][] channels...) {
client.setTimeoutInfinite();
try {
jedisPubSub.proceed(client, channels);
} finally {
client.rollbackTimeout();
}
}
// override
void psubscribe(BinaryRedisPubSub jedisPubSub, const(ubyte)[][] patterns...) {
client.setTimeoutInfinite();
try {
jedisPubSub.proceedWithPatterns(client, patterns);
} finally {
client.rollbackTimeout();
}
}
// override
int getDB() {
return client.getDB();
}
/**
* Evaluates scripts using the Lua interpreter built into Redis starting from version 2.6.0.
* <p>
* @param script
* @param keys
* @param args
* @return Script result
*/
// override
Object eval(const(ubyte)[] script, List!(const(ubyte)[]) keys, List!(const(ubyte)[]) args) {
return eval(script, Protocol.toByteArray(keys.size()), getParamsWithBinary(keys, args));
}
static const(ubyte)[][] getParamsWithBinary(List!(const(ubyte)[]) keys, List!(const(ubyte)[]) args) {
int keyCount = keys.size();
int argCount = args.size();
const(ubyte)[][] params = new const(ubyte)[][keyCount + argCount];
for (int i = 0; i < keyCount; i++)
params[i] = keys.get(i);
for (int i = 0; i < argCount; i++)
params[keyCount + i] = args.get(i);
return params;
}
// override
Object eval(const(ubyte)[] script, const(ubyte)[] keyCount, const(ubyte)[][] params...) {
client.setTimeoutInfinite();
try {
client.eval(script, keyCount, params);
return client.getOne();
} finally {
client.rollbackTimeout();
}
}
// override
Object eval(const(ubyte)[] script, int keyCount, const(ubyte)[][] params...) {
return eval(script, Protocol.toByteArray(keyCount), params);
}
// override
Object eval(const(ubyte)[] script) {
return eval(script, 0);
}
// override
Object evalsha(const(ubyte)[] sha1) {
return evalsha(sha1, 0);
}
// override
Object evalsha(const(ubyte)[] sha1, List!(const(ubyte)[]) keys, List!(const(ubyte)[]) args) {
return evalsha(sha1, keys.size(), getParamsWithBinary(keys, args));
}
// override
Object evalsha(const(ubyte)[] sha1, int keyCount, const(ubyte)[][] params...) {
client.setTimeoutInfinite();
try {
client.evalsha(sha1, keyCount, params);
return client.getOne();
} finally {
client.rollbackTimeout();
}
}
// override
string scriptFlush() {
client.scriptFlush();
return client.getStatusCodeReply();
}
long scriptExists(const(ubyte)[] sha1) {
const(ubyte)[][] a = new const(ubyte)[][1];
a[0] = sha1;
return scriptExists(a).get(0);
}
// override
List!(long) scriptExists(const(ubyte)[][] sha1...) {
client.scriptExists(sha1);
return client.getIntegerMultiBulkReply();
}
// override
const(ubyte)[] scriptLoad(const(ubyte)[] script) {
client.scriptLoad(script);
return client.getBinaryBulkReply();
}
// override
string scriptKill() {
client.scriptKill();
return client.getStatusCodeReply();
}
// override
string slowlogReset() {
client.slowlogReset();
return client.getBulkReply();
}
// override
Long slowlogLen() {
client.slowlogLen();
return client.getIntegerReply();
}
// override
List!(const(ubyte)[]) slowlogGetBinary() {
client.slowlogGet();
return client.getBinaryMultiBulkReply();
}
// override
List!(const(ubyte)[]) slowlogGetBinary(long entries) {
client.slowlogGet(entries);
return client.getBinaryMultiBulkReply();
}
// override
Long objectRefcount(const(ubyte)[] key) {
client.objectRefcount(key);
return client.getIntegerReply();
}
// override
const(ubyte)[] objectEncoding(const(ubyte)[] key) {
client.objectEncoding(key);
return client.getBinaryBulkReply();
}
// override
Long objectIdletime(const(ubyte)[] key) {
client.objectIdletime(key);
return client.getIntegerReply();
}
// override
Long bitcount(const(ubyte)[] key) {
checkIsInMultiOrPipeline();
client.bitcount(key);
return client.getIntegerReply();
}
// override
Long bitcount(const(ubyte)[] key, long start, long end) {
checkIsInMultiOrPipeline();
client.bitcount(key, start, end);
return client.getIntegerReply();
}
// override
Long bitop(BitOP op, const(ubyte)[] destKey, const(ubyte)[][] srcKeys...) {
checkIsInMultiOrPipeline();
client.bitop(op, destKey, srcKeys);
return client.getIntegerReply();
}
// override
const(ubyte)[] dump(const(ubyte)[] key) {
checkIsInMultiOrPipeline();
client.dump(key);
return client.getBinaryBulkReply();
}
// override
string restore(const(ubyte)[] key, int ttl, const(ubyte)[] serializedValue) {
checkIsInMultiOrPipeline();
client.restore(key, ttl, serializedValue);
return client.getStatusCodeReply();
}
// override
string restoreReplace(const(ubyte)[] key, int ttl, const(ubyte)[] serializedValue) {
checkIsInMultiOrPipeline();
client.restoreReplace(key, ttl, serializedValue);
return client.getStatusCodeReply();
}
/**
* Set a timeout on the specified key. After the timeout the key will be automatically deleted by
* the server. A key with an associated timeout is said to be volatile in Redis terminology.
* <p>
* Volatile keys are stored on disk like the other keys, the timeout is persistent too like all the
* other aspects of the dataset. Saving a dataset containing expires and stopping the server does
* not stop the flow of time as Redis stores on disk the time when the key will no longer be
* available as Unix time, and not the remaining milliseconds.
* <p>
* Since Redis 2.1.3 you can update the value of the timeout of a key already having an expire
* set. It is also possible to undo the expire at all turning the key into a normal key using the
* {@link #persist(const(ubyte)[]) PERSIST} command.
* <p>
* Time complexity: O(1)
* @see <a href="http://redis.io/commands/pexpire">PEXPIRE Command</a>
* @param key
* @param milliseconds
* @return Integer reply, specifically: 1: the timeout was set. 0: the timeout was not set since
* the key already has an associated timeout (this may happen only in Redis versions <
* 2.1.3, Redis >= 2.1.3 will happily update the timeout), or the key does not exist.
*/
// override
Long pexpire(const(ubyte)[] key, long milliseconds) {
checkIsInMultiOrPipeline();
client.pexpire(key, milliseconds);
return client.getIntegerReply();
}
// override
Long pexpireAt(const(ubyte)[] key, long millisecondsTimestamp) {
checkIsInMultiOrPipeline();
client.pexpireAt(key, millisecondsTimestamp);
return client.getIntegerReply();
}
// override
Long pttl(const(ubyte)[] key) {
checkIsInMultiOrPipeline();
client.pttl(key);
return client.getIntegerReply();
}
/**
* PSETEX works exactly like {@link #setex(const(ubyte)[], int, const(ubyte)[])} with the sole difference that the
* expire time is specified in milliseconds instead of seconds. Time complexity: O(1)
* @param key
* @param milliseconds
* @param value
* @return Status code reply
*/
// override
string psetex(const(ubyte)[] key, long milliseconds, const(ubyte)[] value) {
checkIsInMultiOrPipeline();
client.psetex(key, milliseconds, value);
return client.getStatusCodeReply();
}
// override
const(ubyte)[] memoryDoctorBinary() {
checkIsInMultiOrPipeline();
client.memoryDoctor();
return client.getBinaryBulkReply();
}
// override
string clientKill(const(ubyte)[] ipPort) {
checkIsInMultiOrPipeline();
this.client.clientKill(ipPort);
return this.client.getStatusCodeReply();
}
// override
string clientKill(string ip, int port) {
checkIsInMultiOrPipeline();
this.client.clientKill(ip, port);
return this.client.getStatusCodeReply();
}
// override
Long clientKill(ClientKillParams params) {
checkIsInMultiOrPipeline();
this.client.clientKill(params);
return this.client.getIntegerReply();
}
// override
const(ubyte)[] clientGetnameBinary() {
checkIsInMultiOrPipeline();
client.clientGetname();
return client.getBinaryBulkReply();
}
// override
const(ubyte)[] clientListBinary() {
checkIsInMultiOrPipeline();
client.clientList();
return client.getBinaryBulkReply();
}
// override
string clientSetname(const(ubyte)[] name) {
checkIsInMultiOrPipeline();
client.clientSetname(name);
return client.getBulkReply();
}
string clientPause(long timeout) {
checkIsInMultiOrPipeline();
client.clientPause(timeout);
return client.getBulkReply();
}
List!(string) time() {
checkIsInMultiOrPipeline();
client.time();
return client.getMultiBulkReply();
}
// override
string migrate(string host, int port, const(ubyte)[] key,
int destinationDb, int timeout) {
checkIsInMultiOrPipeline();
client.migrate(host, port, key, destinationDb, timeout);
return client.getStatusCodeReply();
}
// override
string migrate(string host, int port, int destinationDB,
int timeout, MigrateParams params, const(ubyte)[][] keys...) {
checkIsInMultiOrPipeline();
client.migrate(host, port, destinationDB, timeout, params, keys);
return client.getStatusCodeReply();
}
/**
* Syncrhonous replication of Redis as described here: http://antirez.com/news/66 Since Java
* Object class has implemented "wait" method, we cannot use it, so I had to change the name of
* the method. Sorry :S
*/
// override
Long waitReplicas(int replicas, long timeout) {
checkIsInMultiOrPipeline();
client.waitReplicas(replicas, timeout);
return client.getIntegerReply();
}
// override
Long pfadd(const(ubyte)[] key, const(ubyte)[][] elements...) {
checkIsInMultiOrPipeline();
client.pfadd(key, elements);
return client.getIntegerReply();
}
// override
Long pfcount(const(ubyte)[] key) {
checkIsInMultiOrPipeline();
client.pfcount(key);
return client.getIntegerReply();
}
// override
string pfmerge(const(ubyte)[] destkey, const(ubyte)[][] sourcekeys...) {
checkIsInMultiOrPipeline();
client.pfmerge(destkey, sourcekeys);
return client.getStatusCodeReply();
}
// override
Long pfcount(const(ubyte)[][] keys...) {
checkIsInMultiOrPipeline();
client.pfcount(keys);
return client.getIntegerReply();
}
ScanResult!(const(ubyte)[]) scan(const(ubyte)[] cursor) {
return scan(cursor, new ScanParams());
}
ScanResult!(const(ubyte)[]) scan(const(ubyte)[] cursor, ScanParams params) {
checkIsInMultiOrPipeline();
client.scan(cursor, params);
List!(Object) result = client.getObjectMultiBulkReply();
// const(ubyte)[] newcursor = (const(ubyte)[]) result.get(0);
// List!(const(ubyte)[]) rawResults = (List!(const(ubyte)[])) result.get(1);
// return new ScanResult!(const(ubyte)[])(newcursor, rawResults);
implementationMissing();
return null;
}
// override
ScanResult!(MapEntry!(const(ubyte)[], const(ubyte)[])) hscan(const(ubyte)[] key, const(ubyte)[] cursor) {
return hscan(key, cursor, new ScanParams());
}
// override
ScanResult!(MapEntry!(const(ubyte)[], const(ubyte)[])) hscan(const(ubyte)[] key, const(ubyte)[] cursor,
ScanParams params) {
checkIsInMultiOrPipeline();
client.hscan(key, cursor, params);
// List!(Object) result = client.getObjectMultiBulkReply();
// const(ubyte)[] newcursor = cast(const(ubyte)[]) result.get(0);
// List!(MapEntry!(const(ubyte)[], const(ubyte)[])) results = new ArrayList!(MapEntry!(const(ubyte)[], const(ubyte)[]))();
// List!(const(ubyte)[]) rawResults = cast(List!(const(ubyte)[])) result.get(1);
// Iterator!(const(ubyte)[]) iterator = rawResults.iterator();
// while (iterator.hasNext()) {
// results.add(new AbstractMap.SimpleEntry!(const(ubyte)[], const(ubyte)[])(iterator.next(), iterator.next()));
// }
// return new ScanResult!(MapEntry!(const(ubyte)[], const(ubyte)[]))(newcursor, results);
implementationMissing();
return null;
}
// override
ScanResult!(const(ubyte)[]) sscan(const(ubyte)[] key, const(ubyte)[] cursor) {
return sscan(key, cursor, new ScanParams());
}
// override
ScanResult!(const(ubyte)[]) sscan(const(ubyte)[] key, const(ubyte)[] cursor, ScanParams params) {
checkIsInMultiOrPipeline();
client.sscan(key, cursor, params);
// List!(Object) result = client.getObjectMultiBulkReply();
// const(ubyte)[] newcursor = (const(ubyte)[]) result.get(0);
// List!(const(ubyte)[]) rawResults = (List!(const(ubyte)[])) result.get(1);
// return new ScanResult<>(newcursor, rawResults);
implementationMissing();
return null;
}
// override
ScanResult!(Tuple) zscan(const(ubyte)[] key, const(ubyte)[] cursor) {
return zscan(key, cursor, new ScanParams());
}
// override
ScanResult!(Tuple) zscan(const(ubyte)[] key, const(ubyte)[] cursor, ScanParams params) {
checkIsInMultiOrPipeline();
client.zscan(key, cursor, params);
List!(Object) result = client.getObjectMultiBulkReply();
// const(ubyte)[] newcursor = (const(ubyte)[]) result.get(0);
// List!(Tuple) results = new ArrayList<>();
// List!(const(ubyte)[]) rawResults = (List!(const(ubyte)[])) result.get(1);
// Iterator!(const(ubyte)[]) iterator = rawResults.iterator();
// while (iterator.hasNext()) {
// results.add(new Tuple(iterator.next(), BuilderFactory.DOUBLE.build(iterator.next())));
// }
// return new ScanResult<>(newcursor, results);
implementationMissing();
return null;
}
// override
Long geoadd(const(ubyte)[] key, double longitude, double latitude, const(ubyte)[] member) {
checkIsInMultiOrPipeline();
client.geoadd(key, longitude, latitude, member);
return client.getIntegerReply();
}
// override
Long geoadd(const(ubyte)[] key, Map!(const(ubyte)[], GeoCoordinate) memberCoordinateMap) {
checkIsInMultiOrPipeline();
client.geoadd(key, memberCoordinateMap);
return client.getIntegerReply();
}
// override
Double geodist(const(ubyte)[] key, const(ubyte)[] member1, const(ubyte)[] member2) {
checkIsInMultiOrPipeline();
client.geodist(key, member1, member2);
string dval = client.getBulkReply();
return (dval !is null ? new Double(dval) : null);
}
// override
Double geodist(const(ubyte)[] key, const(ubyte)[] member1, const(ubyte)[] member2, GeoUnit unit) {
checkIsInMultiOrPipeline();
client.geodist(key, member1, member2, unit);
string dval = client.getBulkReply();
return (dval !is null ? new Double(dval) : null);
}
// override
List!(const(ubyte)[]) geohash(const(ubyte)[] key, const(ubyte)[][] members...) {
checkIsInMultiOrPipeline();
client.geohash(key, members);
return client.getBinaryMultiBulkReply();
}
// override
List!(GeoCoordinate) geopos(const(ubyte)[] key, const(ubyte)[][] members...) {
checkIsInMultiOrPipeline();
client.geopos(key, members);
return BuilderFactory.GEO_COORDINATE_LIST.build(cast(Object)client.getObjectMultiBulkReply());
}
// override
List!(GeoRadiusResponse) georadius(const(ubyte)[] key, double longitude, double latitude,
double radius, GeoUnit unit) {
checkIsInMultiOrPipeline();
client.georadius(key, longitude, latitude, radius, unit);
return BuilderFactory.GEORADIUS_WITH_PARAMS_RESULT.build(cast(Object)client.getObjectMultiBulkReply());
}
// override
List!(GeoRadiusResponse) georadiusReadonly(const(ubyte)[] key, double longitude, double latitude,
double radius, GeoUnit unit) {
checkIsInMultiOrPipeline();
client.georadiusReadonly(key, longitude, latitude, radius, unit);
return BuilderFactory.GEORADIUS_WITH_PARAMS_RESULT.build(cast(Object)client.getObjectMultiBulkReply());
}
// override
List!(GeoRadiusResponse) georadius(const(ubyte)[] key, double longitude, double latitude,
double radius, GeoUnit unit, GeoRadiusParam param) {
checkIsInMultiOrPipeline();
client.georadius(key, longitude, latitude, radius, unit, param);
return BuilderFactory.GEORADIUS_WITH_PARAMS_RESULT.build(cast(Object)client.getObjectMultiBulkReply());
}
// override
List!(GeoRadiusResponse) georadiusReadonly(const(ubyte)[] key, double longitude, double latitude,
double radius, GeoUnit unit, GeoRadiusParam param) {
checkIsInMultiOrPipeline();
client.georadiusReadonly(key, longitude, latitude, radius, unit, param);
return BuilderFactory.GEORADIUS_WITH_PARAMS_RESULT.build(cast(Object)client.getObjectMultiBulkReply());
}
// override
List!(GeoRadiusResponse) georadiusByMember(const(ubyte)[] key, const(ubyte)[] member, double radius,
GeoUnit unit) {
checkIsInMultiOrPipeline();
client.georadiusByMember(key, member, radius, unit);
return BuilderFactory.GEORADIUS_WITH_PARAMS_RESULT.build(cast(Object)client.getObjectMultiBulkReply());
}
// override
List!(GeoRadiusResponse) georadiusByMemberReadonly(const(ubyte)[] key, const(ubyte)[] member, double radius,
GeoUnit unit) {
checkIsInMultiOrPipeline();
client.georadiusByMemberReadonly(key, member, radius, unit);
return BuilderFactory.GEORADIUS_WITH_PARAMS_RESULT.build(cast(Object)client.getObjectMultiBulkReply());
}
// override
List!(GeoRadiusResponse) georadiusByMember(const(ubyte)[] key, const(ubyte)[] member, double radius,
GeoUnit unit, GeoRadiusParam param) {
checkIsInMultiOrPipeline();
client.georadiusByMember(key, member, radius, unit, param);
return BuilderFactory.GEORADIUS_WITH_PARAMS_RESULT.build(cast(Object)client.getObjectMultiBulkReply());
}
// override
List!(GeoRadiusResponse) georadiusByMemberReadonly(const(ubyte)[] key, const(ubyte)[] member, double radius,
GeoUnit unit, GeoRadiusParam param) {
checkIsInMultiOrPipeline();
client.georadiusByMemberReadonly(key, member, radius, unit, param);
return BuilderFactory.GEORADIUS_WITH_PARAMS_RESULT.build(cast(Object)client.getObjectMultiBulkReply());
}
// override
List!(long) bitfield(const(ubyte)[] key, const(ubyte)[][] arguments...) {
checkIsInMultiOrPipeline();
client.bitfield(key, arguments);
return client.getIntegerMultiBulkReply();
}
// override
Long hstrlen(const(ubyte)[] key, const(ubyte)[] field) {
checkIsInMultiOrPipeline();
client.hstrlen(key, field);
return client.getIntegerReply();
}
// override
List!(const(ubyte)[]) xread(int count, long block, Map!(const(ubyte)[], const(ubyte)[]) streams) {
checkIsInMultiOrPipeline();
client.xread(count, block, streams);
return client.getBinaryMultiBulkReply();
}
// override
List!(const(ubyte)[]) xreadGroup(const(ubyte)[] groupname, const(ubyte)[] consumer, int count, long block, bool noAck,
Map!(const(ubyte)[], const(ubyte)[]) streams) {
checkIsInMultiOrPipeline();
client.xreadGroup(groupname, consumer, count, block, noAck, streams);
return client.getBinaryMultiBulkReply();
}
// override
const(ubyte)[] xadd(const(ubyte)[] key, const(ubyte)[] id, Map!(const(ubyte)[], const(ubyte)[]) hash, long maxLen, bool approximateLength) {
checkIsInMultiOrPipeline();
client.xadd(key, id, hash, maxLen, approximateLength);
return client.getBinaryBulkReply();
}
// override
Long xlen(const(ubyte)[] key) {
checkIsInMultiOrPipeline();
client.xlen(key);
return client.getIntegerReply();
}
// override
List!(const(ubyte)[]) xrange(const(ubyte)[] key, const(ubyte)[] start, const(ubyte)[] end, long count) {
checkIsInMultiOrPipeline();
client.xrange(key, start, end, count);
return client.getBinaryMultiBulkReply();
}
// override
List!(const(ubyte)[]) xrevrange(const(ubyte)[] key, const(ubyte)[] end, const(ubyte)[] start, int count) {
checkIsInMultiOrPipeline();
client.xrevrange(key, end, start, count);
return client.getBinaryMultiBulkReply();
}
// override
Long xack(const(ubyte)[] key, const(ubyte)[] group, const(ubyte)[][] ids...) {
checkIsInMultiOrPipeline();
client.xack(key, group, ids);
return client.getIntegerReply();
}
// override
string xgroupCreate(const(ubyte)[] key, const(ubyte)[] consumer, const(ubyte)[] id, bool makeStream) {
checkIsInMultiOrPipeline();
client.xgroupCreate(key, consumer, id, makeStream);
return client.getStatusCodeReply();
}
// override
string xgroupSetID(const(ubyte)[] key, const(ubyte)[] consumer, const(ubyte)[] id) {
checkIsInMultiOrPipeline();
client.xgroupSetID(key, consumer, id);
return client.getStatusCodeReply();
}
// override
Long xgroupDestroy(const(ubyte)[] key, const(ubyte)[] consumer) {
checkIsInMultiOrPipeline();
client.xgroupDestroy(key, consumer);
return client.getIntegerReply();
}
// override
string xgroupDelConsumer(const(ubyte)[] key, const(ubyte)[] consumer, const(ubyte)[] consumerName) {
checkIsInMultiOrPipeline();
client.xgroupDelConsumer(key, consumer, consumerName);
return client.getStatusCodeReply();
}
// override
Long xdel(const(ubyte)[] key, const(ubyte)[][] ids...) {
checkIsInMultiOrPipeline();
client.xdel(key, ids);
return client.getIntegerReply();
}
// override
Long xtrim(const(ubyte)[] key, long maxLen, bool approximateLength) {
checkIsInMultiOrPipeline();
client.xtrim(key, maxLen, approximateLength);
return client.getIntegerReply();
}
// override
List!(const(ubyte)[]) xpending(const(ubyte)[] key, const(ubyte)[] groupname, const(ubyte)[] start,
const(ubyte)[] end, int count, const(ubyte)[] consumername) {
checkIsInMultiOrPipeline();
client.xpending(key, groupname, start, end, count, consumername);
return client.getBinaryMultiBulkReply(); }
// override
List!(const(ubyte)[]) xclaim(const(ubyte)[] key, const(ubyte)[] groupname, const(ubyte)[] consumername,
long minIdleTime, long newIdleTime, int retries,
bool force, const(ubyte)[][] ids) {
checkIsInMultiOrPipeline();
client.xclaim(key, groupname, consumername, minIdleTime, newIdleTime, retries, force, ids);
return client.getBinaryMultiBulkReply();
}
// override
Object sendCommand(ProtocolCommand cmd, const(ubyte)[][] args...) {
client.sendCommand(cmd, args);
return client.getOne();
}
}
/**
* A decorator to implement Set from List. Assume that given List do not contains duplicated
* values. The resulting set displays the same ordering, concurrency, and performance
* characteristics as the backing list. This class should be used only for Redis commands which
* return Set result.
* @param <E>
*/
class SetFromList(E) : AbstractSet!(E) { // , Serializable
private List!(E) list;
this(List!(E) list) {
if (list is null) {
throw new NullPointerException("list");
}
this.list = list;
}
override
void clear() {
list.clear();
}
override
int size() {
return list.size();
}
override
bool isEmpty() {
return list.isEmpty();
}
override
bool contains(E o) {
return list.contains(o);
}
override
bool remove(E o) {
return list.remove(o);
}
override
bool add(E e) {
return !contains(e) && list.add(e);
}
// // override
// Iterator!(E) iterator() {
// return list.iterator();
// }
override
E[] toArray() {
return list.toArray();
}
// // override
// <T> T[] toArray(T[] a) {
// return list.toArray(a);
// }
override
string toString() {
return list.toString();
}
override
size_t toHash() @trusted nothrow {
return list.toHash();
}
override bool opEquals(Object o) {
if (o is null) return false;
if (o is this) return true;
Set!E c = cast(Set!E) o;
if(c is null) return false;
if (c.size() != size()) {
return false;
}
return containsAll(c);
}
override
bool containsAll(Collection!E c) {
return list.containsAll(c);
}
override
bool removeAll(Collection!E c) {
return list.removeAll(c);
}
override
bool retainAll(Collection!E c) {
return list.retainAll(c);
}
static SetFromList!(E) of(E)(List!(E) list) {
return new SetFromList!E(list);
}
} | D |
/Users/ohs80340/rustWork/rust_tate/target/debug/deps/cfg_if-4c840386b43c02da.rmeta: /Users/ohs80340/.cargo/registry/src/github.com-1ecc6299db9ec823/cfg-if-1.0.0/src/lib.rs
/Users/ohs80340/rustWork/rust_tate/target/debug/deps/libcfg_if-4c840386b43c02da.rlib: /Users/ohs80340/.cargo/registry/src/github.com-1ecc6299db9ec823/cfg-if-1.0.0/src/lib.rs
/Users/ohs80340/rustWork/rust_tate/target/debug/deps/cfg_if-4c840386b43c02da.d: /Users/ohs80340/.cargo/registry/src/github.com-1ecc6299db9ec823/cfg-if-1.0.0/src/lib.rs
/Users/ohs80340/.cargo/registry/src/github.com-1ecc6299db9ec823/cfg-if-1.0.0/src/lib.rs:
| D |
module dcrypt.ecc.curved25519.groupElement;
public import dcrypt.ecc.curved25519.fieldElement;
import dcrypt.ecc.curved25519.base;
@safe nothrow @nogc:
/**
ge means group element.
Here the group is the set of pairs (x,y) of field elements (see fe.h)
satisfying -x^2 + y^2 = 1 + d x^2y^2
where d = -121665/121666.
Representations:
ge_p2 (projective): (X:Y:Z) satisfying x=X/Z, y=Y/Z
ge_p3 (extended): (X:Y:Z:T) satisfying x=X/Z, y=Y/Z, XY=ZT
ge_p1p1 (completed): ((X:Z),(Y:T)) satisfying x=X/Z, y=Y/T
ge_precomp (Duif): (y+x,y-x,2dxy)
*/
// #include "fe.h"
/// ge_p2 (projective): (X:Y:Z) satisfying x=X/Z, y=Y/Z
public struct ge_p2 {
@safe nothrow @nogc:
enum ge_p2 zero = ge_p2(fe.zero, fe.one, fe.one);
fe X = fe.zero;
fe Y = fe.zero;
fe Z = fe.one;
this(fe x, fe y, fe z) {
X = x;
Y = y;
Z = z;
}
@property
ubyte[32] toBytes() const {
ubyte[32] s;
fe recip = Z.inverse;
fe x = X * recip;
fe y = Y * recip;
s[0..32] = y.toBytes;
s[31] ^= x.isNegative << 7;
return s;
}
/// Returns: r = 2*p
ge_p1p1 dbl() const
{
fe t0;
ge_p1p1 r;
r.X = X.sq;
r.Z = Y.sq;
r.T = Z.sq2;
r.Y = X + Y;
t0 = r.Y.sq;
r.Y = r.Z + r.X;
r.Z -= r.X;
r.X = t0 - r.Y;
r.T -= r.Z;
return r;
}
}
/// ge_p3 (extended): (X:Y:Z:T) satisfying x=X/Z, y=Y/Z, XY=ZT
public struct ge_p3 {
@safe nothrow @nogc:
enum ge_p3 zero = ge_p3(fe.zero, fe.one, fe.one, fe.zero);
fe X = fe.zero;
fe Y = fe.one;
fe Z = fe.one;
fe T = fe.zero;
this(fe x, fe y, fe z, fe t) {
X = x;
Y = y;
Z = z;
T = t;
}
ge_p2 opCast(G: ge_p2)() const {
return ge_p2(X, Y, Z);
}
ge_cached opCast(G: ge_cached)() const {
return ge_cached(X+Y, Y-X, Z, T*d2);
}
@property
ubyte[32] toBytes() const {
ubyte[32] s;
fe recip = Z.inverse;
fe x = X * recip;
fe y = Y * recip;
s[0..32] = y.toBytes;
s[31] ^= x.isNegative << 7;
return s;
}
/// Returns: r = 2*p
ge_p1p1 dbl() const
{
return (cast(ge_p2) this).dbl();
}
ge_p1p1 opBinary(string op, G)(auto ref const G rhs) const pure
if ((op == "+" || op == "-") && (is(G == ge_cached) || is(G == ge_precomp)))
{
ge_p1p1 result;
static if(is(G == ge_cached)) {
static if(op == "+") {
result = ge_add(this, rhs);
} else static if(op == "-") {
result = ge_sub(this, rhs);
}
} else {
static if(op == "+") {
result = ge_madd(this, rhs);
} else static if(op == "-") {
result = ge_msub(this, rhs);
}
}
return result;
}
}
/// ge_p1p1 (completed): ((X:Z),(Y:T)) satisfying x=X/Z, y=Y/T
public struct ge_p1p1 {
@safe nothrow @nogc:
fe X;
fe Y;
fe Z;
fe T;
this(fe x, fe y, fe z, fe t) {
X = x;
Y = y;
Z = z;
T = t;
}
ge_p2 opCast(G: ge_p2)() const {
return ge_p2(X*T, Y*Z, Z*T);
}
ge_p3 opCast(G: ge_p3)() const {
return ge_p3(X*T, Y*Z, Z*T, X*Y);
}
ge_cached opCast(G: ge_cached)() const {
//return ge_cached(X*T+Y*Z, Y*Z-X*T, Z*T, X*Y*d2);
return cast(ge_cached) cast(ge_p3) this;
}
}
/// ge_precomp (Duif): (y+x,y-x,2dxy)
public struct ge_precomp {
@safe nothrow @nogc:
enum ge_precomp zero = ge_precomp(fe.one, fe.one, fe.zero);
fe yplusx = fe.one;
fe yminusx = fe.one;
fe xy2d = fe.zero;
this(fe yplusx, fe yminusx, fe xy2d) {
this.yplusx = yplusx;
this.yminusx = yminusx;
this.xy2d = xy2d;
}
this(in uint[] yplusx, in uint[] yminusx, in uint[] xy2d)
in {
assert(yplusx.length == 10);
assert(yminusx.length == 10);
assert(xy2d.length == 10);
} body {
this.yplusx = yplusx;
this.yminusx = yminusx;
this.xy2d = xy2d;
}
}
public struct ge_cached {
@safe nothrow @nogc:
fe YplusX;
fe YminusX;
fe Z;
fe T2d;
this(fe yplusx, fe yminusx, fe z, fe t2d) {
YplusX = yplusx;
YminusX = yminusx;
Z = z;
T2d = t2d;
}
};
/**
r = p + q
*/
private ge_p1p1 ge_add(in ref ge_p3 p, in ref ge_cached q) pure
{
ge_p1p1 r;
fe t0;
r.X = p.Y + p.X;
r.Y = p.Y - p.X;
r.Z = r.X * q.YplusX;
r.Y *= q.YminusX;
r.T = q.T2d * p.T;
r.X = p.Z * q.Z;
t0 = r.X + r.X;
r.X = r.Z - r.Y;
r.Y += r.Z;
r.Z = t0 + r.T;
r.T = t0 - r.T;
return r;
}
/**
r = p - q
*/
private ge_p1p1 ge_sub(in ref ge_p3 p, in ref ge_cached q) pure
{
ge_p1p1 r;
fe t0;
r.X = p.Y + p.X;
r.Y = p.Y - p.X;
r.Z = r.X * q.YminusX;
r.Y *= q.YplusX;
r.T = q.T2d * p.T;
r.X = p.Z * q.Z;
t0 = r.X + r.X;
r.X = r.Z - r.Y;
r.Y += r.Z;
r.Z = t0 - r.T;
r.T += t0;
return r;
}
/**
r = p + q
*/
private ge_p1p1 ge_madd(in ref ge_p3 p, in ref ge_precomp q) pure
{
ge_p1p1 r;
fe t0;
r.X = p.Y + p.X;
r.Y = p.Y - p.X;
r.Z = r.X * q.yplusx;
r.Y *= q.yminusx;
r.T = q.xy2d * p.T;
t0 = p.Z + p.Z;
r.X = r.Z - r.Y;
r.Y += r.Z;
r.Z = t0 + r.T;
r.T = t0 - r.T;
return r;
}
/**
r = p - q
*/
private ge_p1p1 ge_msub(in ref ge_p3 p, in ref ge_precomp q) pure
{
ge_p1p1 r;
fe t0;
r.X = p.Y + p.X;
r.Y = p.Y - p.X;
r.Z = r.X * q.yminusx;
r.Y *= q.yplusx;
r.T = q.xy2d * p.T;
t0 = p.Z + p.Z;
r.X = r.Z - r.Y;
r.Y += r.Z;
r.Z = t0 - r.T;
r.T += t0;
return r;
}
// TODO pre conditions
private void slide(byte[] r, in ubyte[] a)
{
for (uint i = 0; i < 256; ++i) {
r[i] = 1 & (a[i >> 3] >> (i & 7));
}
for (uint i = 0; i < 256; ++i) {
if (r[i]) {
for (uint b = 1; b <= 6 && i + b < 256; ++b) {
if (r[i + b]) {
if (r[i] + (r[i + b] << b) <= 15) {
r[i] += r[i + b] << b; r[i + b] = 0;
} else if (r[i] - (r[i + b] << b) >= -15) {
r[i] -= r[i + b] << b;
for (uint k = i + b; k < 256; ++k) {
if (!r[k]) {
r[k] = 1;
break;
}
r[k] = 0;
}
} else
break;
}
}
}
}
}
/// calculates a * A + b * B
/// B is the Ed25519 base point (x,4/5) with x positive.
/// Params:
/// a = a[0]+256*a[1]+...+256^31 a[31].
/// b = b[0]+256*b[1]+...+256^31 b[31].
/// Returns: r = a * A + b * B
ge_p2 ge_double_scalarmult_vartime(in ubyte[] a, in ref ge_p3 A, in ubyte[] b)
{
byte[256] aslide, bslide;
ge_cached[8] Ai; /* A,3A,5A,7A,9A,11A,13A,15A */
ge_p1p1 t;
ge_p3 u;
ge_p3 A2;
ge_p2 r; /// result
slide(aslide,a);
slide(bslide, b);
Ai[0] = cast(ge_cached) A;
A2 = cast(ge_p3) A.dbl();
foreach(i; 0..7) {
Ai[i+1] = cast(ge_cached) (A2 + Ai[i]);
}
r = ge_p2.zero;
int i;
for (i = 255; i >= 0; --i) {
if (aslide[i] || bslide[i]) break;
}
for (; i >= 0; --i) {
t = r.dbl();
u = cast(ge_p3) t;
if (aslide[i] > 0) {
t = u + Ai[aslide[i]/2];
} else if (aslide[i] < 0) {
t = u - Ai[(-aslide[i])/2];
}
u = cast(ge_p3) t;
if (bslide[i] > 0) {
t = u + Bi[bslide[i]/2];
} else if (bslide[i] < 0) {
t = u - Bi[(-bslide[i])/2];
}
r = cast(ge_p2) t;
}
return r;
}
bool ge_frombytes_negate_vartime(ref ge_p3 h, in ubyte[] s)
in {
assert(s.length == 32);
} body {
fe u;
fe v;
fe v3;
fe vxx;
fe check;
h.Y = fe.fromBytes(s);
h.Z = fe.one;
u = h.Y.sq;
v = u * d;
u -= h.Z; /* u = y^2-1 */
v += h.Z; /* v = dy^2+1 */
v3 = v.cpow!3; /* v3 = v^3 */
h.X = u * v3.sq * v; /* x = uv^7 */
h.X = fe_pow22523(h.X); /* x = (uv^7)^((q-5)/8) */
//h.X = h.X.cpow!22523;
h.X *= v3;
h.X *= u; /* x = uv^3(uv^7)^((q-5)/8) */
vxx = h.X.sq;
vxx *= v;
check = vxx - u; /* vx^2-u */
if (check.isNonzero) {
check = vxx + u; /* vx^2+u */
if (check.isNonzero) return false;
h.X *= sqrtm1;
}
if (h.X.isNegative == (s[31] >> 7)) {
h.X.negate();
}
h.T = h.X * h.Y;
return true;
}
/// Conditional move: t = u, if and only if b != 0.
void cmov(ref ge_precomp t, in ref ge_precomp u, in bool b)
in {
assert(b == 0 || b == 1);
} body {
fe_cmov(t.yplusx, u.yplusx, b);
fe_cmov(t.yminusx, u.yminusx, b);
fe_cmov(t.xy2d, u.xy2d, b);
}
/// Select ge_precomp from base table in constant time.
/// Params:
/// b =
private ge_precomp select(in int pos, in byte b)
{
ge_precomp minust;
immutable bool bnegative = b < 0;
immutable ubyte babs = cast(ubyte) (b - (cast(byte)((-cast(int)(bnegative)) & cast(ubyte)b) << 1)); // abs(b)
assert((b >= 0 && babs == b) || (b < 0 && babs == -b));
ge_precomp t;
cmov(t, base[pos][0], babs == 1);
cmov(t, base[pos][1], babs == 2);
cmov(t, base[pos][2], babs == 3);
cmov(t, base[pos][3], babs == 4);
cmov(t, base[pos][4], babs == 5);
cmov(t, base[pos][5], babs == 6);
cmov(t, base[pos][6], babs == 7);
cmov(t, base[pos][7], babs == 8);
minust.yplusx = t.yminusx;
minust.yminusx = t.yplusx;
minust.xy2d = -t.xy2d;
cmov(t, minust, bnegative);
return t;
}
/**
h = a * B
where a = a[0]+256*a[1]+...+256^31 a[31]
B is the Ed25519 base point (x,4/5) with x positive.
Preconditions:
a[31] <= 127
*/
ge_p3 ge_scalarmult_base(in ubyte[] a)
in {
assert(a.length == 32, "'a' is expected to be 32 bytes.");
assert(a[31] <= 127);
} body {
byte[64] e;
ge_p1p1 r;
ge_p2 s;
ge_precomp t;
ge_p3 h;
for (uint i = 0; i < 32; ++i) {
e[2 * i + 0] = (a[i] >> 0) & 0x0F;
e[2 * i + 1] = (a[i] >> 4) & 0x0F;
}
/* each e[i] is between 0 and 15 */
/* e[63] is between 0 and 7 */
byte carry = 0;
for (uint i = 0; i < 63; ++i) {
e[i] += carry;
carry = cast(byte) (e[i] + 8);
e[i] -= carry & 0xF0;
carry >>= 4;
}
e[63] += carry;
/* each e[i] is between -8 and 8 */
h = ge_p3.zero;
for (uint i = 1; i < 64; i += 2) {
h = cast(ge_p3) (h + select(i / 2, e[i]));
}
s = cast(ge_p2) h.dbl();
s = cast(ge_p2) s.dbl();
s = cast(ge_p2) s.dbl();
h = cast(ge_p3) s.dbl();
for (uint i = 0; i < 64; i += 2) {
h = cast(ge_p3) (h + select(i / 2, e[i]));
}
return h;
}
// constants
private:
immutable fe d = [-10913610,13857413,-15372611,6949391,114729,-8787816,-6275908,-3247719,-18696448,-12055116];
immutable fe d2 = [-21827239,-5839606,-30745221,13898782,229458,15978800,-12551817,-6495438,29715968,9444199];
immutable fe sqrtm1 = [-32595792,-7943725,9377950,3500415,12389472,-272473,-25146209,-2005654,326686,11406482];
/// 1B, 2B, ...
immutable ge_precomp[8] Bi = [
ge_precomp(
[ 25967493,-14356035,29566456,3660896,-12694345,4014787,27544626,-11754271,-6079156,2047605 ],
[ -12545711,934262,-2722910,3049990,-727428,9406986,12720692,5043384,19500929,-15469378 ],
[ -8738181,4489570,9688441,-14785194,10184609,-12363380,29287919,11864899,-24514362,-4438546 ],
),
ge_precomp(
[ 15636291,-9688557,24204773,-7912398,616977,-16685262,27787600,-14772189,28944400,-1550024 ],
[ 16568933,4717097,-11556148,-1102322,15682896,-11807043,16354577,-11775962,7689662,11199574 ],
[ 30464156,-5976125,-11779434,-15670865,23220365,15915852,7512774,10017326,-17749093,-9920357 ],
),
ge_precomp(
[ 10861363,11473154,27284546,1981175,-30064349,12577861,32867885,14515107,-15438304,10819380 ],
[ 4708026,6336745,20377586,9066809,-11272109,6594696,-25653668,12483688,-12668491,5581306 ],
[ 19563160,16186464,-29386857,4097519,10237984,-4348115,28542350,13850243,-23678021,-15815942 ],
),
ge_precomp(
[ 5153746,9909285,1723747,-2777874,30523605,5516873,19480852,5230134,-23952439,-15175766 ],
[ -30269007,-3463509,7665486,10083793,28475525,1649722,20654025,16520125,30598449,7715701 ],
[ 28881845,14381568,9657904,3680757,-20181635,7843316,-31400660,1370708,29794553,-1409300 ],
),
ge_precomp(
[ -22518993,-6692182,14201702,-8745502,-23510406,8844726,18474211,-1361450,-13062696,13821877 ],
[ -6455177,-7839871,3374702,-4740862,-27098617,-10571707,31655028,-7212327,18853322,-14220951 ],
[ 4566830,-12963868,-28974889,-12240689,-7602672,-2830569,-8514358,-10431137,2207753,-3209784 ],
),
ge_precomp(
[ -25154831,-4185821,29681144,7868801,-6854661,-9423865,-12437364,-663000,-31111463,-16132436 ],
[ 25576264,-2703214,7349804,-11814844,16472782,9300885,3844789,15725684,171356,6466918 ],
[ 23103977,13316479,9739013,-16149481,817875,-15038942,8965339,-14088058,-30714912,16193877 ],
),
ge_precomp(
[ -33521811,3180713,-2394130,14003687,-16903474,-16270840,17238398,4729455,-18074513,9256800 ],
[ -25182317,-4174131,32336398,5036987,-21236817,11360617,22616405,9761698,-19827198,630305 ],
[ -13720693,2639453,-24237460,-7406481,9494427,-5774029,-6554551,-15960994,-2449256,-14291300 ],
),
ge_precomp(
[ -3151181,-5046075,9282714,6866145,-31907062,-863023,-18940575,15033784,25105118,-7894876 ],
[ -24326370,15950226,-31801215,-14592823,-11662737,-5090925,1573892,-2625887,2198790,-15804619 ],
[ -3099351,10324967,-2241613,7453183,-5446979,-2735503,-13812022,-16236442,-32461234,-12290683 ],
)
]; | D |
/Users/thendral/POC/vapor/Friends/.build/debug/Console.build/Console/Console.swift.o : /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Bar/Bar.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Command/Argument.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Command/Command+Print.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Command/Command.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Command/Group.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Command/Option.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Command/Runnable.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Command/Value.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Console/Console+Ask.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Console/Console+Center.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Console/Console+Confirm.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Console/Console+Options.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Console/Console+Print.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Console/Console+Run.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Console/Console.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Console/ConsoleError.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Stream/FileHandle+Stream.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Stream/Pipe+Stream.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Stream/Stream.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Terminal/ConsoleColor+Terminal.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Terminal/ConsoleStyle+Terminal.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Terminal/String+ANSI.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Terminal/Terminal+Command.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Terminal/Terminal.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Utilities/Bool+Polymorphic.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Utilities/String+Trim.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Bar/Loading/Console+LoadingBar.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Bar/Loading/LoadingBar.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Bar/Progress/Console+ProgressBar.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Bar/Progress/ProgressBar.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Console/Clear/ConsoleClear.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Console/Color/ConsoleColor.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Console/Style/Console+ConsoleStyle.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Console/Style/ConsoleStyle.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/thendral/POC/vapor/Friends/.build/debug/libc.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Users/thendral/POC/vapor/Friends/.build/debug/Polymorphic.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Users/thendral/POC/vapor/Friends/.build/debug/Core.swiftmodule
/Users/thendral/POC/vapor/Friends/.build/debug/Console.build/Console~partial.swiftmodule : /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Bar/Bar.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Command/Argument.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Command/Command+Print.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Command/Command.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Command/Group.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Command/Option.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Command/Runnable.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Command/Value.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Console/Console+Ask.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Console/Console+Center.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Console/Console+Confirm.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Console/Console+Options.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Console/Console+Print.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Console/Console+Run.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Console/Console.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Console/ConsoleError.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Stream/FileHandle+Stream.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Stream/Pipe+Stream.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Stream/Stream.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Terminal/ConsoleColor+Terminal.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Terminal/ConsoleStyle+Terminal.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Terminal/String+ANSI.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Terminal/Terminal+Command.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Terminal/Terminal.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Utilities/Bool+Polymorphic.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Utilities/String+Trim.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Bar/Loading/Console+LoadingBar.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Bar/Loading/LoadingBar.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Bar/Progress/Console+ProgressBar.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Bar/Progress/ProgressBar.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Console/Clear/ConsoleClear.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Console/Color/ConsoleColor.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Console/Style/Console+ConsoleStyle.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Console/Style/ConsoleStyle.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/thendral/POC/vapor/Friends/.build/debug/libc.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Users/thendral/POC/vapor/Friends/.build/debug/Polymorphic.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Users/thendral/POC/vapor/Friends/.build/debug/Core.swiftmodule
/Users/thendral/POC/vapor/Friends/.build/debug/Console.build/Console~partial.swiftdoc : /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Bar/Bar.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Command/Argument.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Command/Command+Print.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Command/Command.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Command/Group.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Command/Option.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Command/Runnable.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Command/Value.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Console/Console+Ask.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Console/Console+Center.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Console/Console+Confirm.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Console/Console+Options.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Console/Console+Print.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Console/Console+Run.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Console/Console.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Console/ConsoleError.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Stream/FileHandle+Stream.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Stream/Pipe+Stream.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Stream/Stream.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Terminal/ConsoleColor+Terminal.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Terminal/ConsoleStyle+Terminal.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Terminal/String+ANSI.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Terminal/Terminal+Command.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Terminal/Terminal.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Utilities/Bool+Polymorphic.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Utilities/String+Trim.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Bar/Loading/Console+LoadingBar.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Bar/Loading/LoadingBar.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Bar/Progress/Console+ProgressBar.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Bar/Progress/ProgressBar.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Console/Clear/ConsoleClear.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Console/Color/ConsoleColor.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Console/Style/Console+ConsoleStyle.swift /Users/thendral/POC/vapor/Friends/Packages/Console-1.0.2/Sources/Console/Console/Style/ConsoleStyle.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/thendral/POC/vapor/Friends/.build/debug/libc.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Users/thendral/POC/vapor/Friends/.build/debug/Polymorphic.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Users/thendral/POC/vapor/Friends/.build/debug/Core.swiftmodule
| D |
module xf.input.writer.Win32;
private {
import xf.input.Input;
import xf.input.KeySym;
import tango.stdc.ctype;
import tango.util.log.Trace;
import xf.platform.win32.wingdi;
import xf.platform.win32.winuser;
import xf.platform.win32.windef;
import xf.platform.win32.winbase;
}
private KeyboardInput.Modifiers getModifiers() {
KeyboardInput.Modifiers mods;
ubyte keyboard[256];
if (GetKeyboardState(keyboard.ptr)) {
if (keyboard[VK_LSHIFT] & 0x80) {
mods |= mods.LSHIFT;
}
if (keyboard[VK_RSHIFT] & 0x80) {
mods |= mods.RSHIFT;
}
if (keyboard[VK_LCONTROL] & 0x80) {
mods |= mods.LCTRL;
}
if (keyboard[VK_RCONTROL] & 0x80) {
mods |= mods.RCTRL;
}
if (keyboard[VK_LMENU] & 0x80) {
mods |= mods.LALT;
}
if (keyboard[VK_RMENU] & 0x80) {
mods |= mods.RALT;
}
if (keyboard[VK_NUMLOCK] & 0x01) {
mods |= mods.NUM;
}
if (keyboard[VK_CAPITAL] & 0x01) {
mods |= mods.CAPS;
}
}
return mods;
}
bool translateKey(ushort wparam, uint lparam, bool keyDown, out KeySym sym) {
if (keyDown && lparam & (1 << 30)) { // repeated key
return false;
}
bool ret(KeySym s) {
sym = s;
return true;
}
const int extendedMask = 1 << 24;
switch (wparam) {
case VK_CONTROL: {
if (lparam & extendedMask) {
return ret(KeySym.Control_R);
} else {
return ret(KeySym.Control_L);
}
}
case VK_SHIFT: {
uint scanCode = MapVirtualKey(VK_RSHIFT, 0);
if (((lparam & 0x01ff0000) >> 16) == scanCode) {
return ret(KeySym.Shift_R);
} else {
return ret(KeySym.Shift_L);
}
}
case VK_MENU: {
if (lparam & extendedMask) {
return ret(KeySym.Alt_R);
} else {
return ret(KeySym.Alt_L);
}
}
case VK_RETURN: {
if (lparam & extendedMask) {
return ret(KeySym.KP_Enter);
}
return ret(KeySym.Return);
}
case VK_ESCAPE: return ret(KeySym.Escape);
case VK_TAB: return ret(KeySym.Tab);
case VK_BACK: return ret(KeySym.BackSpace);
case VK_HOME: return ret(KeySym.Home);
case VK_END: return ret(KeySym.End);
case VK_PRIOR: return ret(KeySym.Page_Up);
case VK_NEXT: return ret(KeySym.Page_Down);
case VK_INSERT: return ret(KeySym.Insert);
case VK_DELETE: return ret(KeySym.Delete);
case VK_LEFT: return ret(KeySym.Left);
case VK_UP: return ret(KeySym.Up);
case VK_RIGHT: return ret(KeySym.Right);
case VK_DOWN: return ret(KeySym.Down);
case VK_F1: return ret(KeySym.F1);
case VK_F2: return ret(KeySym.F2);
case VK_F3: return ret(KeySym.F3);
case VK_F4: return ret(KeySym.F4);
case VK_F5: return ret(KeySym.F5);
case VK_F6: return ret(KeySym.F6);
case VK_F7: return ret(KeySym.F7);
case VK_F8: return ret(KeySym.F8);
case VK_F9: return ret(KeySym.F9);
case VK_F10: return ret(KeySym.F10);
case VK_F11: return ret(KeySym.F11);
case VK_F12: return ret(KeySym.F12);
case VK_F13: return ret(KeySym.F13);
case VK_F14: return ret(KeySym.F14);
case VK_F15: return ret(KeySym.F15);
case VK_SPACE: return ret(KeySym.space);
// Numeric keypad
case VK_NUMPAD0: return ret(KeySym.KP_0);
case VK_NUMPAD1: return ret(KeySym.KP_1);
case VK_NUMPAD2: return ret(KeySym.KP_2);
case VK_NUMPAD3: return ret(KeySym.KP_3);
case VK_NUMPAD4: return ret(KeySym.KP_4);
case VK_NUMPAD5: return ret(KeySym.KP_5);
case VK_NUMPAD6: return ret(KeySym.KP_6);
case VK_NUMPAD7: return ret(KeySym.KP_7);
case VK_NUMPAD8: return ret(KeySym.KP_8);
case VK_NUMPAD9: return ret(KeySym.KP_9);
case VK_DIVIDE: return ret(KeySym.KP_Divide);
case VK_MULTIPLY: return ret(KeySym.KP_Multiply);
case VK_SUBTRACT: return ret(KeySym.KP_Subtract);
case VK_ADD: return ret(KeySym.KP_Add);
case VK_DECIMAL: return ret(KeySym.KP_Decimal);
default: {
uint chr = MapVirtualKeyA(wparam, 2) & 0xffff;
chr = cast(uint)CharLowerA(cast(char*)chr);
if (chr >= 32 && chr <= 127) {
//writefln(cast(char)chr);
return ret(cast(KeySym)chr);
} else {
sym = KeySym.VoidSymbol;
return true;
}
} break;
}
return false;
}
private {
void key(InputChannel channel, KeySym sym, bool down, ushort wparam, uint lparam) {
if (!channel) return;
KeyboardInput kin;
kin.modifiers = getModifiers();
kin.type = down ? KeyboardInput.Type.Down : KeyboardInput.Type.Up;
kin.keySym = sym;
{
uint scancode = (lparam >> 16) & 0xff;
ubyte[256] keyboardState;
GetKeyboardState(keyboardState.ptr);
wchar[2] buffer;
int num = ToUnicodeEx(wparam, scancode, keyboardState.ptr, buffer.ptr, 2, 0, GetKeyboardLayout(0));
if (num >= 1) {
try {
foreach (dchar c; buffer[0..num]) {
kin.unicode = c;
break;
}
} catch {}
}
}
channel << kin;
}
void mouseMove(InputChannel channel, int x, int y, int xrel, int yrel, int gx, int gy) {
if (!channel) return;
MouseInput min;
min.type = MouseInput.Type.Move;
min.position = vec2i(x, y);
min.move = vec2i(xrel, yrel);
min.global = vec2i(gx, gy);
channel << min;
}
void mouseButtonDown(InputChannel channel, MouseInput.Button button) {
if (!channel) return;
MouseInput min;
min.type = MouseInput.Type.ButtonDown;
min.buttons = button;
channel << min;
}
void mouseButtonUp(InputChannel channel, MouseInput.Button button) {
if (!channel) return;
MouseInput min;
min.type = MouseInput.Type.ButtonUp;
min.buttons = button;
channel << min;
}
void mouseWheel(InputChannel channel, int amt, MouseInput.Button dec, MouseInput.Button inc) {
if (!channel) return;
MouseInput min;
min.type = MouseInput.Type.ButtonDown;
while (amt >= WHEEL_DELTA) {
min.buttons = inc;
channel << min;
amt -= WHEEL_DELTA;
}
while (amt <= -WHEEL_DELTA) {
min.buttons = dec;
channel << min;
amt += WHEEL_DELTA;
}
}
}
class Win32InputWriter {
this (InputChannel channel, bool interceptMouse = false) {
this.channel = channel;
this.interceptMouse = interceptMouse;
}
bool filter(void* hwnd_, uint umsg, WPARAM wparam, LPARAM lparam, int* retCode) {
bool keyDown = WM_KEYDOWN == umsg || WM_SYSKEYDOWN == umsg;
auto hwnd = cast(HWND)hwnd_;
switch (umsg) {
case WM_SYSKEYDOWN:
case WM_KEYDOWN:
case WM_SYSKEYUP:
case WM_KEYUP: {
KeySym keysym;
if (translateKey(wparam, lparam, keyDown, keysym)) {
//writefln("key hit. down = ", keyDown);
key(channel, keysym, keyDown, wparam, lparam);
return (*retCode = 0, true);
} else break;
}
case WM_LBUTTONDOWN: {
SetCapture(hwnd);
mouseButtonDown(channel, MouseInput.Button.Left);
} return (*retCode = 0, true);
case WM_RBUTTONDOWN: {
SetCapture(hwnd);
mouseButtonDown(channel, MouseInput.Button.Right);
} return (*retCode = 0, true);
case WM_MBUTTONDOWN: {
SetCapture(hwnd);
mouseButtonDown(channel, MouseInput.Button.Middle);
} return (*retCode = 0, true);
case WM_LBUTTONUP: {
if (!interceptMouse) ReleaseCapture();
mouseButtonUp(channel, MouseInput.Button.Left);
} return (*retCode = 0, true);
case WM_RBUTTONUP: {
if (!interceptMouse) ReleaseCapture();
mouseButtonUp(channel, MouseInput.Button.Right);
} return (*retCode = 0, true);
case WM_MBUTTONUP: {
if (!interceptMouse) ReleaseCapture();
mouseButtonUp(channel, MouseInput.Button.Middle);
} return (*retCode = 0, true);
case WM_MOUSEMOVE: {
// signed position
int curX = cast(int)cast(short)LOWORD(lparam);
int curY = cast(int)cast(short)HIWORD(lparam);
int deltaX, deltaY;
if (interceptMouse) {
RECT rect;
GetClientRect(hwnd, &rect);
int width = rect.right+1;
int height = rect.bottom+1;
int warpX = width / 2;
int warpY = height / 2;
deltaX = curX - warpX;
deltaY = curY - warpY;
if (0 == deltaX && 0 == deltaY) return 0;
_curMouseX = _prevMouseX + deltaX;
_curMouseY = _prevMouseY + deltaY;
} else {
deltaX = curX - _prevMouseX;
deltaY = curY - _prevMouseY;
if (0 == deltaX && 0 == deltaY) return 0;
_curMouseX = curX;
_curMouseY = curY;
}
POINT pt;
GetCursorPos(&pt);
mouseMove(channel, _curMouseX, _curMouseY, deltaX, deltaY, pt.x, pt.y);
_prevMouseX = _curMouseX;
_prevMouseY = _curMouseY;
if (interceptMouse) {
warpMouseToCenter(hwnd);
}
} return (*retCode = 0, true);
case WM_MOUSEWHEEL: {
int _delta = GET_WHEEL_DELTA_WPARAM(wparam);
mouseWheel(channel, _delta, MouseInput.Button.WheelDown, MouseInput.Button.WheelUp);
} return (*retCode = 0, true);
// WTF, Vista-only? D:
/+case WM_MOUSEHWHEEL: {
int _delta = GET_WHEEL_DELTA_WPARAM(wparam);
mouseHWheel(channel, _delta, MouseInput.Button.WheelLeft, MouseInput.Button.WheelRight);
} return (*retCode = 0, true);+/
default: break;
}
return true;
}
private {
void warpMouseToCenter(HWND hwnd) {
RECT rect;
GetClientRect(hwnd, &rect);
int width = rect.right+1;
int height = rect.bottom+1;
POINT point;
point.x = width / 2;
point.y = height / 2;
ClientToScreen(hwnd, &point);
SetCursorPos(point.x, point.y);
}
InputChannel channel;
bool interceptMouse;
int _curMouseX = 0;
int _curMouseY = 0;
int _prevMouseX = 0;
int _prevMouseY = 0;
}
}
| D |
var string HPSTRING;
var string HPSTRING2;
var string statstring;
var string statstring2;
var string statstring3;
var string statstring4;
var string statstring5;
var string statstring6;
var string statstring7;
var int D_CAN_AGGRO;
var int D_CAN_DEF;
var int D_CAN_PASS;
var int D_CAN_ABL;
var int D_CAN_SUCH;
//DOGS ATTRIBUTE
//var int D_HP;
var int D_XP;
var int D_PASS;
var int D_ABL;
var int F_AGGRO;
var int F_DEF;
var int d_noatt;
var int D_last_playaction;
var int D_last_success;
var int Bonus_For_Tricks;
////////////////////////////////////////////////////////////
////////////// Exit
///////////////////////////////////////////////////////
func void dogsay (var C_NPC slf, var C_NPC oth)
{
var int randim;
randim =Hlp_Random(3);
if randim ==2
{
//Snd_Play ("Dog1");
}
else if randim ==0
{
//Snd_Play ("Dog2");
}
else
{
};
};
VAR int dogmenu;
func int GET_DOG_COST (var C_NPC slf)
{
var int DOG_KOSTEN;
if (slf.attribute[ATR_STRENGTH] >= 200) { DOG_KOSTEN = (3); }
else if (slf.attribute[ATR_STRENGTH] >= 100) { DOG_KOSTEN = (2); }
else { DOG_KOSTEN = (1); };
return DOG_KOSTEN;
};
instance Dia_Dog_notalk (C_INFO)
{
npc = Dog;
nr =0;
condition = Dia_Dog_notalk_condition;
information = Dia_Dog_notalk_info;
important = TRUE;
Permanent = TRUE;
Description =DIALOG_ENDE;
};
func int Dia_Dog_notalk_condition ()
{
if (Npc_KnowsInfo (hero, Dia_PEPE_Sell_Dog3)==FALSE)
&& (Npc_IsInState(self, ZS_Talk))
{
return TRUE;
};
};
func void Dia_Dog_notalk_info ()
{
AI_StopProcessInfos (self);
dogmenu=0;
};
instance Dia_Dog_Exit (C_INFO)
{
npc = Dog;
nr =1020;
condition = Dia_Dog_Exit_condition;
information = Dia_Dog_Exit_info;
important = FALSE;
Permanent = TRUE;
Description =DIALOG_ENDE;
};
instance Dia_Dog_addon_Exit (C_INFO)
{
npc = Dog_Addon;
nr =1020;
condition = Dia_Dog_Exit_condition;
information = Dia_Dog_Exit_info;
important = FALSE;
Permanent = TRUE;
Description =DIALOG_ENDE;
};
instance Dia_Dog_ow_Exit (C_INFO)
{
npc = Dog_ow;
nr =1020;
condition = Dia_Dog_Exit_condition;
information = Dia_Dog_Exit_info;
important = FALSE;
Permanent = TRUE;
Description =DIALOG_ENDE;
};
instance Dia_Dog_di_Exit (C_INFO)
{
npc = Dog_di;
nr =1020;
condition = Dia_Dog_Exit_condition;
information = Dia_Dog_Exit_info;
important = FALSE;
Permanent = TRUE;
Description =DIALOG_ENDE;
};
func int Dia_Dog_Exit_condition ()
{
return TRUE;
};
func void Dia_Dog_Exit_info ()
{
AI_StopProcessInfos (self);
dogmenu=0;
D_last_playaction=0;
D_last_success=0;
//!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!
//d_IQ=d_iq+30;
//D_LP=60;
//!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!
};
////////////////////////////////////////////////////////////
////////////// Spielen
///////////////////////////////////////////////////////
instance Dia_Dog_Spielen (C_INFO)
{
npc = Dog;
nr =998;
condition = Dia_Dog_Spielen_condition;
information = Dia_Dog_Spielen_info;
important = FALSE;
permanent = TRUE;
Description = "Spielen";
};
instance Dia_Dog_addon_Spielen (C_INFO)
{
npc = Dog_addon;
nr =998;
condition = Dia_Dog_Spielen_condition;
information = Dia_Dog_Spielen_info;
important = FALSE;
permanent = TRUE;
Description = "Spielen";
};
instance Dia_Dog_ow_Spielen (C_INFO)
{
npc = Dog_ow;
nr =998;
condition = Dia_Dog_Spielen_condition;
information = Dia_Dog_Spielen_info;
important = FALSE;
permanent = TRUE;
Description = "Spielen";
};
instance Dia_Dog_di_Spielen (C_INFO)
{
npc = Dog_di;
nr =998;
condition = Dia_Dog_Spielen_condition;
information = Dia_Dog_Spielen_info;
important = FALSE;
permanent = TRUE;
Description = "Spielen";
};
func int Dia_Dog_Spielen_condition ()
{
IF (dogmenu==0)
{
return TRUE;
};
};
func void Dia_Dog_Spielen_info ()
{
dogmenu=1;
};
////////////////////////////////////////////////////////////
////////////// S_Sitz
///////////////////////////////////////////////////////
instance Dia_Dog_S_Sitz (C_INFO)
{
npc = Dog;
nr =997;
condition = Dia_Dog_S_Sitz_condition;
information = Dia_Dog_S_Sitz_info;
important = FALSE;
permanent = TRUE;
Description = "Sitz!";
};
instance Dia_Dog_ow_S_Sitz (C_INFO)
{
npc = Dog_ow;
nr =997;
condition = Dia_Dog_S_Sitz_condition;
information = Dia_Dog_S_Sitz_info;
important = FALSE;
permanent = TRUE;
Description = "Sitz!";
};
instance Dia_Dog_addon_S_Sitz (C_INFO)
{
npc = Dog_addon;
nr =997;
condition = Dia_Dog_S_Sitz_condition;
information = Dia_Dog_S_Sitz_info;
important = FALSE;
permanent = TRUE;
Description = "Sitz!";
};
instance Dia_Dog_di_S_Sitz (C_INFO)
{
npc = Dog_di;
nr =997;
condition = Dia_Dog_S_Sitz_condition;
information = Dia_Dog_S_Sitz_info;
important = FALSE;
permanent = TRUE;
Description = "Sitz!";
};
func int Dia_Dog_S_Sitz_condition ()
{
IF (dogmenu==1)
{
return TRUE;
};
};
func void Dia_Dog_S_Sitz_info ()
{
AI_Output ( other,self,"Dia_Dog_S_SITZ_00"); //Sitz!
var int randomizer;
var int randomizer2;
randomizer2=Hlp_Random(9);
randomizer=(randomizer2+1)-D_sitz_c;
if (randomizer <=1)
{
AI_Wait(self, 0.4);
AI_StandUp (self);
AI_PlayAni(self, "T_STAND_2_SIT");
D_last_success =1;
dogsay (self, other);
}
else if (Randomizer2 > 4)
{
AI_Wait(self, 0.4);
AI_StandUp (self);
dogsay (self, other);
}
else
{
AI_Wait(self, 0.4);
AI_StandUp (self);
AI_PlayAni(self, "T_STAND_2_SLEEP");
};
D_last_playaction=1;
};
////////////////////////////////////////////////////////////
////////////// S_Steh
///////////////////////////////////////////////////////
instance Dia_Dog_S_Steh (C_INFO)
{
npc = Dog;
nr =996;
condition = Dia_Dog_S_Steh_condition;
information = Dia_Dog_S_Steh_info;
important = FALSE;
permanent = TRUE;
Description = "Aufgepasst!";
};
instance Dia_Dog_ow_S_Steh (C_INFO)
{
npc = Dog_ow;
nr =996;
condition = Dia_Dog_S_Steh_condition;
information = Dia_Dog_S_Steh_info;
important = FALSE;
permanent = TRUE;
Description = "Aufgepasst!";
};
instance Dia_Dog_addon_S_Steh (C_INFO)
{
npc = Dog_addon;
nr =996;
condition = Dia_Dog_S_Steh_condition;
information = Dia_Dog_S_Steh_info;
important = FALSE;
permanent = TRUE;
Description = "Aufgepasst!";
};
instance Dia_Dog_di_S_Steh (C_INFO)
{
npc = Dog_di;
nr =996;
condition = Dia_Dog_S_Steh_condition;
information = Dia_Dog_S_Steh_info;
important = FALSE;
permanent = TRUE;
Description = "Aufgepasst!";
};
func int Dia_Dog_S_Steh_condition ()
{
IF (dogmenu==1)
{
return TRUE;
};
};
func void Dia_Dog_S_Steh_info ()
{
AI_Output (other,self,"Dia_Dog_S_Steh_00"); //Aufgepasst!
var int randomizer;
var int randomizer2;
randomizer2=Hlp_Random(9);
randomizer=(randomizer2+1)-D_aufgepasst_c;
if (randomizer <=1)
{
AI_Wait(self, 0.4);
AI_StandUp (self);
D_last_success =2;
dogsay (self, other);
}
else if (Randomizer2 > 4)
{
AI_Wait(self, 0.4);
AI_StandUp (self);
AI_PlayAni(self, "T_STAND_2_SIT");
dogsay (self, other);
}
else
{
AI_Wait(self, 0.4);
AI_StandUp (self);
AI_PlayAni(self, "T_STAND_2_SLEEP");
};
D_last_playaction=2;
};
instance Dia_Dog_S_back (C_INFO)
{
npc = Dog;
nr =1019;
condition = Dia_Dog_S_back_condition;
information = Dia_Dog_S_back_info;
important = FALSE;
permanent = TRUE;
Description = "Zurück";
};
instance Dia_Dog_addon_S_back (C_INFO)
{
npc = Dog_addon;
nr =1019;
condition = Dia_Dog_S_back_condition;
information = Dia_Dog_S_back_info;
important = FALSE;
permanent = TRUE;
Description = "Zurück";
};
instance Dia_Dog_di_S_back (C_INFO)
{
npc = Dog_di;
nr =1019;
condition = Dia_Dog_S_back_condition;
information = Dia_Dog_S_back_info;
important = FALSE;
permanent = TRUE;
Description = "Zurück";
};
instance Dia_Dog_ow_S_back (C_INFO)
{
npc = Dog_ow;
nr =1019;
condition = Dia_Dog_S_back_condition;
information = Dia_Dog_S_back_info;
important = FALSE;
permanent = TRUE;
Description = "Zurück";
};
func int Dia_Dog_S_back_condition ()
{
IF (dogmenu==1)
{
return TRUE;
};
};
func void Dia_Dog_S_back_info ()
{
Dogmenu=0;
};
////////////////////////////////////////////////////////////
////////////// S_Lieg
///////////////////////////////////////////////////////
instance Dia_Dog_S_Lieg (C_INFO)
{
npc = Dog;
nr =995;
condition = Dia_Dog_S_Lieg_condition;
information = Dia_Dog_S_Lieg_info;
important = FALSE;
permanent = TRUE;
Description = "Leg dich hin!";
};
instance Dia_Dog_ow_S_Lieg (C_INFO)
{
npc = Dog_ow;
nr =995;
condition = Dia_Dog_S_Lieg_condition;
information = Dia_Dog_S_Lieg_info;
important = FALSE;
permanent = TRUE;
Description = "Leg dich hin!";
};
instance Dia_Dog_addon_S_Lieg (C_INFO)
{
npc = Dog_addon;
nr =995;
condition = Dia_Dog_S_Lieg_condition;
information = Dia_Dog_S_Lieg_info;
important = FALSE;
permanent = TRUE;
Description = "Leg dich hin!";
};
instance Dia_Dog_di_S_Lieg (C_INFO)
{
npc = Dog_di;
nr =995;
condition = Dia_Dog_S_Lieg_condition;
information = Dia_Dog_S_Lieg_info;
important = FALSE;
permanent = TRUE;
Description = "Leg dich hin!";
};
func int Dia_Dog_S_Lieg_condition ()
{
IF (dogmenu==1)
{
return TRUE;
};
};
func void Dia_Dog_S_Lieg_info ()
{
AI_Output (other,self,"Dia_Dog_S_Lieg_00"); //Leg dich hin!
var int randomizer;
var int randomizer2;
randomizer2=Hlp_Random(9);
randomizer=(randomizer2+1)-D_lieg_c;
if (randomizer <=1)
{
AI_Wait(self, 0.4);
AI_StandUp (self);
AI_PlayAni(self, "T_STAND_2_SLEEP");
D_last_success =3;
}
else if (Randomizer2 > 4)
{
AI_Wait(self, 0.4);
AI_StandUp (self);
dogsay (self, other);
}
else
{
AI_Wait(self, 0.4);
AI_StandUp (self);
AI_PlayAni(self, "T_STAND_2_SIT");
dogsay (self, other);
};
D_last_playaction=3;
};
instance Dia_Dog_S_STREI (C_INFO)
{
npc = Dog;
nr =993;
condition = Dia_Dog_S_STREI_condition;
information = Dia_Dog_S_STREI_info;
important = FALSE;
permanent = TRUE;
Description = "(Streicheln)";
};
instance Dia_Dog_ow_S_STREI (C_INFO)
{
npc = Dog_ow;
nr =993;
condition = Dia_Dog_S_STREI_condition;
information = Dia_Dog_S_STREI_info;
important = FALSE;
permanent = TRUE;
Description = "(Streicheln)";
};
instance Dia_Dog_di_S_STREI (C_INFO)
{
npc = Dog_di;
nr =993;
condition = Dia_Dog_S_STREI_condition;
information = Dia_Dog_S_STREI_info;
important = FALSE;
permanent = TRUE;
Description = "(Streicheln)";
};
instance Dia_Dog_Addon_S_STREI (C_INFO)
{
npc = Dog_addon;
nr =993;
condition = Dia_Dog_S_STREI_condition;
information = Dia_Dog_S_STREI_info;
important = FALSE;
permanent = TRUE;
Description = "(Streicheln)";
};
func int Dia_Dog_S_STREI_condition ()
{
IF (dogmenu==1)
{
return TRUE;
};
};
func void Dia_Dog_S_STREI_info ()
{
AI_GotoNpc(other, self);
//AI_PlayAni (other, "T_PLUNDER");
AI_PlayAni (other, "T_GRAVE_STAND_2_S0");
AI_PlayAni (other, "T_GRAVE_S0_2_S1");
AI_PlayAni (other, "T_FISTPARADEJUMPB");
AI_StandUp(other);
if ((D_last_playaction==1)&&(D_last_success==1))
{
D_sitz_c=d_sitz_c +1;
}
else if ((D_last_playaction==1)&&(D_last_success!=1))
{
D_sitz_c=d_sitz_c -1;
};
if ((D_last_playaction==2)&&(D_last_success==2))
{
D_aufgepasst_c=d_aufgepasst_c +1;
}
else if ((D_last_playaction==2)&&(D_last_success!=2))
{
D_aufgepasst_c=d_aufgepasst_c -1;
};
if ((D_last_playaction==3)&&(D_last_success==3))
{
D_lieg_c=d_lieg_c +1;
}
else if ((D_last_playaction==3)&&(D_last_success!=3))
{
D_lieg_c=d_lieg_c -1;
};
D_last_playaction=0;
D_last_success=0;
if (Bonus_For_Tricks==FALSE)
&& (d_sitz_c>=8)
&& (d_aufgepasst_c>=8)
&& (d_lieg_c>=8)
{
Bonus_For_Tricks=TRUE;
D_IQ=d_IQ+20;
PrintScreen ("Draco ist schlauer geworden!", -1, -1, FONT_SCREEN, 2);
Snd_Play ("LevelUp");
dogsay (self, other);
};
};
////////////////////////////////////////////////////////////
////////////// Überprüfen
///////////////////////////////////////////////////////
instance Dia_Dog_Überprüfen (C_INFO)
{
npc = Dog;
nr =994;
condition = Dia_Dog_Überprüfen_condition;
information = Dia_Dog_Überprüfen_info;
important = FALSE;
permanent = TRUE;
Description = "(überprüfen)"; //---------------------Zum Werte gucken
};
instance Dia_Dog_ow_Überprüfen (C_INFO)
{
npc = Dog_ow;
nr =994;
condition = Dia_Dog_Überprüfen_condition;
information = Dia_Dog_Überprüfen_info;
important = FALSE;
permanent = TRUE;
Description = "(überprüfen)"; //---------------------Zum Werte gucken
};
instance Dia_Dog_addon_Überprüfen (C_INFO)
{
npc = Dog_addon;
nr =994;
condition = Dia_Dog_Überprüfen_condition;
information = Dia_Dog_Überprüfen_info;
important = FALSE;
permanent = TRUE;
Description = "(überprüfen)"; //---------------------Zum Werte gucken
};
instance Dia_Dog_di_Überprüfen (C_INFO)
{
npc = Dog_di;
nr =994;
condition = Dia_Dog_Überprüfen_condition;
information = Dia_Dog_Überprüfen_info;
important = FALSE;
permanent = TRUE;
Description = "(überprüfen)"; //---------------------Zum Werte gucken
};
func int Dia_Dog_Überprüfen_condition ()
{
IF (dogmenu==0)
{
return TRUE;
};
};
func void Dia_Dog_Überprüfen_info ()
{
AI_GotoNpc(other, self);
//AI_PlayAni (other, "T_PLUNDER");
AI_PlayAni (other, "T_GRAVE_STAND_2_S0");
AI_PlayAni (other, "T_GRAVE_S0_2_S1");
AI_PlayAni (other, "T_FISTPARADEJUMPB");
AI_StandUp(other);
var int XP_RECH;
XP_RECH=D_EXP_NEXT-D_exp;
statstring = ConcatStrings ("Maximale Lebensenergie: " , IntToString(self.attribute[ATR_HITPOINTS_MAX]));
statstring2 = ConcatStrings ("Intelligenz: " , IntToString(D_IQ));
statstring3 = ConcatStrings ("Stärke: " , IntToString(D_STR));
statstring4 = ConcatStrings ("Lernpunkte: " , IntToString(D_LP));
statstring5 = ConcatStrings ("Level: " , IntToString(D_LEVEL));
statstring6 = ConcatStrings ("Schutz vor Waffen: " , IntToString(self.protection[PROT_EDGE]));
statstring7 = ConcatStrings ("EXP für nächste Stufe: " , IntToString(XP_RECH));
PrintScreen (statstring5, -1, 1, FONT_SCREEN, 10);
PrintScreen (statstring7, -1, 3, FONT_SCREEN, 10);
PrintScreen (statstring4, -1, 5, FONT_SCREEN, 10);
PrintScreen (statstring, -1, 7, FONT_SCREEN, 10);
PrintScreen (statstring3, -1, 9, FONT_SCREEN, 10);
PrintScreen (statstring2, -1, 11, FONT_SCREEN, 10);
PrintScreen (statstring6, -1, 13, FONT_SCREEN, 10);
//Nicht vergessen!!!
};
////////////////////////////////////////////////////////////
////////////// ANWEISUNG
///////////////////////////////////////////////////////
instance Dia_Dog_ANWEISUNG (C_INFO)
{
npc = Dog;
nr =900;
condition = Dia_Dog_ANWEISUNG_condition;
information = Dia_Dog_ANWEISUNG_info;
important = FALSE;
permanent = TRUE;
Description = "Anweisungen";
};
instance Dia_Dog_ow_ANWEISUNG (C_INFO)
{
npc = Dog_ow;
nr =900;
condition = Dia_Dog_ANWEISUNG_condition;
information = Dia_Dog_ANWEISUNG_info;
important = FALSE;
permanent = TRUE;
Description = "Anweisungen";
};
instance Dia_Dog_di_ANWEISUNG (C_INFO)
{
npc = Dog_di;
nr =900;
condition = Dia_Dog_ANWEISUNG_condition;
information = Dia_Dog_ANWEISUNG_info;
important = FALSE;
permanent = TRUE;
Description = "Anweisungen";
};
instance Dia_Dog_addon_ANWEISUNG (C_INFO)
{
npc = Dog_addon;
nr =900;
condition = Dia_Dog_ANWEISUNG_condition;
information = Dia_Dog_ANWEISUNG_info;
important = FALSE;
permanent = TRUE;
Description = "Anweisungen";
};
func int Dia_Dog_ANWEISUNG_condition ()
{
IF (dogmenu==0)
{
return TRUE;
};
};
func void Dia_Dog_ANWEISUNG_info ()
{
dogmenu=2;
};
////////////////////////////////////////////////////////////
////////////// STAY
///////////////////////////////////////////////////////
instance Dia_Dog_STAY (C_INFO)
{
npc = Dog;
nr =500;
condition = Dia_Dog_STAY_condition;
information = Dia_Dog_STAY_info;
important = FALSE;
permanent = TRUE;
Description = "Bleib hier!";
};
instance Dia_Dog_ow_STAY (C_INFO)
{
npc = Dog_ow;
nr =500;
condition = Dia_Dog_STAY_condition;
information = Dia_Dog_STAY_info;
important = FALSE;
permanent = TRUE;
Description = "Bleib hier!";
};
instance Dia_Dog_di_STAY (C_INFO)
{
npc = Dog_di;
nr =500;
condition = Dia_Dog_STAY_condition;
information = Dia_Dog_STAY_info;
important = FALSE;
permanent = TRUE;
Description = "Bleib hier!";
};
instance Dia_Dog_addon_STAY (C_INFO)
{
npc = Dog_addon;
nr =500;
condition = Dia_Dog_STAY_condition;
information = Dia_Dog_STAY_info;
important = FALSE;
permanent = TRUE;
Description = "Bleib hier!";
};
func int Dia_Dog_STAY_condition ()
{
IF (dogmenu==2)
&& (dog_follow==TRUE)
{
return TRUE;
};
};
func void Dia_Dog_STAY_info ()
{
AI_Output (other,self,"Dia_Dog_STAY_00"); //Bleib hier!
dog_follow=FALSE;
dogsay (self, other);
};
instance Dia_Dog_a_back (C_INFO)
{
npc = Dog;
nr =1018;
condition = Dia_Dog_a_back_condition;
information = Dia_Dog_a_back_info;
important = FALSE;
permanent = TRUE;
Description = "Zurück";
};
instance Dia_Dog_ow_a_back (C_INFO)
{
npc = Dog_ow;
nr =1018;
condition = Dia_Dog_a_back_condition;
information = Dia_Dog_a_back_info;
important = FALSE;
permanent = TRUE;
Description = "Zurück";
};
instance Dia_Dog_di_a_back (C_INFO)
{
npc = Dog_di;
nr =1018;
condition = Dia_Dog_a_back_condition;
information = Dia_Dog_a_back_info;
important = FALSE;
permanent = TRUE;
Description = "Zurück";
};
instance Dia_Dog_addon_a_back (C_INFO)
{
npc = Dog_addon;
nr =1018;
condition = Dia_Dog_a_back_condition;
information = Dia_Dog_a_back_info;
important = FALSE;
permanent = TRUE;
Description = "Zurück";
};
func int Dia_Dog_a_back_condition ()
{
IF (dogmenu==2)
{
return TRUE;
};
};
func void Dia_Dog_a_back_info ()
{
Dogmenu=0;
};
////////////////////////////////////////////////////////////
////////////// COME
///////////////////////////////////////////////////////
instance Dia_Dog_COME (C_INFO)
{
npc = Dog;
nr =501;
condition = Dia_Dog_COME_condition;
information = Dia_Dog_COME_info;
important = FALSE;
permanent = TRUE;
Description = "Komm mit!";
};
instance Dia_Dog_ow_COME (C_INFO)
{
npc = Dog_ow;
nr =501;
condition = Dia_Dog_COME_condition;
information = Dia_Dog_COME_info;
important = FALSE;
permanent = TRUE;
Description = "Komm mit!";
};
instance Dia_Dog_di_COME (C_INFO)
{
npc = Dog_di;
nr =501;
condition = Dia_Dog_COME_condition;
information = Dia_Dog_COME_info;
important = FALSE;
permanent = TRUE;
Description = "Komm mit!";
};
instance Dia_Dog_addon_COME (C_INFO)
{
npc = Dog_addon;
nr =501;
condition = Dia_Dog_COME_condition;
information = Dia_Dog_COME_info;
important = FALSE;
permanent = TRUE;
Description = "Komm mit!";
};
func int Dia_Dog_COME_condition ()
{
IF (dogmenu==2)
&& (DOG_FOLLOW==FALSE)
{
return TRUE;
};
};
func void Dia_Dog_COME_info ()
{
AI_Output (other,self,"Dia_Dog_COME_00"); //Komm mit!
DOG_FOLLOW=TRUE;
dogsay (self, other);
};
////////////////////////////////////////////////////////////
////////////// Passiv
///////////////////////////////////////////////////////
instance Dia_dog_Passiv (C_INFO)
{
npc = dog;
nr =502;
condition = Dia_dog_Passiv_condition;
information = Dia_dog_Passiv_info;
important = FALSE;
permanent = TRUE;
Description = "Verhalte dich Passiv!";
};
instance Dia_dog_ow_Passiv (C_INFO)
{
npc = dog_ow;
nr =502;
condition = Dia_dog_Passiv_condition;
information = Dia_dog_Passiv_info;
important = FALSE;
permanent = TRUE;
Description = "Verhalte dich Passiv!";
};
instance Dia_dog_di_Passiv (C_INFO)
{
npc = dog_di;
nr =502;
condition = Dia_dog_Passiv_condition;
information = Dia_dog_Passiv_info;
important = FALSE;
permanent = TRUE;
Description = "Verhalte dich Passiv!";
};
instance Dia_dog_addon_Passiv (C_INFO)
{
npc = dog_addon;
nr =502;
condition = Dia_dog_Passiv_condition;
information = Dia_dog_Passiv_info;
important = FALSE;
permanent = TRUE;
Description = "Verhalte dich Passiv!";
};
func int Dia_dog_Passiv_condition ()
{
IF (dogmenu == 2)
&&(D_CAN_PASS==TRUE)
{
return TRUE;
};
};
func void Dia_dog_Passiv_info ()
{
AI_Output (other,self,"Dia_dog_Passiv_00"); //Verhalte dich Passiv!
D_PASS =TRUE;
D_ABL = FALSE;
dogsay (self, other);
};
////////////////////////////////////////////////////////////
////////////// normal
///////////////////////////////////////////////////////
instance Dia_dog_normal (C_INFO)
{
npc = dog;
nr =503;
condition = Dia_dog_normal_condition;
information = Dia_dog_normal_info;
important = FALSE;
permanent = TRUE;
Description = "Verhalte dich normal!";
};
instance Dia_dog_ow_normal (C_INFO)
{
npc = dog_ow;
nr =503;
condition = Dia_dog_normal_condition;
information = Dia_dog_normal_info;
important = FALSE;
permanent = TRUE;
Description = "Verhalte dich normal!";
};
instance Dia_dog_di_normal (C_INFO)
{
npc = dog_di;
nr =503;
condition = Dia_dog_normal_condition;
information = Dia_dog_normal_info;
important = FALSE;
permanent = TRUE;
Description = "Verhalte dich normal!";
};
instance Dia_dog_addon_normal (C_INFO)
{
npc = dog_addon;
nr =503;
condition = Dia_dog_normal_condition;
information = Dia_dog_normal_info;
important = FALSE;
permanent = TRUE;
Description = "Verhalte dich normal!";
};
func int Dia_dog_normal_condition ()
{
IF (dogmenu == 2)
&&((D_CAN_PASS ==TRUE )||(D_CAN_AGGRO ==TRUE)||(D_CAN_DEF ==TRUE)||(D_CAN_ABL==TRUE)||(d_noatt==TRUE))
{
return TRUE;
};
};
func void Dia_dog_normal_info ()
{
AI_Output (other,self,"Dia_dog_normal_00"); //Verhalte dich normal!
D_ABL = FALSE;
F_AGGRO =FALSE;
F_DEF =FALSE;
D_PASS=FALSE;
D_sucher =0;
D_goestoitm=FALSE;
B_InitMonsterAttitudes();
dogsay (self, other);
};
////////////////////////////////////////////////////////////
////////////// Ziel
///////////////////////////////////////////////////////
instance Dia_dog_Ziel (C_INFO)
{
npc = dog;
nr =504;
condition = Dia_dog_Ziel_condition;
information = Dia_dog_Ziel_info;
important = FALSE;
permanent = TRUE;
Description = "Greife nur an, wenn ich angreife!";
};
instance Dia_dog_ow_Ziel (C_INFO)
{
npc = dog_ow;
nr =504;
condition = Dia_dog_Ziel_condition;
information = Dia_dog_Ziel_info;
important = FALSE;
permanent = TRUE;
Description = "Greife nur an, wenn ich angreife!";
};
instance Dia_dog_di_Ziel (C_INFO)
{
npc = dog_di;
nr =504;
condition = Dia_dog_Ziel_condition;
information = Dia_dog_Ziel_info;
important = FALSE;
permanent = TRUE;
Description = "Greife nur an, wenn ich angreife!";
};
instance Dia_dog_addon_Ziel (C_INFO)
{
npc = dog_addon;
nr =504;
condition = Dia_dog_Ziel_condition;
information = Dia_dog_Ziel_info;
important = FALSE;
permanent = TRUE;
Description = "Greife nur an, wenn ich angreife!";
};
func int Dia_dog_Ziel_condition ()
{
IF (dogmenu == 2)
&& (d_noatt ==TRUE)
{
return TRUE;
};
};
func void Dia_dog_Ziel_info ()
{
AI_Output (other,self,"Dia_dog_Ziel_00"); //Greife nur an, wenn ich angreife!
dogsay (self, other);
D_ABL = FALSE;
d_sucher =0;
D_PASS=FALSE;
D_goestoitm=FALSE;
B_set_dog_att();
};
////////////////////////////////////////////////////////////
////////////// aggressiv
///////////////////////////////////////////////////////
instance Dia_dog_aggressiv (C_INFO)
{
npc = dog;
nr =505;
condition = Dia_dog_aggressiv_condition;
information = Dia_dog_aggressiv_info;
important = FALSE;
permanent = TRUE;
Description = "Kämpfe aggressiv!";
};
instance Dia_dog_ow_aggressiv (C_INFO)
{
npc = dog_ow;
nr =505;
condition = Dia_dog_aggressiv_condition;
information = Dia_dog_aggressiv_info;
important = FALSE;
permanent = TRUE;
Description = "Kämpfe aggressiv!";
};
instance Dia_dog_addon_aggressiv (C_INFO)
{
npc = dog_addon;
nr =505;
condition = Dia_dog_aggressiv_condition;
information = Dia_dog_aggressiv_info;
important = FALSE;
permanent = TRUE;
Description = "Kämpfe aggressiv!";
};
instance Dia_dog_di_aggressiv (C_INFO)
{
npc = dog_di;
nr =505;
condition = Dia_dog_aggressiv_condition;
information = Dia_dog_aggressiv_info;
important = FALSE;
permanent = TRUE;
Description = "Kämpfe aggressiv!";
};
func int Dia_dog_aggressiv_condition ()
{
IF (dogmenu == 2)
&&(D_CAN_AGGRO ==TRUE)
{
return TRUE;
};
};
func void Dia_dog_aggressiv_info ()
{
AI_Output (other,self,"Dia_dog_aggressiv_00"); //Kämpfe aggressiv!
//D_ABL = FALSE;
F_AGGRO = TRUE;
F_DEF =FALSE;
dogsay (self, other);
};
////////////////////////////////////////////////////////////
////////////// Defensiv
///////////////////////////////////////////////////////
instance Dia_dog_Defensiv (C_INFO)
{
npc = dog;
nr =506;
condition = Dia_dog_Defensiv_condition;
information = Dia_dog_Defensiv_info;
important = FALSE;
permanent = TRUE;
Description = "Kämpfe defensiv!";
};
instance Dia_dog_ow_Defensiv (C_INFO)
{
npc = dog_ow;
nr =506;
condition = Dia_dog_Defensiv_condition;
information = Dia_dog_Defensiv_info;
important = FALSE;
permanent = TRUE;
Description = "Kämpfe defensiv!";
};
instance Dia_dog_di_Defensiv (C_INFO)
{
npc = dog_di;
nr =506;
condition = Dia_dog_Defensiv_condition;
information = Dia_dog_Defensiv_info;
important = FALSE;
permanent = TRUE;
Description = "Kämpfe defensiv!";
};
instance Dia_dog_addon_Defensiv (C_INFO)
{
npc = dog_addon;
nr =506;
condition = Dia_dog_Defensiv_condition;
information = Dia_dog_Defensiv_info;
important = FALSE;
permanent = TRUE;
Description = "Kämpfe defensiv!";
};
func int Dia_dog_Defensiv_condition ()
{
IF (dogmenu == 2)
&&(D_CAN_DEF==TRUE)
{
return TRUE;
};
};
func void Dia_dog_Defensiv_info ()
{
AI_Output (other,self,"Dia_dog_Defensiv_00"); //Kämpfe defensiv!
//D_ABL = FALSE;
F_AGGRO=FALSE;
F_DEF =TRUE;
dogsay (self, other);
};
////////////////////////////////////////////////////////////
////////////// ablenkung
///////////////////////////////////////////////////////
instance Dia_dog_ablenkung (C_INFO)
{
npc = dog;
nr =508;
condition = Dia_dog_ablenkung_condition;
information = Dia_dog_ablenkung_info;
important = FALSE;
permanent = TRUE;
Description = "Lenke den Gegner ab!";
};
instance Dia_dog_ow_ablenkung (C_INFO)
{
npc = dog_ow;
nr =508;
condition = Dia_dog_ablenkung_condition;
information = Dia_dog_ablenkung_info;
important = FALSE;
permanent = TRUE;
Description = "Lenke den Gegner ab!";
};
instance Dia_dog_di_ablenkung (C_INFO)
{
npc = dog_di;
nr =508;
condition = Dia_dog_ablenkung_condition;
information = Dia_dog_ablenkung_info;
important = FALSE;
permanent = TRUE;
Description = "Lenke den Gegner ab!";
};
instance Dia_dog_addon_ablenkung (C_INFO)
{
npc = dog_addon;
nr =508;
condition = Dia_dog_ablenkung_condition;
information = Dia_dog_ablenkung_info;
important = FALSE;
permanent = TRUE;
Description = "Lenke den Gegner ab!";
};
func int Dia_dog_ablenkung_condition ()
{
IF (dogmenu == 2)
&& (D_CAN_ABL ==TRUE)
{
return TRUE;
};
};
func void Dia_dog_ablenkung_info ()
{
AI_Output (other,self,"Dia_dog_ablenkung_00"); //Lenke den Gegner ab!
D_ABL = TRUE;
//F_AGGRO=FALSE;
D_PASS=FALSE;
// F_DEF = FALSE;
dogsay (self, other);
};
////////////////////////////////////////////////////////////
////////////// ANW_SUCH
///////////////////////////////////////////////////////
instance Dia_dog_ANW_SUCH (C_INFO)
{
npc = dog;
nr =605;
condition = Dia_dog_ANW_SUCH_condition;
information = Dia_dog_ANW_SUCH_info;
important = FALSE;
permanent = TRUE;
Description = "Such mir etwas";
};
instance Dia_dog_ow_ANW_SUCH (C_INFO)
{
npc = dog_ow;
nr =605;
condition = Dia_dog_ANW_SUCH_condition;
information = Dia_dog_ANW_SUCH_info;
important = FALSE;
permanent = TRUE;
Description = "Such mir etwas";
};
instance Dia_dog_di_ANW_SUCH (C_INFO)
{
npc = dog_di;
nr =605;
condition = Dia_dog_ANW_SUCH_condition;
information = Dia_dog_ANW_SUCH_info;
important = FALSE;
permanent = TRUE;
Description = "Such mir etwas";
};
instance Dia_dog_addon_ANW_SUCH (C_INFO)
{
npc = dog_addon;
nr =605;
condition = Dia_dog_ANW_SUCH_condition;
information = Dia_dog_ANW_SUCH_info;
important = FALSE;
permanent = TRUE;
Description = "Such mir etwas";
};
func int Dia_dog_ANW_SUCH_condition ()
{
IF (Dogmenu == 2)
&& (D_CAN_such ==TRUE)
{
return TRUE;
};
};
func void Dia_dog_ANW_SUCH_info ()
{
AI_Output (other,self,"DIA_Addon_WispDetector_DetectItems_15_00"); //Such mir etwas
Info_ClearChoices (Dia_dog_ANW_SUCH); Info_AddChoice(Dia_dog_ANW_SUCH, "Zurück" , Dia_dog_ANW_SUCH_Back );
if D_sucher >=1 { Info_AddChoice (Dia_dog_ANW_SUCH, "Hör auf zu suchen" , Dia_dog_ANW_SUCH_stop ); };
Info_AddChoice (Dia_dog_ANW_SUCH, "Ich brauche Nahkampfwaffen" , Dia_dog_ANW_SUCH_2 );
Info_AddChoice (Dia_dog_ANW_SUCH, "Ich brauche Fernkampfwaffen und Munition" , Dia_dog_ANW_SUCH_3 );
Info_AddChoice (Dia_dog_ANW_SUCH, "Ich brauche Gold, Schlüssel und Gebrauchsgegenstände" , Dia_dog_ANW_SUCH_4 );
Info_AddChoice (Dia_dog_ANW_SUCH, "Ich brauche Runen und Schriftrollen" , Dia_dog_ANW_SUCH_5 );
Info_AddChoice (Dia_dog_ANW_SUCH, "Ich brauche Ringe und Amulette" , Dia_dog_ANW_SUCH_6 );
Info_AddChoice (Dia_dog_ANW_SUCH, "Ich brauche Nahrung und Planzen" , Dia_dog_ANW_SUCH_7 );
Info_AddChoice (Dia_dog_ANW_SUCH, "Ich brauche Tränke aller Art" , Dia_dog_ANW_SUCH_8 );
Info_AddChoice (Dia_dog_ANW_SUCH, "Suche alles was du finden kannst" , Dia_dog_ANW_SUCH_1 ); };
func void Dia_dog_ANW_SUCH_Back()
{
Info_ClearChoices(Dia_dog_ANW_SUCH);
};
func void Dia_dog_ANW_SUCH_stop()
{
AI_Output (other,self,"Dia_dog_ANW_SUCH_01"); //Hör auf zu suchen!
D_Sucher=0;
D_goestoitm=FALSE;
Info_ClearChoices(Dia_dog_ANW_SUCH);
};
func void Dia_dog_ANW_SUCH_2()
{
AI_Output (other,self,"Dia_dog_ANW_SUCH_02"); //Ich brauche Nahkampfwaffen!
D_Sucher=2;
Info_ClearChoices(Dia_dog_ANW_SUCH);
};
func void Dia_dog_ANW_SUCH_3()
{
AI_Output (other,self,"Dia_dog_ANW_SUCH_03"); //Ich brauche Fernkampfwaffen und Munition!
D_Sucher=3;
Info_ClearChoices(Dia_dog_ANW_SUCH);
};
func void Dia_dog_ANW_SUCH_4()
{
AI_Output (other,self,"Dia_dog_ANW_SUCH_04"); //Ich brauche Gold, Schlüssel und Gebrauchsgegenstände!
D_Sucher=4;
Info_ClearChoices(Dia_dog_ANW_SUCH);
};
func void Dia_dog_ANW_SUCH_5()
{
AI_Output (other,self,"Dia_dog_ANW_SUCH_05"); //Ich brauche Runen und Schriftrollen!
D_Sucher=5;
Info_ClearChoices(Dia_dog_ANW_SUCH);
};
func void Dia_dog_ANW_SUCH_6()
{
AI_Output (other,self,"Dia_dog_ANW_SUCH_06"); //Ich brauche Ringe und Amulette!
D_Sucher=6;
Info_ClearChoices(Dia_dog_ANW_SUCH);
};
func void Dia_dog_ANW_SUCH_7()
{
AI_Output (other,self,"Dia_dog_ANW_SUCH_07"); //Ich brauche Nahrung und Planzen!
D_Sucher=7;
Info_ClearChoices(Dia_dog_ANW_SUCH);
};
func void Dia_dog_ANW_SUCH_8()
{
AI_Output (other,self,"Dia_dog_ANW_SUCH_08"); //Ich brauche Tränke aller Art!
D_Sucher=8;
Info_ClearChoices(Dia_dog_ANW_SUCH);
};
func void Dia_dog_ANW_SUCH_1()
{
AI_Output (other,self,"Dia_dog_ANW_SUCH_09"); //Suche alles was du finden kannst!
D_Sucher=1;
Info_ClearChoices(Dia_dog_ANW_SUCH);
};
////////////////////////////////////////////////////////////
////////////// Trainieren
///////////////////////////////////////////////////////
instance Dia_Dog_Trainieren (C_INFO)
{
npc = Dog;
nr =992;
condition = Dia_Dog_Trainieren_condition;
information = Dia_Dog_Trainieren_info;
important = FALSE;
permanent = TRUE;
Description = "Trainieren";
};
instance Dia_Dog_ow_Trainieren (C_INFO)
{
npc = Dog_ow;
nr =992;
condition = Dia_Dog_Trainieren_condition;
information = Dia_Dog_Trainieren_info;
important = FALSE;
permanent = TRUE;
Description = "Trainieren";
};
instance Dia_Dog_di_Trainieren (C_INFO)
{
npc = Dog_di;
nr =992;
condition = Dia_Dog_Trainieren_condition;
information = Dia_Dog_Trainieren_info;
important = FALSE;
permanent = TRUE;
Description = "Trainieren";
};
instance Dia_Dog_addon_Trainieren (C_INFO)
{
npc = Dog_addon;
nr =992;
condition = Dia_Dog_Trainieren_condition;
information = Dia_Dog_Trainieren_info;
important = FALSE;
permanent = TRUE;
Description = "Trainieren";
};
func int Dia_Dog_Trainieren_condition ()
{
IF (dogmenu==0)
{
return TRUE;
};
};
func void Dia_Dog_Trainieren_info ()
{
dogmenu=3;
};
instance Dia_Dog_t_back (C_INFO)
{
npc = Dog;
nr =1019;
condition = Dia_Dog_t_back_condition;
information = Dia_Dog_t_back_info;
important = FALSE;
permanent = TRUE;
Description = "Zurück";
};
instance Dia_Dog_ow_t_back (C_INFO)
{
npc = Dog_ow;
nr =1019;
condition = Dia_Dog_t_back_condition;
information = Dia_Dog_t_back_info;
important = FALSE;
permanent = TRUE;
Description = "Zurück";
};
instance Dia_Dog_addon_t_back (C_INFO)
{
npc = Dog_addon;
nr =1019;
condition = Dia_Dog_t_back_condition;
information = Dia_Dog_t_back_info;
important = FALSE;
permanent = TRUE;
Description = "Zurück";
};
instance Dia_Dog_di_t_back (C_INFO)
{
npc = Dog_di;
nr =1019;
condition = Dia_Dog_t_back_condition;
information = Dia_Dog_t_back_info;
important = FALSE;
permanent = TRUE;
Description = "Zurück";
};
func int Dia_Dog_t_back_condition ()
{
IF (dogmenu==3)
{
return TRUE;
};
};
func void Dia_Dog_t_back_info ()
{
Dogmenu=0;
};
////////////////////////////////////////////////////////////
////////////// SRT
///////////////////////////////////////////////////////
instance Dia_Dog_SRT (C_INFO)
{
npc = Dog;
nr =990;
condition = Dia_Dog_SRT_condition;
information = Dia_Dog_SRT_info;
important = FALSE;
permanent = TRUE;
Description = "Stärke";
};
instance Dia_Dog_ow_SRT (C_INFO)
{
npc = Dog_ow;
nr =990;
condition = Dia_Dog_SRT_condition;
information = Dia_Dog_ow_SRT_info;
important = FALSE;
permanent = TRUE;
Description = "Stärke";
};
instance Dia_Dog_di_SRT (C_INFO)
{
npc = Dog_di;
nr =990;
condition = Dia_Dog_SRT_condition;
information = Dia_Dog_di_SRT_info;
important = FALSE;
permanent = TRUE;
Description = "Stärke";
};
instance Dia_Dog_addon_SRT (C_INFO)
{
npc = Dog_addon;
nr =990;
condition = Dia_Dog_SRT_condition;
information = Dia_Dog_addon_SRT_info;
important = FALSE;
permanent = TRUE;
Description = "Stärke";
};
func int Dia_Dog_SRT_condition ()
{
IF (dogmenu==3)
{
return TRUE;
};
};
func void Dia_Dog_SRT_info ()
{
Info_ClearChoices (Dia_Dog_SRT);
Info_AddChoice (Dia_Dog_SRT, DIALOG_BACK,Dia_Dog_SRT_Back);
Info_AddChoice (Dia_Dog_SRT,"Stärke + 1 (1-3 LP)" ,Dia_Dog_SRT_1);
Info_AddChoice (Dia_Dog_SRT,"Stärke + 5 (5-15 LP)" ,Dia_Dog_SRT_5);
};
func void Dia_Dog_SRT_Back ()
{
Info_ClearChoices (Dia_Dog_SRT);
};
func void Dia_Dog_SRT_1 ()
{
if (D_LP>= GET_DOG_COST(self))
{
D_LP = D_LP - GET_DOG_COST(self);
self.attribute[ATR_STRENGTH] = self.attribute[ATR_STRENGTH]+1;
D_STR = D_STR + 1;
PrintScreen ("Draco ist stärker geworden!!", -1, -1, FONT_SCREEN, 2);
}
else
{
PrintScreen ("Nicht genug Lernpunkte!", -1, -1, FONT_SCREEN, 2);
};
Info_ClearChoices (Dia_Dog_SRT);
Info_AddChoice (Dia_Dog_SRT, DIALOG_BACK,Dia_Dog_SRT_Back);
Info_AddChoice (Dia_Dog_SRT,"Stärke + 1 (1-3 LP)" ,Dia_Dog_SRT_1);
Info_AddChoice (Dia_Dog_SRT,"Stärke + 5 (5-15 LP)" ,Dia_Dog_SRT_5);
};
func void Dia_Dog_SRT_5 ()
{
if (D_LP>= (GET_DOG_COST(self)*5))
{
D_LP = D_LP - (GET_DOG_COST(self)*5);
self.attribute[ATR_STRENGTH] = self.attribute[ATR_STRENGTH]+ 5;
D_STR = D_STR + 5;
PrintScreen ("Draco ist stärker geworden!!", -1, -1, FONT_SCREEN, 2);
}
else
{
PrintScreen ("Nicht genug Lernpunkte!", -1, -1, FONT_SCREEN, 2);
};
Info_ClearChoices (Dia_Dog_SRT);
Info_AddChoice (Dia_Dog_SRT, DIALOG_BACK,Dia_Dog_SRT_Back);
Info_AddChoice (Dia_Dog_SRT,"Stärke + 1 (1-3 LP)" ,Dia_Dog_SRT_1);
Info_AddChoice (Dia_Dog_SRT,"Stärke + 5 (5-15 LP)" ,Dia_Dog_SRT_5);
};
func void Dia_Dog_ow_SRT_info ()
{
Info_ClearChoices (Dia_Dog_ow_SRT);
Info_AddChoice (Dia_Dog_ow_SRT, DIALOG_BACK,Dia_Dog_ow_SRT_Back);
Info_AddChoice (Dia_Dog_ow_SRT,"Stärke + 1 (1-3 LP)" ,Dia_Dog_ow_SRT_1);
Info_AddChoice (Dia_Dog_ow_SRT,"Stärke + 5 (5-15 LP)" ,Dia_Dog_ow_SRT_5);
};
func void Dia_Dog_ow_SRT_Back ()
{
Info_ClearChoices (Dia_Dog_ow_SRT);
};
func void Dia_Dog_ow_SRT_1 ()
{
if (D_LP>= GET_DOG_COST(self))
{
D_LP = D_LP - GET_DOG_COST(self);
self.attribute[ATR_STRENGTH] = self.attribute[ATR_STRENGTH]+1;
D_STR = D_STR + 1;
PrintScreen ("Draco ist stärker geworden!!", -1, -1, FONT_SCREEN, 2);
}
else
{
PrintScreen ("Nicht genug Lernpunkte!", -1, -1, FONT_SCREEN, 2);
};
Info_ClearChoices (Dia_Dog_ow_SRT);
Info_AddChoice (Dia_Dog_ow_SRT, DIALOG_BACK,Dia_Dog_ow_SRT_Back);
Info_AddChoice (Dia_Dog_ow_SRT,"Stärke + 1 (1-3 LP)" ,Dia_Dog_ow_SRT_1);
Info_AddChoice (Dia_Dog_ow_SRT,"Stärke + 5 (5-15 LP)" ,Dia_Dog_ow_SRT_5);
};
func void Dia_Dog_ow_SRT_5 ()
{
if (D_LP>= (GET_DOG_COST(self)*5))
{
D_LP = D_LP - (GET_DOG_COST(self)*5);
self.attribute[ATR_STRENGTH] = self.attribute[ATR_STRENGTH]+ 5;
D_STR = D_STR + 5;
PrintScreen ("Draco ist stärker geworden!!", -1, -1, FONT_SCREEN, 2);
}
else
{
PrintScreen ("Nicht genug Lernpunkte!", -1, -1, FONT_SCREEN, 2);
};
Info_ClearChoices (Dia_Dog_ow_SRT);
Info_AddChoice (Dia_Dog_ow_SRT, DIALOG_BACK,Dia_Dog_ow_SRT_Back);
Info_AddChoice (Dia_Dog_ow_SRT,"Stärke + 1 (1-3 LP)" ,Dia_Dog_ow_SRT_1);
Info_AddChoice (Dia_Dog_ow_SRT,"Stärke + 5 (5-15 LP)" ,Dia_Dog_ow_SRT_5);
};
func void Dia_Dog_di_SRT_info ()
{
Info_ClearChoices (Dia_Dog_di_SRT);
Info_AddChoice (Dia_Dog_di_SRT, DIALOG_BACK,Dia_Dog_di_SRT_Back);
Info_AddChoice (Dia_Dog_di_SRT,"Stärke + 1 (1-3 LP" ,Dia_Dog_di_SRT_1);
Info_AddChoice (Dia_Dog_di_SRT,"Stärke + 5 (5-15 LP)" ,Dia_Dog_di_SRT_5);
};
func void Dia_Dog_di_SRT_Back ()
{
Info_ClearChoices (Dia_Dog_di_SRT);
};
func void Dia_Dog_di_SRT_1 ()
{
if (D_LP>= GET_DOG_COST(self))
{
D_LP = D_LP - GET_DOG_COST(self);
self.attribute[ATR_STRENGTH] = self.attribute[ATR_STRENGTH]+1;
D_STR = D_STR + 1;
PrintScreen ("Draco ist stärker geworden!!", -1, -1, FONT_SCREEN, 2);
}
else
{
PrintScreen ("Nicht genug Lernpunkte!", -1, -1, FONT_SCREEN, 2);
};
Info_ClearChoices (Dia_Dog_di_SRT);
Info_AddChoice (Dia_Dog_di_SRT, DIALOG_BACK,Dia_Dog_di_SRT_Back);
Info_AddChoice (Dia_Dog_di_SRT,"Stärke + 1 (1-3 LP)" ,Dia_Dog_di_SRT_1);
Info_AddChoice (Dia_Dog_di_SRT,"Stärke + 5 (5-15 LP)" ,Dia_Dog_di_SRT_5);
};
func void Dia_Dog_di_SRT_5 ()
{
if (D_LP>= (GET_DOG_COST(self)*5))
{
D_LP = D_LP - (GET_DOG_COST(self)*5);
self.attribute[ATR_STRENGTH] = self.attribute[ATR_STRENGTH]+ 5;
D_STR = D_STR + 5;
PrintScreen ("Draco ist stärker geworden!!", -1, -1, FONT_SCREEN, 2);
}
else
{
PrintScreen ("Nicht genug Lernpunkte!", -1, -1, FONT_SCREEN, 2);
};
Info_ClearChoices (Dia_Dog_di_SRT);
Info_AddChoice (Dia_Dog_di_SRT, DIALOG_BACK,Dia_Dog_di_SRT_Back);
Info_AddChoice (Dia_Dog_di_SRT,"Stärke + 1 (1-3 LP)" ,Dia_Dog_di_SRT_1);
Info_AddChoice (Dia_Dog_di_SRT,"Stärke + 5 (5-15 LP)" ,Dia_Dog_di_SRT_5);
};
func void Dia_Dog_addon_SRT_info ()
{
Info_ClearChoices (Dia_Dog_addon_SRT);
Info_AddChoice (Dia_Dog_addon_SRT, DIALOG_BACK,Dia_Dog_addon_SRT_Back);
Info_AddChoice (Dia_Dog_addon_SRT,"Stärke + 1 (1-3 LP)" ,Dia_Dog_addon_SRT_1);
Info_AddChoice (Dia_Dog_addon_SRT,"Stärke + 5 (5-15 LP)" ,Dia_Dog_addon_SRT_5);
};
func void Dia_Dog_addon_SRT_Back ()
{
Info_ClearChoices (Dia_Dog_addon_SRT);
};
func void Dia_Dog_addon_SRT_1 ()
{
if (D_LP>= GET_DOG_COST(self))
{
D_LP = D_LP - GET_DOG_COST(self);
self.attribute[ATR_STRENGTH] = self.attribute[ATR_STRENGTH]+1;
D_STR = D_STR + 1;
PrintScreen ("Draco ist stärker geworden!!", -1, -1, FONT_SCREEN, 2);
}
else
{
PrintScreen ("Nicht genug Lernpunkte!", -1, -1, FONT_SCREEN, 2);
};
Info_ClearChoices (Dia_Dog_addon_SRT);
Info_AddChoice (Dia_Dog_addon_SRT, DIALOG_BACK,Dia_Dog_addon_SRT_Back);
Info_AddChoice (Dia_Dog_addon_SRT,"Stärke + 1 (1-3 LP)" ,Dia_Dog_addon_SRT_1);
Info_AddChoice (Dia_Dog_addon_SRT,"Stärke + 5 (5-15 LP)" ,Dia_Dog_addon_SRT_5);
};
func void Dia_Dog_addon_SRT_5 ()
{
if (D_LP>= (GET_DOG_COST(self)*5))
{
D_LP = D_LP - (GET_DOG_COST(self)*5);
self.attribute[ATR_STRENGTH] = self.attribute[ATR_STRENGTH]+ 5;
D_STR = D_STR + 5;
PrintScreen ("Draco ist stärker geworden!!", -1, -1, FONT_SCREEN, 2);
}
else
{
PrintScreen ("Nicht genug Lernpunkte!", -1, -1, FONT_SCREEN, 2);
};
Info_ClearChoices (Dia_Dog_addon_SRT);
Info_AddChoice (Dia_Dog_addon_SRT, DIALOG_BACK,Dia_Dog_addon_SRT_Back);
Info_AddChoice (Dia_Dog_addon_SRT,"Stärke + 1 (1-3 LP)" ,Dia_Dog_addon_SRT_1);
Info_AddChoice (Dia_Dog_addon_SRT,"Stärke + 5 (5-15 LP)" ,Dia_Dog_addon_SRT_5);
};
////////////////////////////////////////////////////////////
////////////// HP
///////////////////////////////////////////////////////
instance Dia_Dog_HP (C_INFO)
{
npc = Dog;
nr =990;
condition = Dia_Dog_HP_condition;
information = Dia_Dog_HP_info;
important = FALSE;
permanent = TRUE;
Description = "Lebensenergie";
};
instance Dia_Dog_ow_HP (C_INFO)
{
npc = Dog_ow;
nr =990;
condition = Dia_Dog_HP_condition;
information = Dia_Dog_ow_HP_info;
important = FALSE;
permanent = TRUE;
Description = "Lebensenergie";
};
instance Dia_Dog_di_HP (C_INFO)
{
npc = Dog_di;
nr =990;
condition = Dia_Dog_HP_condition;
information = Dia_Dog_di_HP_info;
important = FALSE;
permanent = TRUE;
Description = "Lebensenergie";
};
instance Dia_Dog_addon_HP (C_INFO)
{
npc = Dog_addon;
nr =990;
condition = Dia_Dog_HP_condition;
information = Dia_Dog_addon_HP_info;
important = FALSE;
permanent = TRUE;
Description = "Lebensenergie";
};
func int Dia_Dog_HP_condition ()
{
IF (dogmenu==3)
{
return TRUE;
};
};
func void Dia_Dog_HP_info ()
{
Info_ClearChoices (Dia_Dog_HP);
Info_AddChoice (Dia_Dog_HP, DIALOG_BACK,Dia_Dog_HP_Back);
Info_AddChoice (Dia_Dog_HP,"Lebensenergie + 4" ,Dia_Dog_HP_1);
Info_AddChoice (Dia_Dog_HP,"Lebensenergie + 20" ,Dia_Dog_HP_5);
};
func void Dia_Dog_HP_Back ()
{
Info_ClearChoices (Dia_Dog_HP);
};
func void Dia_Dog_HP_1 ()
{
if (D_LP>= 1)
{
D_LP = D_LP - 1;
self.attribute[ATR_HITPOINTS_MAX] = self.attribute[ATR_HITPOINTS_MAX] + 4;
self.attribute[ATR_HITPOINTS] = self.attribute[ATR_HITPOINTS] + 4;
D_HP = D_HP + 4;
PrintScreen ("Draco hat nun mehr Lebenskraft!", -1, -1, FONT_SCREEN, 2);
}
else
{
PrintScreen ("Nicht genug Lernpunkte!", -1, -1, FONT_SCREEN, 2);
};
Info_ClearChoices (Dia_Dog_HP);
Info_AddChoice (Dia_Dog_HP, DIALOG_BACK,Dia_Dog_HP_Back);
Info_AddChoice (Dia_Dog_HP,"Lebensenergie + 4" ,Dia_Dog_HP_1);
Info_AddChoice (Dia_Dog_HP,"Lebensenergie + 20" ,Dia_Dog_HP_5);
};
func void Dia_Dog_HP_5 ()
{
if (D_LP>= 5)
{
D_LP = D_LP - 5;
self.attribute[ATR_HITPOINTS_MAX] = self.attribute[ATR_HITPOINTS_MAX] + 20;
self.attribute[ATR_HITPOINTS] = self.attribute[ATR_HITPOINTS] + 20;
D_HP = D_HP + 20;
PrintScreen ("Draco hat nun mehr Lebenskraft!", -1, -1, FONT_SCREEN, 2);
}
else
{
PrintScreen ("Nicht genug Lernpunkte!", -1, -1, FONT_SCREEN, 2);
};
Info_ClearChoices (Dia_Dog_HP);
Info_AddChoice (Dia_Dog_HP, DIALOG_BACK,Dia_Dog_HP_Back);
Info_AddChoice (Dia_Dog_HP,"Lebensenergie + 4" ,Dia_Dog_HP_1);
Info_AddChoice (Dia_Dog_HP,"Lebensenergie + 20" ,Dia_Dog_HP_5);
};
func void Dia_Dog_ow_HP_info ()
{
Info_ClearChoices (Dia_Dog_ow_HP);
Info_AddChoice (Dia_Dog_ow_HP, DIALOG_BACK,Dia_Dog_ow_HP_Back);
Info_AddChoice (Dia_Dog_ow_HP,"Lebensenergie + 4" ,Dia_Dog_ow_HP_1);
Info_AddChoice (Dia_Dog_ow_HP,"Lebensenergie + 20" ,Dia_Dog_ow_HP_5);
};
func void Dia_Dog_ow_HP_Back ()
{
Info_ClearChoices (Dia_Dog_ow_HP);
};
func void Dia_Dog_ow_HP_1 ()
{
if (D_LP>= 1)
{
D_LP = D_LP - 1;
self.attribute[ATR_HITPOINTS_MAX] = self.attribute[ATR_HITPOINTS_MAX] + 4;
self.attribute[ATR_HITPOINTS] = self.attribute[ATR_HITPOINTS] + 4;
D_HP = D_HP + 4;
PrintScreen ("Draco hat nun mehr Lebenskraft!", -1, -1, FONT_SCREEN, 2);
}
else
{
PrintScreen ("Nicht genug Lernpunkte!", -1, -1, FONT_SCREEN, 2);
};
Info_ClearChoices (Dia_Dog_ow_HP);
Info_AddChoice (Dia_Dog_ow_HP, DIALOG_BACK,Dia_Dog_ow_HP_Back);
Info_AddChoice (Dia_Dog_ow_HP,"Lebensenergie + 4" ,Dia_Dog_ow_HP_1);
Info_AddChoice (Dia_Dog_ow_HP,"Lebensenergie + 20" ,Dia_Dog_ow_HP_5);
};
func void Dia_Dog_ow_HP_5 ()
{
if (D_LP>= 5)
{
D_LP = D_LP - 5;
self.attribute[ATR_HITPOINTS_MAX] = self.attribute[ATR_HITPOINTS_MAX] + 20;
self.attribute[ATR_HITPOINTS] = self.attribute[ATR_HITPOINTS] + 20;
D_HP = D_HP + 20;
PrintScreen ("Draco hat nun mehr Lebenskraft!", -1, -1, FONT_SCREEN, 2);
}
else
{
PrintScreen ("Nicht genug Lernpunkte!", -1, -1, FONT_SCREEN, 2);
};
Info_ClearChoices (Dia_Dog_ow_HP);
Info_AddChoice (Dia_Dog_ow_HP, DIALOG_BACK,Dia_Dog_ow_HP_Back);
Info_AddChoice (Dia_Dog_ow_HP,"Lebensenergie + 4" ,Dia_Dog_ow_HP_1);
Info_AddChoice (Dia_Dog_ow_HP,"Lebensenergie + 20" ,Dia_Dog_ow_HP_5);
};
func void Dia_Dog_di_HP_info ()
{
Info_ClearChoices (Dia_Dog_di_HP);
Info_AddChoice (Dia_Dog_di_HP, DIALOG_BACK,Dia_Dog_di_HP_Back);
Info_AddChoice (Dia_Dog_di_HP,"Lebensenergie + 4" ,Dia_Dog_di_HP_1);
Info_AddChoice (Dia_Dog_di_HP,"Lebensenergie + 20" ,Dia_Dog_di_HP_5);
};
func void Dia_Dog_di_HP_Back ()
{
Info_ClearChoices (Dia_Dog_di_HP);
};
func void Dia_Dog_di_HP_1 ()
{
if (D_LP>= 1)
{
D_LP = D_LP - 1;
self.attribute[ATR_HITPOINTS_MAX] = self.attribute[ATR_HITPOINTS_MAX] + 4;
self.attribute[ATR_HITPOINTS] = self.attribute[ATR_HITPOINTS] + 4;
D_HP = D_HP + 4;
PrintScreen ("Draco hat nun mehr Lebenskraft!", -1, -1, FONT_SCREEN, 2);
}
else
{
PrintScreen ("Nicht genug Lernpunkte!", -1, -1, FONT_SCREEN, 2);
};
Info_ClearChoices (Dia_Dog_di_HP);
Info_AddChoice (Dia_Dog_di_HP, DIALOG_BACK,Dia_Dog_di_HP_Back);
Info_AddChoice (Dia_Dog_di_HP,"Lebensenergie + 4" ,Dia_Dog_di_HP_1);
Info_AddChoice (Dia_Dog_di_HP,"Lebensenergie + 20" ,Dia_Dog_di_HP_5);
};
func void Dia_Dog_di_HP_5 ()
{
if (D_LP>= 5)
{
D_LP = D_LP - 5;
self.attribute[ATR_HITPOINTS_MAX] = self.attribute[ATR_HITPOINTS_MAX] + 20;
self.attribute[ATR_HITPOINTS] = self.attribute[ATR_HITPOINTS] + 20;
D_HP = D_HP + 20;
PrintScreen ("Draco hat nun mehr Lebenskraft!", -1, -1, FONT_SCREEN, 2);
}
else
{
PrintScreen ("Nicht genug Lernpunkte!", -1, -1, FONT_SCREEN, 2);
};
Info_ClearChoices (Dia_Dog_di_HP);
Info_AddChoice (Dia_Dog_di_HP, DIALOG_BACK,Dia_Dog_di_HP_Back);
Info_AddChoice (Dia_Dog_di_HP,"Lebensenergie + 4" ,Dia_Dog_di_HP_1);
Info_AddChoice (Dia_Dog_di_HP,"Lebensenergie + 20" ,Dia_Dog_di_HP_5);
};
func void Dia_Dog_addon_HP_info ()
{
Info_ClearChoices (Dia_Dog_addon_HP);
Info_AddChoice (Dia_Dog_addon_HP, DIALOG_BACK,Dia_Dog_addon_HP_Back);
Info_AddChoice (Dia_Dog_addon_HP,"Lebensenergie + 4" ,Dia_Dog_addon_HP_1);
Info_AddChoice (Dia_Dog_addon_HP,"Lebensenergie + 20" ,Dia_Dog_addon_HP_5);
};
func void Dia_Dog_addon_HP_Back ()
{
Info_ClearChoices (Dia_Dog_addon_HP);
};
func void Dia_Dog_addon_HP_1 ()
{
if (D_LP>= 1)
{
D_LP = D_LP - 1;
self.attribute[ATR_HITPOINTS_MAX] = self.attribute[ATR_HITPOINTS_MAX] + 4;
self.attribute[ATR_HITPOINTS] = self.attribute[ATR_HITPOINTS] + 4;
D_HP = D_HP + 4;
PrintScreen ("Draco hat nun mehr Lebenskraft!", -1, -1, FONT_SCREEN, 2);
}
else
{
PrintScreen ("Nicht genug Lernpunkte!", -1, -1, FONT_SCREEN, 2);
};
Info_ClearChoices (Dia_Dog_addon_HP);
Info_AddChoice (Dia_Dog_addon_HP, DIALOG_BACK,Dia_Dog_addon_HP_Back);
Info_AddChoice (Dia_Dog_addon_HP,"Lebensenergie + 4" ,Dia_Dog_addon_HP_1);
Info_AddChoice (Dia_Dog_addon_HP,"Lebensenergie + 20" ,Dia_Dog_addon_HP_5);
};
func void Dia_Dog_addon_HP_5 ()
{
if (D_LP>= 5)
{
D_LP = D_LP - 5;
self.attribute[ATR_HITPOINTS_MAX] = self.attribute[ATR_HITPOINTS_MAX] + 20;
self.attribute[ATR_HITPOINTS] = self.attribute[ATR_HITPOINTS] + 20;
D_HP = D_HP + 20;
PrintScreen ("Draco hat nun mehr Lebenskraft!", -1, -1, FONT_SCREEN, 2);
}
else
{
PrintScreen ("Nicht genug Lernpunkte!", -1, -1, FONT_SCREEN, 2);
};
Info_ClearChoices (Dia_Dog_addon_HP);
Info_AddChoice (Dia_Dog_addon_HP, DIALOG_BACK,Dia_Dog_addon_HP_Back);
Info_AddChoice (Dia_Dog_addon_HP,"Lebensenergie + 4" ,Dia_Dog_addon_HP_1);
Info_AddChoice (Dia_Dog_addon_HP,"Lebensenergie + 20" ,Dia_Dog_addon_HP_5);
};
instance Dia_Dog_IQ (C_INFO)
{
npc = Dog;
nr =971;
condition = Dia_Dog_IQ_condition;
information = Dia_Dog_IQ_info;
important = FALSE;
permanent = TRUE;
Description = "Intelligenz";
};
instance Dia_Dog_ow_IQ (C_INFO)
{
npc = Dog_ow;
nr =971;
condition = Dia_Dog_IQ_condition;
information = Dia_Dog_ow_IQ_info;
important = FALSE;
permanent = TRUE;
Description = "Intelligenz";
};
instance Dia_Dog_di_IQ (C_INFO)
{
npc = Dog_di;
nr =971;
condition = Dia_Dog_IQ_condition;
information = Dia_Dog_di_IQ_info;
important = FALSE;
permanent = TRUE;
Description = "Intelligenz";
};
instance Dia_Dog_addon_IQ (C_INFO)
{
npc = Dog_addon;
nr =971;
condition = Dia_Dog_IQ_condition;
information = Dia_Dog_addon_IQ_info;
important = FALSE;
permanent = TRUE;
Description = "Intelligenz";
};
func int Dia_Dog_IQ_condition ()
{
IF (dogmenu==3)
{
return TRUE;
};
};
func void Dia_Dog_IQ_info ()
{
Info_ClearChoices (Dia_Dog_IQ);
Info_AddChoice (Dia_Dog_IQ, DIALOG_BACK,Dia_Dog_IQ_Back);
Info_AddChoice (Dia_Dog_IQ,"Intelligenz + 1 (2 LP)" ,Dia_Dog_IQ_1);
Info_AddChoice (Dia_Dog_IQ,"Intelligenz + 5 (10 LP)" ,Dia_Dog_IQ_5);
};
func void Dia_Dog_IQ_Back ()
{
Info_ClearChoices (Dia_Dog_IQ);
};
func void Dia_Dog_IQ_1 ()
{
if (D_LP>= 2)
{
D_LP = D_LP - 2;
D_IQ =D_IQ +1;
PrintScreen ("Draco ist schlauer geworden!", -1, -1, FONT_SCREEN, 2);
}
else
{
PrintScreen ("Nicht genug Lernpunkte!", -1, -1, FONT_SCREEN, 2);
};
Info_ClearChoices (Dia_Dog_IQ);
Info_AddChoice (Dia_Dog_IQ, DIALOG_BACK,Dia_Dog_IQ_Back);
Info_AddChoice (Dia_Dog_IQ,"Intelligenz + 1 (2 LP)" ,Dia_Dog_IQ_1);
Info_AddChoice (Dia_Dog_IQ,"Intelligenz + 5 (10 LP)" ,Dia_Dog_IQ_5);
};
func void Dia_Dog_IQ_5 ()
{
if (D_LP>= 10)
{
D_LP = D_LP - 10;
D_IQ =D_IQ +5;
PrintScreen ("Draco ist schlauer geworden!", -1, -1, FONT_SCREEN, 2);
}
else
{
PrintScreen ("Nicht genug Lernpunkte!", -1, -1, FONT_SCREEN, 2);
};
Info_ClearChoices (Dia_Dog_IQ);
Info_AddChoice (Dia_Dog_IQ, DIALOG_BACK,Dia_Dog_IQ_Back);
Info_AddChoice (Dia_Dog_IQ,"Intelligenz + 1 (2 LP)" ,Dia_Dog_IQ_1);
Info_AddChoice (Dia_Dog_IQ,"Intelligenz + 5 (10 LP)" ,Dia_Dog_IQ_5);
};
func void Dia_Dog_ow_IQ_info ()
{
Info_ClearChoices (Dia_Dog_ow_IQ);
Info_AddChoice (Dia_Dog_ow_IQ, DIALOG_BACK,Dia_Dog_ow_IQ_Back);
Info_AddChoice (Dia_Dog_ow_IQ,"Intelligenz + 1 (2 LP)" ,Dia_Dog_ow_IQ_1);
Info_AddChoice (Dia_Dog_ow_IQ,"Intelligenz + 5 (10 LP)" ,Dia_Dog_ow_IQ_5);
};
func void Dia_Dog_ow_IQ_Back ()
{
Info_ClearChoices (Dia_Dog_ow_IQ);
};
func void Dia_Dog_ow_IQ_1 ()
{
if (D_LP>= 2)
{
D_LP = D_LP - 2;
D_IQ =D_IQ +1;
PrintScreen ("Draco ist schlauer geworden!", -1, -1, FONT_SCREEN, 2);
}
else
{
PrintScreen ("Nicht genug Lernpunkte!", -1, -1, FONT_SCREEN, 2);
};
Info_ClearChoices (Dia_Dog_ow_IQ);
Info_AddChoice (Dia_Dog_ow_IQ, DIALOG_BACK,Dia_Dog_ow_IQ_Back);
Info_AddChoice (Dia_Dog_ow_IQ,"Intelligenz + 1 (2 LP)" ,Dia_Dog_ow_IQ_1);
Info_AddChoice (Dia_Dog_ow_IQ,"Intelligenz + 5 (10 LP)" ,Dia_Dog_ow_IQ_5);
};
func void Dia_Dog_ow_IQ_5 ()
{
if (D_LP>= 10)
{
D_LP = D_LP - 10;
D_IQ =D_IQ +5;
PrintScreen ("Draco ist schlauer geworden!", -1, -1, FONT_SCREEN, 2);
}
else
{
PrintScreen ("Nicht genug Lernpunkte!", -1, -1, FONT_SCREEN, 2);
};
Info_ClearChoices (Dia_Dog_ow_IQ);
Info_AddChoice (Dia_Dog_ow_IQ, DIALOG_BACK,Dia_Dog_ow_IQ_Back);
Info_AddChoice (Dia_Dog_ow_IQ,"Intelligenz + 1 (2 LP)" ,Dia_Dog_ow_IQ_1);
Info_AddChoice (Dia_Dog_ow_IQ,"Intelligenz + 5 (10 LP)" ,Dia_Dog_ow_IQ_5);
};
func void Dia_Dog_di_IQ_info ()
{
Info_ClearChoices (Dia_Dog_di_IQ);
Info_AddChoice (Dia_Dog_di_IQ, DIALOG_BACK,Dia_Dog_di_IQ_Back);
Info_AddChoice (Dia_Dog_di_IQ,"Intelligenz + 1 (2 LP)" ,Dia_Dog_di_IQ_1);
Info_AddChoice (Dia_Dog_di_IQ,"Intelligenz + 5 (10 LP)" ,Dia_Dog_di_IQ_5);
};
func void Dia_Dog_di_IQ_Back ()
{
Info_ClearChoices (Dia_Dog_di_IQ);
};
func void Dia_Dog_di_IQ_1 ()
{
if (D_LP>= 2)
{
D_LP = D_LP - 2;
D_IQ =D_IQ +1;
PrintScreen ("Draco ist schlauer geworden!", -1, -1, FONT_SCREEN, 2);
}
else
{
PrintScreen ("Nicht genug Lernpunkte!", -1, -1, FONT_SCREEN, 2);
};
Info_ClearChoices (Dia_Dog_di_IQ);
Info_AddChoice (Dia_Dog_di_IQ, DIALOG_BACK,Dia_Dog_di_IQ_Back);
Info_AddChoice (Dia_Dog_di_IQ,"Intelligenz + 1 (2 LP)" ,Dia_Dog_di_IQ_1);
Info_AddChoice (Dia_Dog_di_IQ,"Intelligenz + 5 (10 LP)" ,Dia_Dog_di_IQ_5);
};
func void Dia_Dog_di_IQ_5 ()
{
if (D_LP>= 10)
{
D_LP = D_LP - 10;
D_IQ =D_IQ +5;
PrintScreen ("Draco ist schlauer geworden!", -1, -1, FONT_SCREEN, 2);
}
else
{
PrintScreen ("Nicht genug Lernpunkte!", -1, -1, FONT_SCREEN, 2);
};
Info_ClearChoices (Dia_Dog_di_IQ);
Info_AddChoice (Dia_Dog_di_IQ, DIALOG_BACK,Dia_Dog_di_IQ_Back);
Info_AddChoice (Dia_Dog_di_IQ,"Intelligenz + 1 (2 LP)" ,Dia_Dog_di_IQ_1);
Info_AddChoice (Dia_Dog_di_IQ,"Intelligenz + 5 (10 LP)" ,Dia_Dog_di_IQ_5);
};
func void Dia_Dog_addon_IQ_info ()
{
Info_ClearChoices (Dia_Dog_addon_IQ);
Info_AddChoice (Dia_Dog_addon_IQ, DIALOG_BACK,Dia_Dog_addon_IQ_Back);
Info_AddChoice (Dia_Dog_addon_IQ,"Intelligenz + 1 (2 LP)" ,Dia_Dog_addon_IQ_1);
Info_AddChoice (Dia_Dog_addon_IQ,"Intelligenz + 5 (10 LP)" ,Dia_Dog_addon_IQ_5);
};
func void Dia_Dog_addon_IQ_Back ()
{
Info_ClearChoices (Dia_Dog_addon_IQ);
};
func void Dia_Dog_addon_IQ_1 ()
{
if (D_LP>= 2)
{
D_LP = D_LP - 2;
D_IQ =D_IQ +1;
PrintScreen ("Draco ist schlauer geworden!", -1, -1, FONT_SCREEN, 2);
}
else
{
PrintScreen ("Nicht genug Lernpunkte!", -1, -1, FONT_SCREEN, 2);
};
Info_ClearChoices (Dia_Dog_addon_IQ);
Info_AddChoice (Dia_Dog_addon_IQ, DIALOG_BACK,Dia_Dog_addon_IQ_Back);
Info_AddChoice (Dia_Dog_addon_IQ,"Intelligenz + 1 (2 LP)" ,Dia_Dog_addon_IQ_1);
Info_AddChoice (Dia_Dog_addon_IQ,"Intelligenz + 5 (10 LP)" ,Dia_Dog_addon_IQ_5);
};
func void Dia_Dog_addon_IQ_5 ()
{
if (D_LP>= 10)
{
D_LP = D_LP - 10;
D_IQ =D_IQ +5;
PrintScreen ("Draco ist schlauer geworden!", -1, -1, FONT_SCREEN, 2);
}
else
{
PrintScreen ("Nicht genug Lernpunkte!", -1, -1, FONT_SCREEN, 2);
};
Info_ClearChoices (Dia_Dog_addon_IQ);
Info_AddChoice (Dia_Dog_addon_IQ, DIALOG_BACK,Dia_Dog_addon_IQ_Back);
Info_AddChoice (Dia_Dog_addon_IQ,"Intelligenz + 1 (2 LP)" ,Dia_Dog_addon_IQ_1);
Info_AddChoice (Dia_Dog_addon_IQ,"Intelligenz + 5 (10 LP)" ,Dia_Dog_addon_IQ_5);
};
////////////////////////////////////////////////////////////
////////////// RST
///////////////////////////////////////////////////////
instance Dia_Dog_RST (C_INFO)
{
npc = Dog;
nr =989;
condition = Dia_Dog_RST_condition;
information = Dia_Dog_RST_info;
important = FALSE;
permanent = TRUE;
Description = "Zähigkeit (Rüstungsschutz)";
};
instance Dia_Dog_ow_RST (C_INFO)
{
npc = Dog_ow;
nr =989;
condition = Dia_Dog_RST_condition;
information = Dia_Dog_ow_RST_info;
important = FALSE;
permanent = TRUE;
Description = "Zähigkeit (Rüstungsschutz)";
};
instance Dia_Dog_di_RST (C_INFO)
{
npc = Dog_di;
nr =989;
condition = Dia_Dog_RST_condition;
information = Dia_Dog_di_RST_info;
important = FALSE;
permanent = TRUE;
Description = "Zähigkeit (Rüstungsschutz)";
};
instance Dia_Dog_addon_RST (C_INFO)
{
npc = Dog_addon;
nr =989;
condition = Dia_Dog_RST_condition;
information = Dia_Dog_addon_RST_info;
important = FALSE;
permanent = TRUE;
Description = "Zähigkeit (Rüstungsschutz)";
};
func int Dia_Dog_RST_condition ()
{
IF (dogmenu==3)
{
return TRUE;
};
};
func void Dia_Dog_RST_info ()
{
Info_ClearChoices (Dia_Dog_RST);
Info_AddChoice (Dia_Dog_RST, DIALOG_BACK,Dia_Dog_RST_Back);
Info_AddChoice (Dia_Dog_RST,"Zähigkeit + 1 (2 LP)" ,Dia_Dog_RST_1);
Info_AddChoice (Dia_Dog_RST,"Zähigkeit + 5 (10 LP)" ,Dia_Dog_RST_5);
};
func void Dia_Dog_RST_Back ()
{
Info_ClearChoices (Dia_Dog_RST);
};
func void Dia_Dog_RST_1 ()
{
if (D_LP>= 2)
{
D_LP = D_LP - 2;
self.protection [PROT_BLUNT] = self.protection [PROT_BLUNT] +1;
self.protection [PROT_EDGE] = self.protection [PROT_EDGE] +1;
self.protection [PROT_POINT] = self.protection [PROT_POINT] +1;
self.protection [PROT_FIRE] = self.protection [PROT_FIRE] +1;
self.protection [PROT_FLY] = self.protection [PROT_FLY] +1;
self.protection [PROT_MAGIC] = self.protection [PROT_MAGIC] +1;
D_RST_blunt=D_RST_blunt+1;
D_RST_edge=D_RST_edge+1;
D_RST_point=D_RST_point+1;
D_RST_fire=D_RST_fire+1;
D_RST_fly=D_RST_fly+1;
D_RST_magic=D_RST_magic+1;
PrintScreen ("Draco ist zäher geworden!", -1, -1, FONT_SCREEN, 2);
}
else
{
PrintScreen ("Nicht genug Lernpunkte!", -1, -1, FONT_SCREEN, 2);
};
Info_ClearChoices (Dia_Dog_RST);
Info_AddChoice (Dia_Dog_RST, DIALOG_BACK,Dia_Dog_RST_Back);
Info_AddChoice (Dia_Dog_RST,"Zähigkeit + 1 (2 LP)" ,Dia_Dog_RST_1);
Info_AddChoice (Dia_Dog_RST,"Zähigkeit + 5 (10 LP)" ,Dia_Dog_RST_5);
};
func void Dia_Dog_RST_5 ()
{
if (D_LP>= 10)
{
D_LP = D_LP - 10;
self.protection [PROT_BLUNT] = self.protection [PROT_BLUNT] +5;
self.protection [PROT_EDGE] = self.protection [PROT_EDGE] +5;
self.protection [PROT_POINT] = self.protection [PROT_POINT] +5;
self.protection [PROT_FIRE] = self.protection [PROT_FIRE] +5;
self.protection [PROT_FLY] = self.protection [PROT_FLY] +5;
self.protection [PROT_MAGIC] = self.protection [PROT_MAGIC] +5;
D_RST_blunt=D_RST_blunt+5;
D_RST_edge=D_RST_edge+5;
D_RST_point=D_RST_point+5;
D_RST_fire=D_RST_fire+5;
D_RST_fly=D_RST_fly+5;
D_RST_magic=D_RST_magic+5;
PrintScreen ("Draco ist zäher geworden!", -1, -1, FONT_SCREEN, 2);
}
else
{
PrintScreen ("Nicht genug Lernpunkte!", -1, -1, FONT_SCREEN, 2);
};
Info_ClearChoices (Dia_Dog_RST);
Info_AddChoice (Dia_Dog_RST, DIALOG_BACK,Dia_Dog_RST_Back);
Info_AddChoice (Dia_Dog_RST,"Zähigkeit + 1 (2 LP)" ,Dia_Dog_RST_1);
Info_AddChoice (Dia_Dog_RST,"Zähigkeit + 5 (10 LP)" ,Dia_Dog_RST_5);
};
func void Dia_Dog_ow_RST_info ()
{
Info_ClearChoices (Dia_Dog_ow_RST);
Info_AddChoice (Dia_Dog_ow_RST, DIALOG_BACK,Dia_Dog_ow_RST_Back);
Info_AddChoice (Dia_Dog_ow_RST,"Zähigkeit + 1 (2 LP)" ,Dia_Dog_ow_RST_1);
Info_AddChoice (Dia_Dog_ow_RST,"Zähigkeit + 5 (10 LP)" ,Dia_Dog_ow_RST_5);
};
func void Dia_Dog_ow_RST_Back ()
{
Info_ClearChoices (Dia_Dog_ow_RST);
};
func void Dia_Dog_ow_RST_1 ()
{
if (D_LP>= 2)
{
D_LP = D_LP - 2;
self.protection [PROT_BLUNT] = self.protection [PROT_BLUNT] +1;
self.protection [PROT_EDGE] = self.protection [PROT_EDGE] +1;
self.protection [PROT_POINT] = self.protection [PROT_POINT] +1;
self.protection [PROT_FIRE] = self.protection [PROT_FIRE] +1;
self.protection [PROT_FLY] = self.protection [PROT_FLY] +1;
self.protection [PROT_MAGIC] = self.protection [PROT_MAGIC] +1;
D_RST_blunt=D_RST_blunt+1;
D_RST_edge=D_RST_edge+1;
D_RST_point=D_RST_point+1;
D_RST_fire=D_RST_fire+1;
D_RST_fly=D_RST_fly+1;
D_RST_magic=D_RST_magic+1;
PrintScreen ("Draco ist zäher geworden!", -1, -1, FONT_SCREEN, 2);
}
else
{
PrintScreen ("Nicht genug Lernpunkte!", -1, -1, FONT_SCREEN, 2);
};
Info_ClearChoices (Dia_Dog_ow_RST);
Info_AddChoice (Dia_Dog_ow_RST, DIALOG_BACK,Dia_Dog_ow_RST_Back);
Info_AddChoice (Dia_Dog_ow_RST,"Zähigkeit + 1 (2 LP)" ,Dia_Dog_ow_RST_1);
Info_AddChoice (Dia_Dog_ow_RST,"Zähigkeit + 5 (10 LP)" ,Dia_Dog_ow_RST_5);
};
func void Dia_Dog_ow_RST_5 ()
{
if (D_LP>= 10)
{
D_LP = D_LP - 10;
self.protection [PROT_BLUNT] = self.protection [PROT_BLUNT] +5;
self.protection [PROT_EDGE] = self.protection [PROT_EDGE] +5;
self.protection [PROT_POINT] = self.protection [PROT_POINT] +5;
self.protection [PROT_FIRE] = self.protection [PROT_FIRE] +5;
self.protection [PROT_FLY] = self.protection [PROT_FLY] +5;
self.protection [PROT_MAGIC] = self.protection [PROT_MAGIC] +5;
D_RST_blunt=D_RST_blunt+5;
D_RST_edge=D_RST_edge+5;
D_RST_point=D_RST_point+5;
D_RST_fire=D_RST_fire+5;
D_RST_fly=D_RST_fly+5;
D_RST_magic=D_RST_magic+5;
PrintScreen ("Draco ist zäher geworden!", -1, -1, FONT_SCREEN, 2);
}
else
{
PrintScreen ("Nicht genug Lernpunkte!", -1, -1, FONT_SCREEN, 2);
};
Info_ClearChoices (Dia_Dog_ow_RST);
Info_AddChoice (Dia_Dog_ow_RST, DIALOG_BACK,Dia_Dog_ow_RST_Back);
Info_AddChoice (Dia_Dog_ow_RST,"Zähigkeit + 1 (2 LP)" ,Dia_Dog_ow_RST_1);
Info_AddChoice (Dia_Dog_ow_RST,"Zähigkeit + 5 (10 LP)" ,Dia_Dog_ow_RST_5);
};
func void Dia_Dog_di_RST_info ()
{
Info_ClearChoices (Dia_Dog_di_RST);
Info_AddChoice (Dia_Dog_di_RST, DIALOG_BACK,Dia_Dog_di_RST_Back);
Info_AddChoice (Dia_Dog_di_RST,"Zähigkeit + 1 (2 LP)" ,Dia_Dog_di_RST_1);
Info_AddChoice (Dia_Dog_di_RST,"Zähigkeit + 5 (10 LP)" ,Dia_Dog_di_RST_5);
};
func void Dia_Dog_di_RST_Back ()
{
Info_ClearChoices (Dia_Dog_di_RST);
};
func void Dia_Dog_di_RST_1 ()
{
if (D_LP>= 2)
{
D_LP = D_LP - 2;
self.protection [PROT_BLUNT] = self.protection [PROT_BLUNT] +1;
self.protection [PROT_EDGE] = self.protection [PROT_EDGE] +1;
self.protection [PROT_POINT] = self.protection [PROT_POINT] +1;
self.protection [PROT_FIRE] = self.protection [PROT_FIRE] +1;
self.protection [PROT_FLY] = self.protection [PROT_FLY] +1;
self.protection [PROT_MAGIC] = self.protection [PROT_MAGIC] +1;
D_RST_blunt=D_RST_blunt+1;
D_RST_edge=D_RST_edge+1;
D_RST_point=D_RST_point+1;
D_RST_fire=D_RST_fire+1;
D_RST_fly=D_RST_fly+1;
D_RST_magic=D_RST_magic+1;
PrintScreen ("Draco ist zäher geworden!", -1, -1, FONT_SCREEN, 2);
}
else
{
PrintScreen ("Nicht genug Lernpunkte!", -1, -1, FONT_SCREEN, 2);
};
Info_ClearChoices (Dia_Dog_di_RST);
Info_AddChoice (Dia_Dog_di_RST, DIALOG_BACK,Dia_Dog_di_RST_Back);
Info_AddChoice (Dia_Dog_di_RST,"Zähigkeit + 1 (2 LP)" ,Dia_Dog_di_RST_1);
Info_AddChoice (Dia_Dog_di_RST,"Zähigkeit + 5 (10 LP)" ,Dia_Dog_di_RST_5);
};
func void Dia_Dog_di_RST_5 ()
{
if (D_LP>= 10)
{
D_LP = D_LP - 10;
self.protection [PROT_BLUNT] = self.protection [PROT_BLUNT] +5;
self.protection [PROT_EDGE] = self.protection [PROT_EDGE] +5;
self.protection [PROT_POINT] = self.protection [PROT_POINT] +5;
self.protection [PROT_FIRE] = self.protection [PROT_FIRE] +5;
self.protection [PROT_FLY] = self.protection [PROT_FLY] +5;
self.protection [PROT_MAGIC] = self.protection [PROT_MAGIC] +5;
D_RST_blunt=D_RST_blunt+5;
D_RST_edge=D_RST_edge+5;
D_RST_point=D_RST_point+5;
D_RST_fire=D_RST_fire+5;
D_RST_fly=D_RST_fly+5;
D_RST_magic=D_RST_magic+5;
PrintScreen ("Draco ist zäher geworden!", -1, -1, FONT_SCREEN, 2);
}
else
{
PrintScreen ("Nicht genug Lernpunkte!", -1, -1, FONT_SCREEN, 2);
};
Info_ClearChoices (Dia_Dog_di_RST);
Info_AddChoice (Dia_Dog_di_RST, DIALOG_BACK,Dia_Dog_di_RST_Back);
Info_AddChoice (Dia_Dog_di_RST,"Zähigkeit + 1 (2 LP)" ,Dia_Dog_di_RST_1);
Info_AddChoice (Dia_Dog_di_RST,"Zähigkeit + 5 (10 LP)" ,Dia_Dog_di_RST_5);
};
func void Dia_Dog_addon_RST_info ()
{
Info_ClearChoices (Dia_Dog_addon_RST);
Info_AddChoice (Dia_Dog_addon_RST, DIALOG_BACK,Dia_Dog_addon_RST_Back);
Info_AddChoice (Dia_Dog_addon_RST,"Zähigkeit + 1 (2 LP)" ,Dia_Dog_addon_RST_1);
Info_AddChoice (Dia_Dog_addon_RST,"Zähigkeit + 5 (10 LP)" ,Dia_Dog_addon_RST_5);
};
func void Dia_Dog_addon_RST_Back ()
{
Info_ClearChoices (Dia_Dog_addon_RST);
};
func void Dia_Dog_addon_RST_1 ()
{
if (D_LP>= 2)
{
D_LP = D_LP - 2;
self.protection [PROT_BLUNT] = self.protection [PROT_BLUNT] +1;
self.protection [PROT_EDGE] = self.protection [PROT_EDGE] +1;
self.protection [PROT_POINT] = self.protection [PROT_POINT] +1;
self.protection [PROT_FIRE] = self.protection [PROT_FIRE] +1;
self.protection [PROT_FLY] = self.protection [PROT_FLY] +1;
self.protection [PROT_MAGIC] = self.protection [PROT_MAGIC] +1;
D_RST_blunt=D_RST_blunt+1;
D_RST_edge=D_RST_edge+1;
D_RST_point=D_RST_point+1;
D_RST_fire=D_RST_fire+1;
D_RST_fly=D_RST_fly+1;
D_RST_magic=D_RST_magic+1;
PrintScreen ("Draco ist zäher geworden!", -1, -1, FONT_SCREEN, 2);
}
else
{
PrintScreen ("Nicht genug Lernpunkte!", -1, -1, FONT_SCREEN, 2);
};
Info_ClearChoices (Dia_Dog_addon_RST);
Info_AddChoice (Dia_Dog_addon_RST, DIALOG_BACK,Dia_Dog_addon_RST_Back);
Info_AddChoice (Dia_Dog_addon_RST,"Zähigkeit + 1 (2 LP)" ,Dia_Dog_addon_RST_1);
Info_AddChoice (Dia_Dog_addon_RST,"Zähigkeit + 5 (10 LP)" ,Dia_Dog_addon_RST_5);
};
func void Dia_Dog_addon_RST_5 ()
{
if (D_LP>= 10)
{
D_LP = D_LP - 10;
self.protection [PROT_BLUNT] = self.protection [PROT_BLUNT] +5;
self.protection [PROT_EDGE] = self.protection [PROT_EDGE] +5;
self.protection [PROT_POINT] = self.protection [PROT_POINT] +5;
self.protection [PROT_FIRE] = self.protection [PROT_FIRE] +5;
self.protection [PROT_FLY] = self.protection [PROT_FLY] +5;
self.protection [PROT_MAGIC] = self.protection [PROT_MAGIC] +5;
D_RST_blunt=D_RST_blunt+5;
D_RST_edge=D_RST_edge+5;
D_RST_point=D_RST_point+5;
D_RST_fire=D_RST_fire+5;
D_RST_fly=D_RST_fly+5;
D_RST_magic=D_RST_magic+5;
PrintScreen ("Draco ist zäher geworden!", -1, -1, FONT_SCREEN, 2);
}
else
{
PrintScreen ("Nicht genug Lernpunkte!", -1, -1, FONT_SCREEN, 2);
};
Info_ClearChoices (Dia_Dog_addon_RST);
Info_AddChoice (Dia_Dog_addon_RST, DIALOG_BACK,Dia_Dog_addon_RST_Back);
Info_AddChoice (Dia_Dog_addon_RST,"Zähigkeit + 1 (2 LP)" ,Dia_Dog_addon_RST_1);
Info_AddChoice (Dia_Dog_addon_RST,"Zähigkeit + 5 (10 LP)" ,Dia_Dog_addon_RST_5);
};
////////////////////////////////////////////////////////////
////////////// RST
///////////////////////////////////////////////////////
instance Dia_Dog_VER (C_INFO)
{
npc = Dog;
nr =988;
condition = Dia_Dog_VER_condition;
information = Dia_Dog_VER_info;
important = FALSE;
permanent = TRUE;
Description = "Verhalten";
};
instance Dia_Dog_ow_VER (C_INFO)
{
npc = Dog_ow;
nr =988;
condition = Dia_Dog_VER_condition;
information = Dia_Dog_VER_info;
important = FALSE;
permanent = TRUE;
Description = "Verhalten";
};
instance Dia_Dog_di_VER (C_INFO)
{
npc = Dog_di;
nr =988;
condition = Dia_Dog_VER_condition;
information = Dia_Dog_VER_info;
important = FALSE;
permanent = TRUE;
Description = "Verhalten";
};
instance Dia_Dog_addon_VER (C_INFO)
{
npc = Dog_addon;
nr =988;
condition = Dia_Dog_VER_condition;
information = Dia_Dog_VER_info;
important = FALSE;
permanent = TRUE;
Description = "Verhalten";
};
func int Dia_Dog_VER_condition ()
{
IF (dogmenu==3)
{
return TRUE;
};
};
func void Dia_Dog_VER_info ()
{
dogmenu=4;
};
instance Dia_Dog_v_back (C_INFO)
{
npc = Dog;
nr =1019;
condition = Dia_Dog_v_back_condition;
information = Dia_Dog_v_back_info;
important = FALSE;
permanent = TRUE;
Description = "Zurück";
};
instance Dia_Dog_ow_v_back (C_INFO)
{
npc = Dog_ow;
nr =1019;
condition = Dia_Dog_v_back_condition;
information = Dia_Dog_v_back_info;
important = FALSE;
permanent = TRUE;
Description = "Zurück";
};
instance Dia_Dog_di_v_back (C_INFO)
{
npc = Dog_di;
nr =1019;
condition = Dia_Dog_v_back_condition;
information = Dia_Dog_v_back_info;
important = FALSE;
permanent = TRUE;
Description = "Zurück";
};
instance Dia_Dog_addon_v_back (C_INFO)
{
npc = Dog_addon;
nr =1019;
condition = Dia_Dog_v_back_condition;
information = Dia_Dog_v_back_info;
important = FALSE;
permanent = TRUE;
Description = "Zurück";
};
func int Dia_Dog_v_back_condition ()
{
IF (dogmenu==4)
{
return TRUE;
};
};
func void Dia_Dog_v_back_info ()
{
Dogmenu=3;
};
////////////////////////////////////////////////////////////
////////////// VER_Aggro
///////////////////////////////////////////////////////
instance Dia_dog_VER_Aggro (C_INFO)
{
npc = dog;
nr =300;
condition = Dia_dog_VER_Aggro_condition;
information = Dia_dog_VER_Aggro_info;
important = FALSE;
permanent = TRUE;
Description = "Aggressiver Kampfstil (5 LP 30 Intelligenz)";
};
instance Dia_dog_di_VER_Aggro (C_INFO)
{
npc = dog_di;
nr =300;
condition = Dia_dog_VER_Aggro_condition;
information = Dia_dog_VER_Aggro_info;
important = FALSE;
permanent = TRUE;
Description = "Aggressiver Kampfstil (5 LP 30 Intelligenz)";
};
instance Dia_dog_ow_VER_Aggro (C_INFO)
{
npc = dog_ow;
nr =300;
condition = Dia_dog_VER_Aggro_condition;
information = Dia_dog_VER_Aggro_info;
important = FALSE;
permanent = TRUE;
Description = "Aggressiver Kampfstil (5 LP 30 Intelligenz)";
};
instance Dia_dog_addon_VER_Aggro (C_INFO)
{
npc = dog_addon;
nr =300;
condition = Dia_dog_VER_Aggro_condition;
information = Dia_dog_VER_Aggro_info;
important = FALSE;
permanent = TRUE;
Description = "Aggressiver Kampfstil (5 LP 30 Intelligenz)";
};
func int Dia_dog_VER_Aggro_condition ()
{
IF (dogmenu == 4)
&& (D_CAN_AGGRO == FALSE)
{
return TRUE;
};
};
func void Dia_dog_VER_Aggro_info ()
{
if (D_LP>= 5)
&& (D_IQ >=30)
{
D_CAN_AGGRO = TRUE;
PrintScreen ("Draco hat den aggressiven Kampfstil gelernt!", -1, -1, FONT_SCREEN, 2);
D_LP = D_LP - 5;
}
else
{
PrintScreen ("Zu wenig Lernpunkte oder Intelligenz!", -1, -1, FONT_SCREEN, 2);
};
};
////////////////////////////////////////////////////////////
////////////// VER_Def
///////////////////////////////////////////////////////
instance Dia_dog_VER_Def (C_INFO)
{
npc = dog;
nr =301;
condition = Dia_dog_VER_Def_condition;
information = Dia_dog_VER_Def_info;
important = FALSE;
permanent = TRUE;
Description = "Defensiver Kampfstil (5 LP 45 Intelligenz)";
};
instance Dia_dog_ow_VER_Def (C_INFO)
{
npc = dog_ow;
nr =301;
condition = Dia_dog_VER_Def_condition;
information = Dia_dog_VER_Def_info;
important = FALSE;
permanent = TRUE;
Description = "Defensiver Kampfstil (5 LP 45 Intelligenz)";
};
instance Dia_dog_di_VER_Def (C_INFO)
{
npc = dog_di;
nr =301;
condition = Dia_dog_VER_Def_condition;
information = Dia_dog_VER_Def_info;
important = FALSE;
permanent = TRUE;
Description = "Defensiver Kampfstil (5 LP 45 Intelligenz)";
};
instance Dia_dog_addon_VER_Def (C_INFO)
{
npc = dog_addon;
nr =301;
condition = Dia_dog_VER_Def_condition;
information = Dia_dog_VER_Def_info;
important = FALSE;
permanent = TRUE;
Description = "Defensiver Kampfstil (5 LP 45 Intelligenz)";
};
func int Dia_dog_VER_Def_condition ()
{
IF (dogmenu == 4)
&& (D_CAN_DEF == FALSE)
{
return TRUE;
};
};
func void Dia_dog_VER_Def_info ()
{
if (D_LP>= 5)
&& (D_IQ >=45)
{
D_CAN_def = TRUE;
PrintScreen ("Draco hat den defensiven Kampfstil gelernt!", -1, -1, FONT_SCREEN, 2);
D_LP = D_LP - 5;
}
else
{
PrintScreen ("Zu wenig Lernpunkte oder Intelligenz!", -1, -1, FONT_SCREEN, 2);
};
};
////////////////////////////////////////////////////////////
////////////// VER_Pass
///////////////////////////////////////////////////////
instance Dia_dog_VER_Pass (C_INFO)
{
npc = dog;
nr =299;
condition = Dia_dog_VER_Pass_condition;
information = Dia_dog_VER_Pass_info;
important = FALSE;
permanent = TRUE;
Description = "Passives Kampfverhalten (5 LP 20 Intelligenz)";
};
instance Dia_dog_ow_VER_Pass (C_INFO)
{
npc = dog_ow;
nr =299;
condition = Dia_dog_VER_Pass_condition;
information = Dia_dog_VER_Pass_info;
important = FALSE;
permanent = TRUE;
Description = "Passives Kampfverhalten (5 LP 20 Intelligenz)";
};
instance Dia_dog_di_VER_Pass (C_INFO)
{
npc = dog_di;
nr =299;
condition = Dia_dog_VER_Pass_condition;
information = Dia_dog_VER_Pass_info;
important = FALSE;
permanent = TRUE;
Description = "Passives Kampfverhalten (5 LP 20 Intelligenz)";
};
instance Dia_dog_addon_VER_Pass (C_INFO)
{
npc = dog_addon;
nr =299;
condition = Dia_dog_VER_Pass_condition;
information = Dia_dog_VER_Pass_info;
important = FALSE;
permanent = TRUE;
Description = "Passives Kampfverhalten (5 LP 20 Intelligenz)";
};
func int Dia_dog_VER_Pass_condition ()
{
IF (dogmenu == 4)
&& (D_CAN_pass == FALSE)
{
return TRUE;
};
};
func void Dia_dog_VER_Pass_info ()
{
if (D_LP>= 5)
&& (D_IQ >=20)
{
D_CAN_pass = TRUE;
PrintScreen ("Draco hat das passive Kampfverhalten gelernt!", -1, -1, FONT_SCREEN, 2);
D_LP = D_LP - 5;
}
else
{
PrintScreen ("Zu wenig Lernpunkte oder Intelligenz!", -1, -1, FONT_SCREEN, 2);
};
};
////////////////////////////////////////////////////////////
////////////// VER_Pass
///////////////////////////////////////////////////////
instance Dia_dog_VER_abl (C_INFO)
{
npc = dog;
nr =303;
condition = Dia_dog_VER_abl_condition;
information = Dia_dog_VER_abl_info;
important = FALSE;
permanent = TRUE;
Description = "Ablenken der Gegner (5 LP 60 Intelligenz)";
};
instance Dia_dog_ow_VER_abl (C_INFO)
{
npc = dog_ow;
nr =303;
condition = Dia_dog_VER_abl_condition;
information = Dia_dog_VER_abl_info;
important = FALSE;
permanent = TRUE;
Description = "Ablenken der Gegner (5 LP 60 Intelligenz)";
};
instance Dia_dog_di_VER_abl (C_INFO)
{
npc = dog_di;
nr =303;
condition = Dia_dog_VER_abl_condition;
information = Dia_dog_VER_abl_info;
important = FALSE;
permanent = TRUE;
Description = "Ablenken der Gegner (5 LP 60 Intelligenz)";
};
instance Dia_dog_addon_VER_abl (C_INFO)
{
npc = dog_addon;
nr =303;
condition = Dia_dog_VER_abl_condition;
information = Dia_dog_VER_abl_info;
important = FALSE;
permanent = TRUE;
Description = "Ablenken der Gegner (5 LP 60 Intelligenz)";
};
func int Dia_dog_VER_abl_condition ()
{
IF (dogmenu == 4)
&& (D_CAN_ABL == FALSE)
{
return TRUE;
};
};
func void Dia_dog_VER_abl_info ()
{
if (D_LP>= 5)
&& (D_IQ >=60)
{
D_CAN_abl = TRUE;
PrintScreen ("Draco hat gelernt den Gegner abzulenken!", -1, -1, FONT_SCREEN, 2);
D_LP = D_LP - 5;
}
else
{
PrintScreen ("Zu wenig Lernpunkte oder Intelligenz!", -1, -1, FONT_SCREEN, 2);
};
};
instance Dia_dog_VER_noatt (C_INFO)
{
npc = dog;
nr =308;
condition = Dia_dog_VER_noatt_condition;
information = Dia_dog_VER_noatt_info;
important = FALSE;
permanent = TRUE;
Description = "Gezügeltes Angriffsverhalten (5 LP 30 Intelligenz)";
};
instance Dia_dog_ow_VER_noatt (C_INFO)
{
npc = dog_ow;
nr =308;
condition = Dia_dog_VER_noatt_condition;
information = Dia_dog_VER_noatt_info;
important = FALSE;
permanent = TRUE;
Description = "Gezügeltes Angriffsverhalten (5 LP 30 Intelligenz)";
};
instance Dia_dog_di_VER_noatt (C_INFO)
{
npc = dog_di;
nr =308;
condition = Dia_dog_VER_noatt_condition;
information = Dia_dog_VER_noatt_info;
important = FALSE;
permanent = TRUE;
Description = "Gezügeltes Angriffsverhalten (5 LP 30 Intelligenz)";
};
instance Dia_dog_addon_VER_noatt (C_INFO)
{
npc = dog_addon;
nr =308;
condition = Dia_dog_VER_noatt_condition;
information = Dia_dog_VER_noatt_info;
important = FALSE;
permanent = TRUE;
Description = "Gezügeltes Angriffsverhalten (5 LP 30 Intelligenz)";
};
func int Dia_dog_VER_noatt_condition ()
{
IF (dogmenu == 4)
&& (D_noatt == FALSE)
{
return TRUE;
};
};
func void Dia_dog_VER_noatt_info ()
{
if (D_LP>= 5)
&& (D_IQ >=30)
{
D_noatt = TRUE;
PrintScreen ("Draco hat gelernt seine Kampfwut zu drosseln!", -1, -1, FONT_SCREEN, 2);
D_LP = D_LP - 5;
}
else
{
PrintScreen ("Zu wenig Lernpunkte oder Intelligenz!", -1, -1, FONT_SCREEN, 2);
};
};
////////////////////////////////////////////////////////////
////////////// TRAIN_SUCH
///////////////////////////////////////////////////////
instance Dia_dog_TRAIN_SUCH (C_INFO)
{
npc = dog;
nr =305;
condition = Dia_dog_TRAIN_SUCH_condition;
information = Dia_dog_TRAIN_SUCH_info;
important = FALSE;
permanent = TRUE;
Description = "Gegenstände Suchen (5 LP 25 Intelligenz)";
};
instance Dia_dog_ow_TRAIN_SUCH (C_INFO)
{
npc = dog_ow;
nr =305;
condition = Dia_dog_TRAIN_SUCH_condition;
information = Dia_dog_TRAIN_SUCH_info;
important = FALSE;
permanent = TRUE;
Description = "Gegenstände Suchen (5 LP 25 Intelligenz)";
};
instance Dia_dog_di_TRAIN_SUCH (C_INFO)
{
npc = dog_di;
nr =305;
condition = Dia_dog_TRAIN_SUCH_condition;
information = Dia_dog_TRAIN_SUCH_info;
important = FALSE;
permanent = TRUE;
Description = "Gegenstände Suchen (5 LP 25 Intelligenz)";
};
instance Dia_dog_addon_TRAIN_SUCH (C_INFO)
{
npc = dog_addon;
nr =305;
condition = Dia_dog_TRAIN_SUCH_condition;
information = Dia_dog_TRAIN_SUCH_info;
important = FALSE;
permanent = TRUE;
Description = "Gegenstände Suchen (5 LP 25 Intelligenz)";
};
func int Dia_dog_TRAIN_SUCH_condition ()
{
IF (Dogmenu == 4)
&& (D_CAN_SUCH == FALSE)
{
return TRUE;
};
};
func void Dia_dog_TRAIN_SUCH_info ()
{
if (D_LP>= 5)
&& (D_IQ >=25)
{
D_CAN_such = TRUE;
PrintScreen ("Draco kann nun Gegenstände suchen!", -1, -1, FONT_SCREEN, 2);
D_LP = D_LP - 5;
}
else
{
PrintScreen ("Zu wenig Lernpunkte oder Intelligenz!", -1, -1, FONT_SCREEN, 2);
};
};
instance Dia_Dog_food (C_INFO)
{
npc = Dog;
nr =910;
condition = Dia_Dog_food_condition;
information = Dia_Dog_food_info;
important = FALSE;
permanent = TRUE;
Description = "Füttern";
};
instance Dia_Dog_ow_food (C_INFO)
{
npc = Dog_ow;
nr =910;
condition = Dia_Dog_food_condition;
information = Dia_Dog_ow_food_info;
important = FALSE;
permanent = TRUE;
Description = "Füttern";
};
instance Dia_Dog_di_food (C_INFO)
{
npc = Dog_di;
nr =910;
condition = Dia_Dog_food_condition;
information = Dia_Dog_di_food_info;
important = FALSE;
permanent = TRUE;
Description = "Füttern";
};
instance Dia_Dog_addon_food (C_INFO)
{
npc = Dog_addon;
nr =910;
condition = Dia_Dog_food_condition;
information = Dia_Dog_addon_food_info;
important = FALSE;
permanent = TRUE;
Description = "Füttern";
};
func int Dia_Dog_food_condition ()
{
IF (dogmenu==0)
{
return TRUE;
};
};
func void Dia_Dog_food_info ()
{
Info_ClearChoices (Dia_Dog_food);
Info_AddChoice (Dia_Dog_food, DIALOG_BACK,Dia_Dog_food_Back);
Info_AddChoice (Dia_Dog_food,"Fleischkeule" ,Dia_Dog_food_1);
Info_AddChoice (Dia_Dog_food, "Schinken" ,Dia_Dog_food_2);
Info_AddChoice (Dia_Dog_food, "Mehrere Fleischkeulen" ,Dia_Dog_food_3);
};
FUNC VOID Dia_Dog_food_Back ()
{
Info_ClearChoices (Dia_Dog_food);
};
func void Dia_Dog_food_1 ()
{
if (Npc_HasItems(hero,ItFoMuttonRaw)>=1)
{
Npc_RemoveInvItems(hero,ItFoMuttonRaw,1);
if (self.attribute[ATR_HITPOINTS]>=(self.attribute[ATR_HITPOINTS_MAX]-10))
{
self.attribute[ATR_HITPOINTS]=self.attribute[ATR_HITPOINTS_MAX];
dogsay (self, other);
}
else
{
self.attribute[ATR_HITPOINTS]=self.attribute[ATR_HITPOINTS]+10;
dogsay (self, other);
};
}
else
{
PrintScreen ("Kein Fleisch vohanden!", -1, -1, FONT_SCREEN, 2);
};
hpstring = ConcatStrings (IntToString(self.attribute[ATR_HITPOINTS]), " / ");
hpstring2 = ConcatStrings (HPSTRING, IntToString(self.attribute[ATR_HITPOINTS_MAX]));
PrintScreen (HPstring2, -1, 6, FONT_SCREEN, 2);
Info_ClearChoices (Dia_Dog_food);
Info_AddChoice (Dia_Dog_food, DIALOG_BACK,Dia_Dog_food_Back);
Info_AddChoice (Dia_Dog_food,"Fleischkeule" ,Dia_Dog_food_1);
Info_AddChoice (Dia_Dog_food, "Schinken" ,Dia_Dog_food_2);
Info_AddChoice (Dia_Dog_food, "Mehrere Fleischkeulen" ,Dia_Dog_food_3);
};
func void Dia_Dog_food_2 ()
{
if (Npc_HasItems(hero,ItFo_Bacon)>=1)
{
Npc_RemoveInvItems(hero,ItFo_Bacon,1);
if (self.attribute[ATR_HITPOINTS]<=self.attribute[ATR_HITPOINTS_MAX])
{
self.attribute[ATR_HITPOINTS]=self.attribute[ATR_HITPOINTS_MAX];
dogsay (self, other);
};
}
else
{
PrintScreen ("Kein Fleisch vohanden!", -1, -1, FONT_SCREEN, 2);
};
hpstring = ConcatStrings (IntToString(self.attribute[ATR_HITPOINTS]), " / ");
hpstring2 = ConcatStrings (HPSTRING, IntToString(self.attribute[ATR_HITPOINTS_MAX]));
PrintScreen (HPstring2, -1, 6, FONT_SCREEN, 2);
Info_ClearChoices (Dia_Dog_food);
Info_AddChoice (Dia_Dog_food, DIALOG_BACK,Dia_Dog_food_Back);
Info_AddChoice (Dia_Dog_food,"Fleischkeule" ,Dia_Dog_food_1);
Info_AddChoice (Dia_Dog_food, "Schinken" ,Dia_Dog_food_2);
Info_AddChoice (Dia_Dog_food, "Mehrere Fleischkeulen" ,Dia_Dog_food_3);
};
func void Dia_Dog_food_3 ()
{
var int hphp;
var int fleischzahl;
if (Npc_HasItems(hero,ItFoMuttonRaw)>=1)
{
hphp = self.attribute[ATR_HITPOINTS_MAX] - self.attribute[ATR_HITPOINTS];
hphp=hphp/10;
fleischzahl= Npc_HasItems(hero,ItFoMuttonRaw);
if (Npc_HasItems(hero,ItFoMuttonRaw)>=hphp)
{
Npc_RemoveInvItems(hero,ItFoMuttonRaw,hphp);
self.attribute[ATR_HITPOINTS]=self.attribute[ATR_HITPOINTS_MAX];
dogsay (self, other);
}
else
{
Npc_RemoveInvItems(hero,ItFoMuttonRaw,fleischzahl);
self.attribute[ATR_HITPOINTS]=(self.attribute[ATR_HITPOINTS]+ (fleischzahl*10));
dogsay (self, other);
};
}
else
{
PrintScreen ("Kein Fleisch vohanden!", -1, -1, FONT_SCREEN, 2);
};
hpstring = ConcatStrings (IntToString(self.attribute[ATR_HITPOINTS]), " / ");
hpstring2 = ConcatStrings (HPSTRING, IntToString(self.attribute[ATR_HITPOINTS_MAX]));
PrintScreen (HPstring2, -1, 6, FONT_SCREEN, 2);
Info_ClearChoices (Dia_Dog_food);
Info_AddChoice (Dia_Dog_food, DIALOG_BACK,Dia_Dog_food_Back);
Info_AddChoice (Dia_Dog_food,"Fleischkeule" ,Dia_Dog_food_1);
Info_AddChoice (Dia_Dog_food, "Schinken" ,Dia_Dog_food_2);
Info_AddChoice (Dia_Dog_food, "Mehrere Fleischkeulen" ,Dia_Dog_food_3);
};
func void Dia_Dog_ow_food_info ()
{
Info_ClearChoices (Dia_Dog_ow_food);
Info_AddChoice (Dia_Dog_ow_food, DIALOG_BACK,Dia_Dog_ow_food_Back);
Info_AddChoice (Dia_Dog_ow_food,"Fleischkeule" ,Dia_Dog_ow_food_1);
Info_AddChoice (Dia_Dog_ow_food, "Schinken" ,Dia_Dog_ow_food_2);
Info_AddChoice (Dia_Dog_ow_food, "Mehrere Fleischkeulen" ,Dia_Dog_ow_food_3);
};
FUNC VOID Dia_Dog_ow_food_Back ()
{
Info_ClearChoices (Dia_Dog_ow_food);
};
func void Dia_Dog_ow_food_1 ()
{
if (Npc_HasItems(hero,ItFoMuttonRaw)>=1)
{
Npc_RemoveInvItems(hero,ItFoMuttonRaw,1);
if (self.attribute[ATR_HITPOINTS]>=(self.attribute[ATR_HITPOINTS_MAX]-10))
{
self.attribute[ATR_HITPOINTS]=self.attribute[ATR_HITPOINTS_MAX];
dogsay (self, other);
}
else
{
self.attribute[ATR_HITPOINTS]=self.attribute[ATR_HITPOINTS]+10;
dogsay (self, other);
};
}
else
{
PrintScreen ("Kein Fleisch vohanden!", -1, -1, FONT_SCREEN, 2);
};
hpstring = ConcatStrings (IntToString(self.attribute[ATR_HITPOINTS]), " / ");
hpstring2 = ConcatStrings (HPSTRING, IntToString(self.attribute[ATR_HITPOINTS_MAX]));
PrintScreen (HPstring2, -1, 6, FONT_SCREEN, 2);
Info_ClearChoices (Dia_Dog_ow_food);
Info_AddChoice (Dia_Dog_ow_food, DIALOG_BACK,Dia_Dog_ow_food_Back);
Info_AddChoice (Dia_Dog_ow_food,"Fleischkeule" ,Dia_Dog_ow_food_1);
Info_AddChoice (Dia_Dog_ow_food, "Schinken" ,Dia_Dog_ow_food_2);
Info_AddChoice (Dia_Dog_ow_food, "Mehrere Fleischkeulen" ,Dia_Dog_ow_food_3);
};
func void Dia_Dog_ow_food_2 ()
{
if (Npc_HasItems(hero,ItFo_Bacon)>=1)
{
Npc_RemoveInvItems(hero,ItFo_Bacon,1);
if (self.attribute[ATR_HITPOINTS]<=self.attribute[ATR_HITPOINTS_MAX])
{
self.attribute[ATR_HITPOINTS]=self.attribute[ATR_HITPOINTS_MAX];
dogsay (self, other);
};
}
else
{
PrintScreen ("Kein Fleisch vohanden!", -1, -1, FONT_SCREEN, 2);
};
hpstring = ConcatStrings (IntToString(self.attribute[ATR_HITPOINTS]), " / ");
hpstring2 = ConcatStrings (HPSTRING, IntToString(self.attribute[ATR_HITPOINTS_MAX]));
PrintScreen (HPstring2, -1, 6, FONT_SCREEN, 2);
Info_ClearChoices (Dia_Dog_ow_food);
Info_AddChoice (Dia_Dog_ow_food, DIALOG_BACK,Dia_Dog_ow_food_Back);
Info_AddChoice (Dia_Dog_ow_food,"Fleischkeule" ,Dia_Dog_ow_food_1);
Info_AddChoice (Dia_Dog_ow_food, "Schinken" ,Dia_Dog_ow_food_2);
Info_AddChoice (Dia_Dog_ow_food, "Mehrere Fleischkeulen" ,Dia_Dog_ow_food_3);
};
func void Dia_Dog_ow_food_3 ()
{
var int hphp;
var int fleischzahl;
if (Npc_HasItems(hero,ItFoMuttonRaw)>=1)
{
hphp = self.attribute[ATR_HITPOINTS_MAX] - self.attribute[ATR_HITPOINTS];
hphp=hphp/10;
fleischzahl= Npc_HasItems(hero,ItFoMuttonRaw);
if (Npc_HasItems(hero,ItFoMuttonRaw)>=hphp)
{
Npc_RemoveInvItems(hero,ItFoMuttonRaw,hphp);
self.attribute[ATR_HITPOINTS]=self.attribute[ATR_HITPOINTS_MAX];
dogsay (self, other);
}
else
{
Npc_RemoveInvItems(hero,ItFoMuttonRaw,fleischzahl);
self.attribute[ATR_HITPOINTS]=(self.attribute[ATR_HITPOINTS]+ (fleischzahl*10));
dogsay (self, other);
};
}
else
{
PrintScreen ("Kein Fleisch vohanden!", -1, -1, FONT_SCREEN, 2);
};
hpstring = ConcatStrings (IntToString(self.attribute[ATR_HITPOINTS]), " / ");
hpstring2 = ConcatStrings (HPSTRING, IntToString(self.attribute[ATR_HITPOINTS_MAX]));
PrintScreen (HPstring2, -1, 6, FONT_SCREEN, 2);
Info_ClearChoices (Dia_Dog_ow_food);
Info_AddChoice (Dia_Dog_ow_food, DIALOG_BACK,Dia_Dog_ow_food_Back);
Info_AddChoice (Dia_Dog_ow_food,"Fleischkeule" ,Dia_Dog_ow_food_1);
Info_AddChoice (Dia_Dog_ow_food, "Schinken" ,Dia_Dog_ow_food_2);
Info_AddChoice (Dia_Dog_ow_food, "Mehrere Fleischkeulen" ,Dia_Dog_ow_food_3);
};
func void Dia_Dog_di_food_info ()
{
Info_ClearChoices (Dia_Dog_di_food);
Info_AddChoice (Dia_Dog_di_food, DIALOG_BACK,Dia_Dog_di_food_Back);
Info_AddChoice (Dia_Dog_di_food,"Fleischkeule" ,Dia_Dog_di_food_1);
Info_AddChoice (Dia_Dog_di_food, "Schinken" ,Dia_Dog_di_food_2);
Info_AddChoice (Dia_Dog_di_food, "Mehrere Fleischkeulen" ,Dia_Dog_di_food_3);
};
FUNC VOID Dia_Dog_di_food_Back ()
{
Info_ClearChoices (Dia_Dog_di_food);
};
func void Dia_Dog_di_food_1 ()
{
if (Npc_HasItems(hero,ItFoMuttonRaw)>=1)
{
Npc_RemoveInvItems(hero,ItFoMuttonRaw,1);
if (self.attribute[ATR_HITPOINTS]>=(self.attribute[ATR_HITPOINTS_MAX]-10))
{
self.attribute[ATR_HITPOINTS]=self.attribute[ATR_HITPOINTS_MAX];
dogsay (self, other);
}
else
{
self.attribute[ATR_HITPOINTS]=self.attribute[ATR_HITPOINTS]+10;
dogsay (self, other);
};
}
else
{
PrintScreen ("Kein Fleisch vohanden!", -1, -1, FONT_SCREEN, 2);
};
hpstring = ConcatStrings (IntToString(self.attribute[ATR_HITPOINTS]), " / ");
hpstring2 = ConcatStrings (HPSTRING, IntToString(self.attribute[ATR_HITPOINTS_MAX]));
PrintScreen (HPstring2, -1, 6, FONT_SCREEN, 2);
Info_ClearChoices (Dia_Dog_di_food);
Info_AddChoice (Dia_Dog_di_food, DIALOG_BACK,Dia_Dog_di_food_Back);
Info_AddChoice (Dia_Dog_di_food,"Fleischkeule" ,Dia_Dog_di_food_1);
Info_AddChoice (Dia_Dog_di_food, "Schinken" ,Dia_Dog_di_food_2);
Info_AddChoice (Dia_Dog_di_food, "Mehrere Fleischkeulen" ,Dia_Dog_di_food_3);
};
func void Dia_Dog_di_food_2 ()
{
if (Npc_HasItems(hero,ItFo_Bacon)>=1)
{
Npc_RemoveInvItems(hero,ItFo_Bacon,1);
if (self.attribute[ATR_HITPOINTS]<=self.attribute[ATR_HITPOINTS_MAX])
{
self.attribute[ATR_HITPOINTS]=self.attribute[ATR_HITPOINTS_MAX];
dogsay (self, other);
};
}
else
{
PrintScreen ("Kein Fleisch vohanden!", -1, -1, FONT_SCREEN, 2);
};
hpstring = ConcatStrings (IntToString(self.attribute[ATR_HITPOINTS]), " / ");
hpstring2 = ConcatStrings (HPSTRING, IntToString(self.attribute[ATR_HITPOINTS_MAX]));
PrintScreen (HPstring2, -1, 6, FONT_SCREEN, 2);
Info_ClearChoices (Dia_Dog_di_food);
Info_AddChoice (Dia_Dog_di_food, DIALOG_BACK,Dia_Dog_di_food_Back);
Info_AddChoice (Dia_Dog_di_food,"Fleischkeule" ,Dia_Dog_di_food_1);
Info_AddChoice (Dia_Dog_di_food, "Schinken" ,Dia_Dog_di_food_2);
Info_AddChoice (Dia_Dog_di_food, "Mehrere Fleischkeulen" ,Dia_Dog_di_food_3);
};
func void Dia_Dog_di_food_3 ()
{
var int hphp;
var int fleischzahl;
if (Npc_HasItems(hero,ItFoMuttonRaw)>=1)
{
hphp = self.attribute[ATR_HITPOINTS_MAX] - self.attribute[ATR_HITPOINTS];
hphp=hphp/10;
fleischzahl= Npc_HasItems(hero,ItFoMuttonRaw);
if (Npc_HasItems(hero,ItFoMuttonRaw)>=hphp)
{
Npc_RemoveInvItems(hero,ItFoMuttonRaw,hphp);
self.attribute[ATR_HITPOINTS]=self.attribute[ATR_HITPOINTS_MAX];
dogsay (self, other);
}
else
{
Npc_RemoveInvItems(hero,ItFoMuttonRaw,fleischzahl);
self.attribute[ATR_HITPOINTS]=(self.attribute[ATR_HITPOINTS]+ (fleischzahl*10));
dogsay (self, other);
};
}
else
{
PrintScreen ("Kein Fleisch vohanden!", -1, -1, FONT_SCREEN, 2);
};
hpstring = ConcatStrings (IntToString(self.attribute[ATR_HITPOINTS]), " / ");
hpstring2 = ConcatStrings (HPSTRING, IntToString(self.attribute[ATR_HITPOINTS_MAX]));
PrintScreen (HPstring2, -1, 6, FONT_SCREEN, 2);
Info_ClearChoices (Dia_Dog_di_food);
Info_AddChoice (Dia_Dog_di_food, DIALOG_BACK,Dia_Dog_di_food_Back);
Info_AddChoice (Dia_Dog_di_food,"Fleischkeule" ,Dia_Dog_di_food_1);
Info_AddChoice (Dia_Dog_di_food, "Schinken" ,Dia_Dog_di_food_2);
Info_AddChoice (Dia_Dog_di_food, "Mehrere Fleischkeulen" ,Dia_Dog_di_food_3);
};
func void Dia_Dog_addon_food_info ()
{
Info_ClearChoices (Dia_Dog_addon_food);
Info_AddChoice (Dia_Dog_addon_food, DIALOG_BACK,Dia_Dog_addon_food_Back);
Info_AddChoice (Dia_Dog_addon_food,"Fleischkeule" ,Dia_Dog_addon_food_1);
Info_AddChoice (Dia_Dog_addon_food, "Schinken" ,Dia_Dog_addon_food_2);
Info_AddChoice (Dia_Dog_addon_food, "Mehrere Fleischkeulen" ,Dia_Dog_addon_food_3);
};
FUNC VOID Dia_Dog_addon_food_Back ()
{
Info_ClearChoices (Dia_Dog_addon_food);
};
func void Dia_Dog_addon_food_1 ()
{
if (Npc_HasItems(hero,ItFoMuttonRaw)>=1)
{
Npc_RemoveInvItems(hero,ItFoMuttonRaw,1);
if (self.attribute[ATR_HITPOINTS]>=(self.attribute[ATR_HITPOINTS_MAX]-10))
{
self.attribute[ATR_HITPOINTS]=self.attribute[ATR_HITPOINTS_MAX];
dogsay (self, other);
}
else
{
self.attribute[ATR_HITPOINTS]=self.attribute[ATR_HITPOINTS]+10;
dogsay (self, other);
};
}
else
{
PrintScreen ("Kein Fleisch vohanden!", -1, -1, FONT_SCREEN, 2);
};
hpstring = ConcatStrings (IntToString(self.attribute[ATR_HITPOINTS]), " / ");
hpstring2 = ConcatStrings (HPSTRING, IntToString(self.attribute[ATR_HITPOINTS_MAX]));
PrintScreen (HPstring2, -1, 6, FONT_SCREEN, 2);
Info_ClearChoices (Dia_Dog_addon_food);
Info_AddChoice (Dia_Dog_addon_food, DIALOG_BACK,Dia_Dog_addon_food_Back);
Info_AddChoice (Dia_Dog_addon_food,"Fleischkeule" ,Dia_Dog_addon_food_1);
Info_AddChoice (Dia_Dog_addon_food, "Schinken" ,Dia_Dog_addon_food_2);
Info_AddChoice (Dia_Dog_addon_food, "Mehrere Fleischkeulen" ,Dia_Dog_addon_food_3);
};
func void Dia_Dog_addon_food_2 ()
{
if (Npc_HasItems(hero,ItFo_Bacon)>=1)
{
Npc_RemoveInvItems(hero,ItFo_Bacon,1);
if (self.attribute[ATR_HITPOINTS]<=self.attribute[ATR_HITPOINTS_MAX])
{
self.attribute[ATR_HITPOINTS]=self.attribute[ATR_HITPOINTS_MAX];
dogsay (self, other);
};
}
else
{
PrintScreen ("Kein Fleisch vohanden!", -1, -1, FONT_SCREEN, 2);
};
hpstring = ConcatStrings (IntToString(self.attribute[ATR_HITPOINTS]), " / ");
hpstring2 = ConcatStrings (HPSTRING, IntToString(self.attribute[ATR_HITPOINTS_MAX]));
PrintScreen (HPstring2, -1, 6, FONT_SCREEN, 2);
Info_ClearChoices (Dia_Dog_addon_food);
Info_AddChoice (Dia_Dog_addon_food, DIALOG_BACK,Dia_Dog_addon_food_Back);
Info_AddChoice (Dia_Dog_addon_food,"Fleischkeule" ,Dia_Dog_addon_food_1);
Info_AddChoice (Dia_Dog_addon_food, "Schinken" ,Dia_Dog_addon_food_2);
Info_AddChoice (Dia_Dog_addon_food, "Mehrere Fleischkeulen" ,Dia_Dog_addon_food_3);
};
func void Dia_Dog_addon_food_3 ()
{
var int hphp;
var int fleischzahl;
if (Npc_HasItems(hero,ItFoMuttonRaw)>=1)
{
hphp = self.attribute[ATR_HITPOINTS_MAX] - self.attribute[ATR_HITPOINTS];
hphp=hphp/10;
fleischzahl= Npc_HasItems(hero,ItFoMuttonRaw);
if (Npc_HasItems(hero,ItFoMuttonRaw)>=hphp)
{
Npc_RemoveInvItems(hero,ItFoMuttonRaw,hphp);
self.attribute[ATR_HITPOINTS]=self.attribute[ATR_HITPOINTS_MAX];
dogsay (self, other);
}
else
{
Npc_RemoveInvItems(hero,ItFoMuttonRaw,fleischzahl);
self.attribute[ATR_HITPOINTS]=(self.attribute[ATR_HITPOINTS]+ (fleischzahl*10));
dogsay (self, other);
};
}
else
{
PrintScreen ("Kein Fleisch vohanden!", -1, -1, FONT_SCREEN, 2);
};
hpstring = ConcatStrings (IntToString(self.attribute[ATR_HITPOINTS]), " / ");
hpstring2 = ConcatStrings (HPSTRING, IntToString(self.attribute[ATR_HITPOINTS_MAX]));
PrintScreen (HPstring2, -1, 6, FONT_SCREEN, 2);
Info_ClearChoices (Dia_Dog_addon_food);
Info_AddChoice (Dia_Dog_addon_food, DIALOG_BACK,Dia_Dog_addon_food_Back);
Info_AddChoice (Dia_Dog_addon_food,"Fleischkeule" ,Dia_Dog_addon_food_1);
Info_AddChoice (Dia_Dog_addon_food, "Schinken" ,Dia_Dog_addon_food_2);
Info_AddChoice (Dia_Dog_addon_food, "Mehrere Fleischkeulen" ,Dia_Dog_addon_food_3);
}; | D |
module android.java.android.icu.util.IllformedLocaleException_d_interface;
import arsd.jni : IJavaObjectImplementation, JavaPackageId, JavaName, IJavaObject, ImportExportImpl, JavaInterfaceMembers;
static import arsd.jni;
import import1 = android.java.java.io.PrintStream_d_interface;
import import4 = android.java.java.lang.Class_d_interface;
import import3 = android.java.java.lang.StackTraceElement_d_interface;
import import2 = android.java.java.io.PrintWriter_d_interface;
import import0 = android.java.java.lang.JavaThrowable_d_interface;
final class IllformedLocaleException : IJavaObject {
static immutable string[] _d_canCastTo = [
];
@Import this(arsd.jni.Default);
@Import this(string);
@Import this(string, int);
@Import int getErrorIndex();
@Import string getMessage();
@Import string getLocalizedMessage();
@Import import0.JavaThrowable getCause();
@Import import0.JavaThrowable initCause(import0.JavaThrowable);
@Import @JavaName("toString") string toString_();
override string toString() { return arsd.jni.javaObjectToString(this); }
@Import void printStackTrace();
@Import void printStackTrace(import1.PrintStream);
@Import void printStackTrace(import2.PrintWriter);
@Import import0.JavaThrowable fillInStackTrace();
@Import import3.StackTraceElement[] getStackTrace();
@Import void setStackTrace(import3.StackTraceElement[]);
@Import void addSuppressed(import0.JavaThrowable);
@Import import0.JavaThrowable[] getSuppressed();
@Import import4.Class getClass();
@Import int hashCode();
@Import bool equals(IJavaObject);
@Import void notify();
@Import void notifyAll();
@Import void wait(long);
@Import void wait(long, int);
@Import void wait();
mixin IJavaObjectImplementation!(false);
public static immutable string _javaParameterString = "Landroid/icu/util/IllformedLocaleException;";
}
| D |
/home/ukasha/Desktop/PIAIC-IoT-Repos/Quarter-1_3.30-6.30/Class_Tasks/Task_27-10-2019/task5/target/debug/deps/task5-b7a5e507c9b7ed72: src/main.rs
/home/ukasha/Desktop/PIAIC-IoT-Repos/Quarter-1_3.30-6.30/Class_Tasks/Task_27-10-2019/task5/target/debug/deps/task5-b7a5e507c9b7ed72.d: src/main.rs
src/main.rs:
| D |
/*
TEST_OUTPUT:
---
fail_compilation/fail310.d(10): Error: undefined identifier 'Foo', did you mean function 'foo'?
fail_compilation/fail310.d(14): Error: template instance fail310.foo!(1, 2) error instantiating
fail_compilation/fail310.d(14): while evaluating: static assert(foo!(1, 2)())
---
*/
Foo foo(A...)()
{
}
static assert(foo!(1, 2)());
| D |
// Copyright (c) 2004-2012 Sergey Lyubka
//
// Permission is hereby granted, free of charge, to any person obtaining a copy
// of this software and associated documentation files (the "Software"), to deal
// in the Software without restriction, including without limitation the rights
// to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
// copies of the Software, and to permit persons to whom the Software is
// furnished to do so, subject to the following conditions:
//
// The above copyright notice and this permission notice shall be included in
// all copies or substantial portions of the Software.
//
// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
// IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
// FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
// AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
// LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
// OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
// THE SOFTWARE.
import core.stdc.config;
extern (C):
alias void* function (void*) mg_thread_func_t;
enum
{
WEBSOCKET_OPCODE_CONTINUATION = 0,
WEBSOCKET_OPCODE_TEXT = 1,
WEBSOCKET_OPCODE_BINARY = 2,
WEBSOCKET_OPCODE_CONNECTION_CLOSE = 8,
WEBSOCKET_OPCODE_PING = 9,
WEBSOCKET_OPCODE_PONG = 10
}
struct mg_context
{
}
struct mg_connection
{
}
struct mg_request_info
{
const(char)* request_method;
const(char)* uri;
const(char)* http_version;
const(char)* query_string;
const(char)* remote_user;
c_long remote_ip;
int remote_port;
int is_ssl;
void* user_data;
void* conn_data;
int num_headers;
struct mg_header {
const(char)* name;
const(char)* value;
}
mg_header[64] http_headers;
}
struct mg_callbacks
{
int function (mg_connection*) begin_request;
void function (const(mg_connection)*, int) end_request;
int function (const(mg_connection)*, const(char)*) log_message;
int function (void*, void*) init_ssl;
int function (const(mg_connection)*) websocket_connect;
void function (mg_connection*) websocket_ready;
int function (mg_connection*, int, char*, size_t) websocket_data;
const(char)* function (const(mg_connection)*, const(char)*, size_t*) open_file;
void function (mg_connection*, void*) init_lua;
void function (mg_connection*, const(char)*) upload;
void function (void*, void**) thread_start;
void function (void*, void**) thread_stop;
}
mg_context* mg_start (const(mg_callbacks)* callbacks, void* user_data, const(char*)* configuration_options);
void mg_stop (mg_context*);
const(char)* mg_get_option (const(mg_context)* ctx, const(char)* name);
const(char*)* mg_get_valid_option_names ();
int mg_modify_passwords_file (const(char)* passwords_file_name, const(char)* domain, const(char)* user, const(char)* password);
mg_request_info* mg_get_request_info (mg_connection*);
int mg_write (mg_connection*, const(void)* buf, size_t len);
int mg_websocket_write (mg_connection* conn, int opcode, const(char)* data, size_t data_len);
int mg_printf (mg_connection*, const(char)* fmt, ...);
void mg_send_file (mg_connection* conn, const(char)* path);
int mg_read (mg_connection*, void* buf, size_t len);
const(char)* mg_get_header (const(mg_connection)*, const(char)* name);
int mg_get_var (const(char)* data, size_t data_len, const(char)* var_name, char* dst, size_t dst_len);
int mg_get_cookie (const(char)* cookie, const(char)* var_name, char* buf, size_t buf_len);
mg_connection* mg_download (const(char)* host, int port, int use_ssl, char* error_buffer, size_t error_buffer_size, const(char)* request_fmt, ...);
void mg_close_connection (mg_connection* conn);
int mg_upload (mg_connection* conn, const(char)* destination_dir);
int mg_start_thread (mg_thread_func_t f, void* p);
const(char)* mg_get_builtin_mime_type (const(char)* file_name);
const(char)* mg_version ();
int mg_url_decode (const(char)* src, int src_len, char* dst, int dst_len, int is_form_url_encoded);
char* mg_md5 (char* buf, ...);
| D |
module routeguide.route_guiderpc;
// Generated by the gRPC dlang plugin.
import routeguide.route_guide;
import std.array;
import grpc;
import google.protobuf;
import hunt.logging;
import core.thread;
class RouteGuideClient
{
this(Channel channel)
{
_channel = channel;
}
Feature GetFeature( Point request)
{
mixin(CM!(Feature , RouteGuideBase.SERVICE));
}
void GetFeature( Point request , void delegate(Status status , Feature response) dele)
{
mixin(CMA!(Feature , RouteGuideBase.SERVICE));
}
ClientReader!Feature ListFeatures(Rectangle request ){
mixin(CM1!(Feature , RouteGuideBase.SERVICE));
}
ClientWriter!Point RecordRoute( ref RouteSummary response ){
mixin(CM2!(Point , RouteGuideBase.SERVICE));
}
ClientReaderWriter!(RouteNote ,RouteNote) RouteChat(){
mixin(CM3!(RouteNote , RouteNote , RouteGuideBase.SERVICE));
}
private:
Channel _channel;
}
class RouteGuideBase: GrpcService
{
enum SERVICE = "routeguide.RouteGuide";
string getModule()
{
return SERVICE;
}
Status GetFeature(Point , ref Feature){ return Status.OK; }
Status ListFeatures(Rectangle , ServerWriter!Feature){ return Status.OK; }
Status RecordRoute(ServerReader!Point , ref RouteSummary){ return Status.OK; }
Status RouteChat(ServerReaderWriter!(RouteNote , RouteNote)){ return Status.OK; }
Status process(string method , GrpcStream stream, ubyte[] complete)
{
switch(method)
{
mixin(SM!(Point , Feature , "GetFeature"));
mixin(SM1!(Rectangle , Feature , "ListFeatures"));
mixin(SM2!(Point , RouteSummary , "RecordRoute"));
mixin(SM3!(RouteNote , RouteNote , "RouteChat"));
mixin(NONE());
}
}
}
| D |
/*
* #147 Spelling - Crawler Plate Armor (DE)
*
* The name of the item "CRW_ARMOR_H" is inspected programmatically.
*
* Expected behavior: The armor will have the correct name (checked for German localization only).
*/
func int G1CP_Test_147() {
// Check language first
if (G1CP_Lang != G1CP_Lang_DE) {
G1CP_TestsuiteErrorDetail("Test applicable for German localization only");
return TRUE; // True?
};
// Check if item exists
var int symbId; symbId = MEM_GetSymbolIndex("CRW_ARMOR_H");
if (symbId == -1) {
G1CP_TestsuiteErrorDetail("Item 'CRW_ARMOR_H' not found");
return FALSE;
};
// Create the armor locally
if (Itm_GetPtr(symbId)) {
if (Hlp_StrCmp(item.name, "Crawlerplatten-Rüstung")) {
return TRUE;
} else {
var string msg; msg = "Name incorrect: name = '";
msg = ConcatStrings(msg, item.name);
msg = ConcatStrings(msg, "'");
G1CP_TestsuiteErrorDetail(msg);
return FALSE;
};
} else {
G1CP_TestsuiteErrorDetail("Item 'CRW_ARMOR_H' could not be created");
return FALSE;
};
};
| D |
/**
A simple HTTP/1.1 client implementation.
Copyright: © 2012-2014 RejectedSoftware e.K.
License: Subject to the terms of the MIT license, as written in the included LICENSE.txt file.
Authors: Sönke Ludwig, Jan Krüger
*/
module vibe.http.client;
public import vibe.core.net;
public import vibe.http.common;
public import vibe.inet.url;
import vibe.core.connectionpool;
import vibe.core.core;
import vibe.core.log;
import vibe.data.json;
import vibe.inet.message;
import vibe.inet.url;
import vibe.stream.counting;
import vibe.stream.tls;
import vibe.stream.operations;
import vibe.stream.wrapper : createConnectionProxyStream;
import vibe.stream.zlib;
import vibe.utils.array;
import vibe.internal.allocator;
import vibe.internal.freelistref;
import vibe.internal.interfaceproxy : InterfaceProxy, interfaceProxy;
import core.exception : AssertError;
import std.algorithm : splitter;
import std.array;
import std.conv;
import std.encoding : sanitize;
import std.exception;
import std.format;
import std.string;
import std.typecons;
import std.datetime;
import std.socket : AddressFamily;
version(Posix)
{
version(VibeLibeventDriver)
{
version = UnixSocket;
}
}
/**************************************************************************************************/
/* Public functions */
/**************************************************************************************************/
@safe:
/**
Performs a synchronous HTTP request on the specified URL.
The requester parameter allows to customize the request and to specify the request body for
non-GET requests before it is sent. A response object is then returned or passed to the
responder callback synchronously.
This function is a low-level HTTP client facility. It will not perform automatic redirect,
caching or similar tasks. For a high-level download facility (similar to cURL), see the
`vibe.inet.urltransfer` module.
Note that it is highly recommended to use one of the overloads that take a responder callback,
as they can avoid some memory allocations and are safe against accidentally leaving stale
response objects (objects whose response body wasn't fully read). For the returning overloads
of the function it is recommended to put a `scope(exit)` right after the call in which
`HTTPClientResponse.dropBody` is called to avoid this.
See_also: `vibe.inet.urltransfer.download`
*/
HTTPClientResponse requestHTTP(string url, scope void delegate(scope HTTPClientRequest req) requester = null, const(HTTPClientSettings) settings = defaultSettings)
{
return requestHTTP(URL.parse(url), requester, settings);
}
/// ditto
HTTPClientResponse requestHTTP(URL url, scope void delegate(scope HTTPClientRequest req) requester = null, const(HTTPClientSettings) settings = defaultSettings)
{
import std.algorithm.searching : canFind;
version(UnixSocket) {
enforce(url.schema == "http" || url.schema == "https" || url.schema == "http+unix" || url.schema == "https+unix", "URL schema must be http(s) or http(s)+unix.");
} else {
enforce(url.schema == "http" || url.schema == "https", "URL schema must be http(s).");
}
enforce(url.host.length > 0, "URL must contain a host name.");
bool use_tls;
if (settings.proxyURL.schema !is null)
use_tls = settings.proxyURL.schema == "https";
else
{
version(UnixSocket)
use_tls = url.schema == "https" || url.schema == "https+unix";
else
use_tls = url.schema == "https";
}
auto cli = connectHTTP(url.getFilteredHost, url.port, use_tls, settings);
auto res = cli.request((req){
if (url.localURI.length) {
assert(url.path.absolute, "Request URL path must be absolute.");
req.requestURL = url.localURI;
}
if (settings.proxyURL.schema !is null)
req.requestURL = url.toString(); // proxy exception to the URL representation
// Provide port number when it is not the default one (RFC2616 section 14.23)
// IPv6 addresses need to be put into brackets
auto hoststr = url.host.canFind(':') ? "["~url.host~"]" : url.host;
if (url.port && url.port != url.defaultPort)
req.headers["Host"] = format("%s:%d", hoststr, url.port);
else
req.headers["Host"] = hoststr;
if ("authorization" !in req.headers && url.username != "") {
import std.base64;
string pwstr = url.username ~ ":" ~ url.password;
req.headers["Authorization"] = "Basic " ~
cast(string)Base64.encode(cast(ubyte[])pwstr);
}
if (requester) requester(req);
});
// make sure the connection stays locked if the body still needs to be read
if( res.m_client ) res.lockedConnection = cli;
logTrace("Returning HTTPClientResponse for conn %s", () @trusted { return cast(void*)res.lockedConnection.__conn; } ());
return res;
}
/// ditto
void requestHTTP(string url, scope void delegate(scope HTTPClientRequest req) requester, scope void delegate(scope HTTPClientResponse req) responder, const(HTTPClientSettings) settings = defaultSettings)
{
requestHTTP(URL(url), requester, responder, settings);
}
/// ditto
void requestHTTP(URL url, scope void delegate(scope HTTPClientRequest req) requester, scope void delegate(scope HTTPClientResponse req) responder, const(HTTPClientSettings) settings = defaultSettings)
{
version(UnixSocket) {
enforce(url.schema == "http" || url.schema == "https" || url.schema == "http+unix" || url.schema == "https+unix", "URL schema must be http(s) or http(s)+unix.");
} else {
enforce(url.schema == "http" || url.schema == "https", "URL schema must be http(s).");
}
enforce(url.host.length > 0, "URL must contain a host name.");
bool use_tls;
if (settings.proxyURL.schema !is null)
use_tls = settings.proxyURL.schema == "https";
else
{
version(UnixSocket)
use_tls = url.schema == "https" || url.schema == "https+unix";
else
use_tls = url.schema == "https";
}
auto cli = connectHTTP(url.getFilteredHost, url.port, use_tls, settings);
cli.request((scope req) {
if (url.localURI.length) {
assert(url.path.absolute, "Request URL path must be absolute.");
req.requestURL = url.localURI;
}
if (settings.proxyURL.schema !is null)
req.requestURL = url.toString(); // proxy exception to the URL representation
// Provide port number when it is not the default one (RFC2616 section 14.23)
if (url.port && url.port != url.defaultPort)
req.headers["Host"] = format("%s:%d", url.host, url.port);
else
req.headers["Host"] = url.host;
if ("authorization" !in req.headers && url.username != "") {
import std.base64;
string pwstr = url.username ~ ":" ~ url.password;
req.headers["Authorization"] = "Basic " ~
cast(string)Base64.encode(cast(ubyte[])pwstr);
}
if (requester) requester(req);
}, responder);
assert(!cli.m_requesting, "HTTP client still requesting after return!?");
assert(!cli.m_responding, "HTTP client still responding after return!?");
}
/** Posts a simple JSON request. Note that the server www.example.org does not
exists, so there will be no meaningful result.
*/
unittest {
import vibe.core.log;
import vibe.http.client;
import vibe.stream.operations;
void test()
{
requestHTTP("http://www.example.org/",
(scope req) {
req.method = HTTPMethod.POST;
//req.writeJsonBody(["name": "My Name"]);
},
(scope res) {
logInfo("Response: %s", res.bodyReader.readAllUTF8());
}
);
}
}
/**
Returns a HTTPClient proxy object that is connected to the specified host.
Internally, a connection pool is used to reuse already existing connections. Note that
usually requestHTTP should be used for making requests instead of manually using a
HTTPClient to do so.
*/
auto connectHTTP(string host, ushort port = 0, bool use_tls = false, const(HTTPClientSettings) settings = null)
{
static struct ConnInfo { string host; ushort port; bool useTLS; string proxyIP; ushort proxyPort; NetworkAddress bind_addr; }
static vibe.utils.array.FixedRingBuffer!(Tuple!(ConnInfo, ConnectionPool!HTTPClient), 16) s_connections;
auto sttngs = settings ? settings : defaultSettings;
if( port == 0 ) port = use_tls ? 443 : 80;
auto ckey = ConnInfo(host, port, use_tls, sttngs.proxyURL.host, sttngs.proxyURL.port, sttngs.networkInterface);
ConnectionPool!HTTPClient pool;
s_connections.opApply((ref c) @safe {
if (c[0] == ckey)
pool = c[1];
return 0;
});
if (!pool) {
logDebug("Create HTTP client pool %s:%s %s proxy %s:%d", host, port, use_tls, sttngs.proxyURL.host, sttngs.proxyURL.port);
pool = new ConnectionPool!HTTPClient({
auto ret = new HTTPClient;
ret.connect(host, port, use_tls, sttngs);
return ret;
});
if (s_connections.full) s_connections.popFront();
s_connections.put(tuple(ckey, pool));
}
return pool.lockConnection();
}
/**************************************************************************************************/
/* Public types */
/**************************************************************************************************/
/**
Defines an HTTP/HTTPS proxy request or a connection timeout for an HTTPClient.
*/
class HTTPClientSettings {
URL proxyURL;
Duration defaultKeepAliveTimeout = 10.seconds;
/// Forces a specific network interface to use for outgoing connections.
NetworkAddress networkInterface = anyAddress;
/// Can be used to force looking up IPv4/IPv6 addresses for host names.
AddressFamily dnsAddressFamily = AddressFamily.UNSPEC;
/** Allows to customize the TLS context before connecting to a server.
Note that this overrides a callback set with `HTTPClient.setTLSContextSetup`.
*/
void delegate(TLSContext ctx) @safe nothrow tlsContextSetup;
@property HTTPClientSettings dup()
const @safe {
auto ret = new HTTPClientSettings;
ret.proxyURL = this.proxyURL;
ret.networkInterface = this.networkInterface;
ret.dnsAddressFamily = this.dnsAddressFamily;
ret.tlsContextSetup = this.tlsContextSetup;
return ret;
}
}
///
unittest {
void test() {
HTTPClientSettings settings = new HTTPClientSettings;
settings.proxyURL = URL.parse("http://proxyuser:proxypass@192.168.2.50:3128");
settings.defaultKeepAliveTimeout = 0.seconds; // closes connection immediately after receiving the data.
requestHTTP("http://www.example.org",
(scope req){
req.method = HTTPMethod.GET;
},
(scope res){
logInfo("Headers:");
foreach(key, ref value; res.headers) {
logInfo("%s: %s", key, value);
}
logInfo("Response: %s", res.bodyReader.readAllUTF8());
}, settings);
}
}
/**
Implementation of a HTTP 1.0/1.1 client with keep-alive support.
Note that it is usually recommended to use requestHTTP for making requests as that will use a
pool of HTTPClient instances to keep the number of connection establishments low while not
blocking requests from different tasks.
*/
final class HTTPClient {
@safe:
enum maxHeaderLineLength = 4096;
private {
Rebindable!(const(HTTPClientSettings)) m_settings;
string m_server;
ushort m_port;
bool m_useTLS;
TCPConnection m_conn;
InterfaceProxy!Stream m_stream;
TLSStream m_tlsStream;
TLSContext m_tls;
static __gshared m_userAgent = "vibe.d/"~vibeVersionString~" (HTTPClient, +http://vibed.org/)";
static __gshared void function(TLSContext) ms_tlsSetup;
bool m_requesting = false, m_responding = false;
SysTime m_keepAliveLimit;
Duration m_keepAliveTimeout;
}
/** Get the current settings for the HTTP client. **/
@property const(HTTPClientSettings) settings() const {
return m_settings;
}
/**
Sets the default user agent string for new HTTP requests.
*/
static void setUserAgentString(string str) @trusted { m_userAgent = str; }
/**
Sets a callback that will be called for every TLS context that is created.
Setting such a callback is useful for adjusting the validation parameters
of the TLS context.
*/
static void setTLSSetupCallback(void function(TLSContext) @safe func) @trusted { ms_tlsSetup = func; }
/**
Connects to a specific server.
This method may only be called if any previous connection has been closed.
*/
void connect(string server, ushort port = 80, bool use_tls = false, const(HTTPClientSettings) settings = defaultSettings)
{
assert(!m_conn);
assert(port != 0);
disconnect();
m_conn = TCPConnection.init;
m_settings = settings;
m_keepAliveTimeout = settings.defaultKeepAliveTimeout;
m_keepAliveLimit = Clock.currTime(UTC()) + m_keepAliveTimeout;
m_server = server;
m_port = port;
m_useTLS = use_tls;
if (use_tls) {
m_tls = createTLSContext(TLSContextKind.client);
// this will be changed to trustedCert once a proper root CA store is available by default
m_tls.peerValidationMode = TLSPeerValidationMode.none;
if (settings.tlsContextSetup) settings.tlsContextSetup(m_tls);
else () @trusted { if (ms_tlsSetup) ms_tlsSetup(m_tls); } ();
}
}
/**
Forcefully closes the TCP connection.
Before calling this method, be sure that no request is currently being processed.
*/
void disconnect()
{
if (m_conn) {
if (m_conn.connected) {
try m_stream.finalize();
catch (Exception e) logDebug("Failed to finalize connection stream when closing HTTP client connection: %s", e.msg);
m_conn.close();
}
if (m_useTLS) () @trusted { return destroy(m_stream); } ();
m_stream = InterfaceProxy!Stream.init;
() @trusted { return destroy(m_conn); } ();
m_conn = TCPConnection.init;
}
}
private void doProxyRequest(T, U)(ref T res, U requester, ref bool close_conn, ref bool has_body)
@trusted { // scope new
import std.conv : to;
import vibe.internal.utilallocator: RegionListAllocator;
version (VibeManualMemoryManagement)
scope request_allocator = new RegionListAllocator!(shared(Mallocator), false)(1024, Mallocator.instance);
else
scope request_allocator = new RegionListAllocator!(shared(GCAllocator), true)(1024, GCAllocator.instance);
res.dropBody();
scope(failure)
res.disconnect();
if (res.statusCode != 407) {
throw new HTTPStatusException(HTTPStatus.internalServerError, "Proxy returned Proxy-Authenticate without a 407 status code.");
}
// send the request again with the proxy authentication information if available
if (m_settings.proxyURL.username is null) {
throw new HTTPStatusException(HTTPStatus.proxyAuthenticationRequired, "Proxy Authentication Required.");
}
m_responding = false;
close_conn = false;
bool found_proxy_auth;
foreach (string proxyAuth; res.headers.getAll("Proxy-Authenticate"))
{
if (proxyAuth.length >= "Basic".length && proxyAuth[0.."Basic".length] == "Basic")
{
found_proxy_auth = true;
break;
}
}
if (!found_proxy_auth)
{
throw new HTTPStatusException(HTTPStatus.notAcceptable, "The Proxy Server didn't allow Basic Authentication");
}
SysTime connected_time;
has_body = doRequestWithRetry(requester, true, close_conn, connected_time);
m_responding = true;
static if (is(T == HTTPClientResponse))
res = new HTTPClientResponse(this, has_body, close_conn, request_allocator, connected_time);
else
res = scoped!HTTPClientResponse(this, has_body, close_conn, request_allocator, connected_time);
if (res.headers.get("Proxy-Authenticate", null) !is null){
res.dropBody();
throw new HTTPStatusException(HTTPStatus.ProxyAuthenticationRequired, "Proxy Authentication Failed.");
}
}
/**
Performs a HTTP request.
`requester` is called first to populate the request with headers and the desired
HTTP method and version. After a response has been received it is then passed
to the caller which can in turn read the reponse body. Any part of the body
that has not been processed will automatically be consumed and dropped.
Note that the `requester` callback might be invoked multiple times in the event
that a request has to be resent due to a connection failure.
Also note that the second form of this method (returning a `HTTPClientResponse`) is
not recommended to use as it may accidentially block a HTTP connection when
only part of the response body was read and also requires a heap allocation
for the response object. The callback based version on the other hand uses
a stack allocation and guarantees that the request has been fully processed
once it has returned.
*/
void request(scope void delegate(scope HTTPClientRequest req) requester, scope void delegate(scope HTTPClientResponse) responder)
@trusted { // scope new
import vibe.internal.utilallocator: RegionListAllocator;
version (VibeManualMemoryManagement)
scope request_allocator = new RegionListAllocator!(shared(Mallocator), false)(1024, Mallocator.instance);
else
scope request_allocator = new RegionListAllocator!(shared(GCAllocator), true)(1024, GCAllocator.instance);
bool close_conn;
SysTime connected_time;
bool has_body = doRequestWithRetry(requester, false, close_conn, connected_time);
m_responding = true;
auto res = scoped!HTTPClientResponse(this, has_body, close_conn, request_allocator, connected_time);
// proxy implementation
if (res.headers.get("Proxy-Authenticate", null) !is null) {
doProxyRequest(res, requester, close_conn, has_body);
}
Exception user_exception;
{
scope (failure) {
m_responding = false;
disconnect();
}
try responder(res);
catch (Exception e) {
logDebug("Error while handling response: %s", e.toString().sanitize());
user_exception = e;
}
if (m_responding) {
logDebug("Failed to handle the complete response of the server - disconnecting.");
res.disconnect();
}
assert(!m_responding, "Still in responding state after finalizing the response!?");
if (user_exception || res.headers.get("Connection") == "close")
disconnect();
}
if (user_exception) throw user_exception;
}
/// ditto
HTTPClientResponse request(scope void delegate(HTTPClientRequest) requester)
{
bool close_conn;
SysTime connected_time;
bool has_body = doRequestWithRetry(requester, false, close_conn, connected_time);
m_responding = true;
auto res = new HTTPClientResponse(this, has_body, close_conn, () @trusted { return vibeThreadAllocator(); } (), connected_time);
// proxy implementation
if (res.headers.get("Proxy-Authenticate", null) !is null) {
doProxyRequest(res, requester, close_conn, has_body);
}
return res;
}
private bool doRequestWithRetry(scope void delegate(HTTPClientRequest req) requester, bool confirmed_proxy_auth /* basic only */, out bool close_conn, out SysTime connected_time)
{
if (m_conn && m_conn.connected && connected_time > m_keepAliveLimit){
logDebug("Disconnected to avoid timeout");
disconnect();
}
// check if this isn't the first request on a connection
bool is_persistent_request = m_conn && m_conn.connected;
// retry the request if the connection gets closed prematurely and this is a persistent request
bool has_body;
foreach (i; 0 .. is_persistent_request ? 2 : 1) {
connected_time = Clock.currTime(UTC());
close_conn = false;
has_body = doRequest(requester, close_conn, false, connected_time);
logTrace("HTTP client waiting for response");
if (!m_stream.empty) break;
enforce(i != 1, "Second attempt to send HTTP request failed.");
}
return has_body;
}
private bool doRequest(scope void delegate(HTTPClientRequest req) requester, ref bool close_conn, bool confirmed_proxy_auth = false /* basic only */, SysTime connected_time = Clock.currTime(UTC()))
{
assert(!m_requesting, "Interleaved HTTP client requests detected!");
assert(!m_responding, "Interleaved HTTP client request/response detected!");
m_requesting = true;
scope(exit) m_requesting = false;
if (!m_conn || !m_conn.connected) {
if (m_conn) m_conn.close(); // make sure all resources are freed
if (m_settings.proxyURL.host !is null){
enum AddressType {
IPv4,
IPv6,
Host
}
static AddressType getAddressType(string host){
import std.regex : regex, Captures, Regex, matchFirst;
static IPv4Regex = regex(`^\s*((25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)\.(25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)\.(25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)\.(25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?))\s*$`, ``);
static IPv6Regex = regex(`^\s*((([0-9A-Fa-f]{1,4}:){7}([0-9A-Fa-f]{1,4}|:))|(([0-9A-Fa-f]{1,4}:){6}(:[0-9A-Fa-f]{1,4}|((25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(\.(25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3})|:))|(([0-9A-Fa-f]{1,4}:){5}(((:[0-9A-Fa-f]{1,4}){1,2})|:((25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(\.(25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3})|:))|(([0-9A-Fa-f]{1,4}:){4}(((:[0-9A-Fa-f]{1,4}){1,3})|((:[0-9A-Fa-f]{1,4})?:((25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(\.(25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3}))|:))|(([0-9A-Fa-f]{1,4}:){3}(((:[0-9A-Fa-f]{1,4}){1,4})|((:[0-9A-Fa-f]{1,4}){0,2}:((25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(\.(25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3}))|:))|(([0-9A-Fa-f]{1,4}:){2}(((:[0-9A-Fa-f]{1,4}){1,5})|((:[0-9A-Fa-f]{1,4}){0,3}:((25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(\.(25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3}))|:))|(([0-9A-Fa-f]{1,4}:){1}(((:[0-9A-Fa-f]{1,4}){1,6})|((:[0-9A-Fa-f]{1,4}){0,4}:((25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(\.(25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3}))|:))|(:(((:[0-9A-Fa-f]{1,4}){1,7})|((:[0-9A-Fa-f]{1,4}){0,5}:((25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(\.(25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3}))|:)))(%.+)?\s*$`, ``);
if (!matchFirst(host, IPv4Regex).empty)
{
return AddressType.IPv4;
}
else if (!matchFirst(host, IPv6Regex).empty)
{
return AddressType.IPv6;
}
else
{
return AddressType.Host;
}
}
import std.functional : memoize;
alias findAddressType = memoize!getAddressType;
bool use_dns;
if (() @trusted { return findAddressType(m_settings.proxyURL.host); } () == AddressType.Host)
{
use_dns = true;
}
NetworkAddress proxyAddr = resolveHost(m_settings.proxyURL.host, m_settings.dnsAddressFamily, use_dns);
proxyAddr.port = m_settings.proxyURL.port;
m_conn = connectTCP(proxyAddr, m_settings.networkInterface);
}
else {
version(UnixSocket)
{
import core.sys.posix.sys.un;
import core.sys.posix.sys.socket;
import std.regex : regex, Captures, Regex, matchFirst, ctRegex;
import core.stdc.string : strcpy;
NetworkAddress addr;
if (m_server[0] == '/')
{
addr.family = AF_UNIX;
sockaddr_un* s = addr.sockAddrUnix();
enforce(s.sun_path.length > m_server.length, "Unix sockets cannot have that long a name.");
s.sun_family = AF_UNIX;
() @trusted { strcpy(cast(char*)s.sun_path.ptr,m_server.toStringz()); } ();
} else
{
addr = resolveHost(m_server, m_settings.dnsAddressFamily);
addr.port = m_port;
}
m_conn = connectTCP(addr, m_settings.networkInterface);
} else
{
auto addr = resolveHost(m_server, m_settings.dnsAddressFamily);
addr.port = m_port;
m_conn = connectTCP(addr, m_settings.networkInterface);
}
}
m_stream = m_conn;
if (m_useTLS) {
try m_tlsStream = createTLSStream(m_conn, m_tls, TLSStreamState.connecting, m_server, m_conn.remoteAddress);
catch (Exception e) {
m_conn.close();
throw e;
}
m_stream = m_tlsStream;
}
}
return () @trusted { // scoped
auto req = scoped!HTTPClientRequest(m_stream, m_conn);
if (m_useTLS)
req.m_peerCertificate = m_tlsStream.peerCertificate;
req.headers["User-Agent"] = m_userAgent;
if (m_settings.proxyURL.host !is null){
req.headers["Proxy-Connection"] = "keep-alive";
if (confirmed_proxy_auth)
{
import std.base64;
ubyte[] user_pass = cast(ubyte[])(m_settings.proxyURL.username ~ ":" ~ m_settings.proxyURL.password);
req.headers["Proxy-Authorization"] = "Basic " ~ cast(string) Base64.encode(user_pass);
}
}
else {
req.headers["Connection"] = "keep-alive";
}
req.headers["Accept-Encoding"] = "gzip, deflate";
req.headers["Host"] = m_server;
requester(req);
if (req.httpVersion == HTTPVersion.HTTP_1_0)
close_conn = true;
else if (m_settings.proxyURL.host !is null)
close_conn = req.headers.get("Proxy-Connection", "keep-alive") != "keep-alive";
else
close_conn = req.headers.get("Connection", "keep-alive") != "keep-alive";
req.finalize();
return req.method != HTTPMethod.HEAD;
} ();
}
}
/**
Represents a HTTP client request (as sent to the server).
*/
final class HTTPClientRequest : HTTPRequest {
private {
InterfaceProxy!OutputStream m_bodyWriter;
FreeListRef!ChunkedOutputStream m_chunkedStream;
bool m_headerWritten = false;
FixedAppender!(string, 22) m_contentLengthBuffer;
TCPConnection m_rawConn;
TLSCertificateInformation m_peerCertificate;
}
/// private
this(InterfaceProxy!Stream conn, TCPConnection raw_conn)
{
super(conn);
m_rawConn = raw_conn;
}
@property NetworkAddress localAddress() const { return m_rawConn.localAddress; }
@property NetworkAddress remoteAddress() const { return m_rawConn.remoteAddress; }
@property ref inout(TLSCertificateInformation) peerCertificate() inout { return m_peerCertificate; }
/**
Accesses the Content-Length header of the request.
Negative values correspond to an unset Content-Length header.
*/
@property long contentLength() const { return headers.get("Content-Length", "-1").to!long(); }
/// ditto
@property void contentLength(long value)
{
if (value >= 0) headers["Content-Length"] = clengthString(value);
else if ("Content-Length" in headers) headers.remove("Content-Length");
}
/**
Writes the whole request body at once using raw bytes.
*/
void writeBody(RandomAccessStream data)
{
writeBody(data, data.size - data.tell());
}
/// ditto
void writeBody(InputStream data)
{
headers["Transfer-Encoding"] = "chunked";
data.pipe(bodyWriter);
finalize();
}
/// ditto
void writeBody(InputStream data, ulong length)
{
headers["Content-Length"] = clengthString(length);
data.pipe(bodyWriter, length);
finalize();
}
/// ditto
void writeBody(in ubyte[] data, string content_type = null)
{
if( content_type != "" ) headers["Content-Type"] = content_type;
headers["Content-Length"] = clengthString(data.length);
bodyWriter.write(data);
finalize();
}
/**
Writes the request body as JSON data.
*/
void writeJsonBody(T)(T data, bool allow_chunked = false)
{
import vibe.stream.wrapper : streamOutputRange;
headers["Content-Type"] = "application/json";
// set an explicit content-length field if chunked encoding is not allowed
if (!allow_chunked) {
import vibe.internal.rangeutil;
long length = 0;
auto counter = () @trusted { return RangeCounter(&length); } ();
() @trusted { serializeToJson(counter, data); } ();
headers["Content-Length"] = clengthString(length);
}
auto rng = streamOutputRange!1024(bodyWriter);
() @trusted { serializeToJson(&rng, data); } ();
rng.flush();
finalize();
}
/** Writes the request body as form data.
*/
void writeFormBody(T)(T key_value_map)
{
import vibe.inet.webform : formEncode;
import vibe.stream.wrapper : streamOutputRange;
import vibe.internal.rangeutil;
long length = 0;
auto counter = () @trusted { return RangeCounter(&length); } ();
counter.formEncode(key_value_map);
headers["Content-Length"] = clengthString(length);
headers["Content-Type"] = "application/x-www-form-urlencoded";
auto dst = streamOutputRange!1024(bodyWriter);
() @trusted { return &dst; } ().formEncode(key_value_map);
}
///
unittest {
void test(HTTPClientRequest req) {
req.writeFormBody(["foo": "bar"]);
}
}
void writePart(MultiPart part)
{
assert(false, "TODO");
}
/**
An output stream suitable for writing the request body.
The first retrieval will cause the request header to be written, make sure
that all headers are set up in advance.s
*/
@property InterfaceProxy!OutputStream bodyWriter()
{
if (m_bodyWriter) return m_bodyWriter;
assert(!m_headerWritten, "Trying to write request body after body was already written.");
if ("Content-Length" !in headers && "Transfer-Encoding" !in headers
&& headers.get("Connection", "") != "close")
{
headers["Transfer-Encoding"] = "chunked";
}
writeHeader();
m_bodyWriter = m_conn;
if (headers.get("Transfer-Encoding", null) == "chunked") {
m_chunkedStream = createChunkedOutputStreamFL(m_bodyWriter);
m_bodyWriter = m_chunkedStream;
}
return m_bodyWriter;
}
private void writeHeader()
{
import vibe.stream.wrapper;
assert(!m_headerWritten, "HTTPClient tried to write headers twice.");
m_headerWritten = true;
auto output = streamOutputRange!1024(m_conn);
formattedWrite(() @trusted { return &output; } (), "%s %s %s\r\n", httpMethodString(method), requestURL, getHTTPVersionString(httpVersion));
logTrace("--------------------");
logTrace("HTTP client request:");
logTrace("--------------------");
logTrace("%s", this);
foreach (k, v; headers) {
() @trusted { formattedWrite(&output, "%s: %s\r\n", k, v); } ();
logTrace("%s: %s", k, v);
}
output.put("\r\n");
logTrace("--------------------");
}
private void finalize()
{
// test if already finalized
if (m_headerWritten && !m_bodyWriter)
return;
// force the request to be sent
if (!m_headerWritten) writeHeader();
else {
bodyWriter.flush();
if (m_chunkedStream) {
m_bodyWriter.finalize();
m_conn.flush();
}
m_bodyWriter = typeof(m_bodyWriter).init;
m_conn = typeof(m_conn).init;
}
}
private string clengthString(ulong len)
{
m_contentLengthBuffer.clear();
() @trusted { formattedWrite(&m_contentLengthBuffer, "%s", len); } ();
return () @trusted { return m_contentLengthBuffer.data; } ();
}
}
/**
Represents a HTTP client response (as received from the server).
*/
final class HTTPClientResponse : HTTPResponse {
@safe:
private {
HTTPClient m_client;
LockedConnection!HTTPClient lockedConnection;
FreeListRef!LimitedInputStream m_limitedInputStream;
FreeListRef!ChunkedInputStream m_chunkedInputStream;
FreeListRef!ZlibInputStream m_zlibInputStream;
FreeListRef!EndCallbackInputStream m_endCallback;
InterfaceProxy!InputStream m_bodyReader;
bool m_closeConn;
int m_maxRequests;
}
/// Contains the keep-alive 'max' parameter, indicates how many requests a client can
/// make before the server closes the connection.
@property int maxRequests() const {
return m_maxRequests;
}
/// private
this(HTTPClient client, bool has_body, bool close_conn, IAllocator alloc, SysTime connected_time = Clock.currTime(UTC()))
{
m_client = client;
m_closeConn = close_conn;
scope(failure) finalize(true);
// read and parse status line ("HTTP/#.# #[ $]\r\n")
logTrace("HTTP client reading status line");
string stln = () @trusted { return cast(string)client.m_stream.readLine(HTTPClient.maxHeaderLineLength, "\r\n", alloc); } ();
logTrace("stln: %s", stln);
this.httpVersion = parseHTTPVersion(stln);
enforce(stln.startsWith(" "));
stln = stln[1 .. $];
this.statusCode = parse!int(stln);
if( stln.length > 0 ){
enforce(stln.startsWith(" "));
stln = stln[1 .. $];
this.statusPhrase = stln;
}
// read headers until an empty line is hit
parseRFC5322Header(client.m_stream, this.headers, HTTPClient.maxHeaderLineLength, alloc, false);
logTrace("---------------------");
logTrace("HTTP client response:");
logTrace("---------------------");
logTrace("%s", this);
foreach (k, v; this.headers)
logTrace("%s: %s", k, v);
logTrace("---------------------");
Duration server_timeout;
bool has_server_timeout;
if (auto pka = "Keep-Alive" in this.headers) {
foreach(s; splitter(*pka, ',')){
auto pair = s.splitter('=');
auto name = pair.front.strip();
pair.popFront();
if (icmp(name, "timeout") == 0) {
has_server_timeout = true;
server_timeout = pair.front.to!int().seconds;
} else if (icmp(name, "max") == 0) {
m_maxRequests = pair.front.to!int();
}
}
}
Duration elapsed = Clock.currTime(UTC()) - connected_time;
if (this.headers.get("Connection") == "close") {
// this header will trigger m_client.disconnect() in m_client.doRequest() when it goes out of scope
} else if (has_server_timeout && m_client.m_keepAliveTimeout > server_timeout) {
m_client.m_keepAliveLimit = Clock.currTime(UTC()) + server_timeout - elapsed;
} else if (this.httpVersion == HTTPVersion.HTTP_1_1) {
m_client.m_keepAliveLimit = Clock.currTime(UTC()) + m_client.m_keepAliveTimeout;
}
if (!has_body) finalize();
}
~this()
{
debug if (m_client) { import std.stdio; writefln("WARNING: HTTPClientResponse not fully processed before being finalized"); }
}
/**
An input stream suitable for reading the response body.
*/
@property InterfaceProxy!InputStream bodyReader()
{
if( m_bodyReader ) return m_bodyReader;
assert (m_client, "Response was already read or no response body, may not use bodyReader.");
// prepare body the reader
if (auto pte = "Transfer-Encoding" in this.headers) {
enforce(*pte == "chunked");
m_chunkedInputStream = createChunkedInputStreamFL(m_client.m_stream);
m_bodyReader = this.m_chunkedInputStream;
} else if (auto pcl = "Content-Length" in this.headers) {
m_limitedInputStream = createLimitedInputStreamFL(m_client.m_stream, to!ulong(*pcl));
m_bodyReader = m_limitedInputStream;
} else if (isKeepAliveResponse) {
m_limitedInputStream = createLimitedInputStreamFL(m_client.m_stream, 0);
m_bodyReader = m_limitedInputStream;
} else {
m_bodyReader = m_client.m_stream;
}
if( auto pce = "Content-Encoding" in this.headers ){
if( *pce == "deflate" ){
m_zlibInputStream = createDeflateInputStreamFL(m_bodyReader);
m_bodyReader = m_zlibInputStream;
} else if( *pce == "gzip" || *pce == "x-gzip"){
m_zlibInputStream = createGzipInputStreamFL(m_bodyReader);
m_bodyReader = m_zlibInputStream;
}
else enforce(*pce == "identity" || *pce == "", "Unsuported content encoding: "~*pce);
}
// be sure to free resouces as soon as the response has been read
m_endCallback = createEndCallbackInputStreamFL(m_bodyReader, &this.finalize);
m_bodyReader = m_endCallback;
return m_bodyReader;
}
/**
Provides unsafe means to read raw data from the connection.
No transfer decoding and no content decoding is done on the data.
Not that the provided delegate must read the whole stream,
as the state of the response is unknown after raw bytes have been
taken. Failure to read the right amount of data will lead to
protocol corruption in later requests.
*/
void readRawBody(scope void delegate(scope InterfaceProxy!InputStream stream) @safe del)
{
assert(!m_bodyReader, "May not mix use of readRawBody and bodyReader.");
del(interfaceProxy!InputStream(m_client.m_stream));
finalize();
}
/// ditto
static if (!is(InputStream == InterfaceProxy!InputStream))
void readRawBody(scope void delegate(scope InputStream stream) @safe del)
{
import vibe.internal.interfaceproxy : asInterface;
assert(!m_bodyReader, "May not mix use of readRawBody and bodyReader.");
del(m_client.m_stream.asInterface!(.InputStream));
finalize();
}
/**
Reads the whole response body and tries to parse it as JSON.
*/
Json readJson(){
auto bdy = bodyReader.readAllUTF8();
return () @trusted { return parseJson(bdy); } ();
}
/**
Reads and discards the response body.
*/
void dropBody()
{
if (m_client) {
if( bodyReader.empty ){
finalize();
} else {
bodyReader.pipe(nullSink);
assert(!lockedConnection.__conn);
}
}
}
/**
Forcefully terminates the connection regardless of the current state.
Note that this will only actually disconnect if the request has not yet
been fully processed. If the whole body was already read, the
connection is not owned by the current request operation anymore and
cannot be accessed. Use a "Connection: close" header instead in this
case to let the server close the connection.
*/
void disconnect()
{
finalize(true);
}
/**
Switches the connection to a new protocol and returns the resulting ConnectionStream.
The caller caller gets ownership of the ConnectionStream and is responsible
for closing it.
Notice:
When using the overload that returns a `ConnectionStream`, the caller
must make sure that the stream is not used after the
`HTTPClientRequest` has been destroyed.
Params:
new_protocol = The protocol to which the connection is expected to
upgrade. Should match the Upgrade header of the request. If an
empty string is passed, the "Upgrade" header will be ignored and
should be checked by other means.
*/
ConnectionStream switchProtocol(string new_protocol)
{
enforce(statusCode == HTTPStatus.switchingProtocols, "Server did not send a 101 - Switching Protocols response");
string *resNewProto = "Upgrade" in headers;
enforce(resNewProto, "Server did not send an Upgrade header");
enforce(!new_protocol.length || !icmp(*resNewProto, new_protocol),
"Expected Upgrade: " ~ new_protocol ~", received Upgrade: " ~ *resNewProto);
auto stream = createConnectionProxyStream!(typeof(m_client.m_stream), typeof(m_client.m_conn))(m_client.m_stream, m_client.m_conn);
m_client.m_responding = false;
m_client = null;
m_closeConn = true; // cannot reuse connection for further requests!
return stream;
}
/// ditto
void switchProtocol(string new_protocol, scope void delegate(ConnectionStream str) @safe del)
{
enforce(statusCode == HTTPStatus.switchingProtocols, "Server did not send a 101 - Switching Protocols response");
string *resNewProto = "Upgrade" in headers;
enforce(resNewProto, "Server did not send an Upgrade header");
enforce(!new_protocol.length || !icmp(*resNewProto, new_protocol),
"Expected Upgrade: " ~ new_protocol ~", received Upgrade: " ~ *resNewProto);
scope stream = createConnectionProxyStream(m_client.m_stream, m_client.m_conn);
m_client.m_responding = false;
m_client = null;
m_closeConn = true;
del(stream);
}
private @property isKeepAliveResponse()
const {
string conn;
if (this.httpVersion == HTTPVersion.HTTP_1_0) {
// Workaround for non-standard-conformant servers - for example see #1780
auto pcl = "Content-Length" in this.headers;
if (pcl) conn = this.headers.get("Connection", "close");
else return false; // can't use keepalive when no content length is set
}
else conn = this.headers.get("Connection", "keep-alive");
return icmp(conn, "close") != 0;
}
private void finalize()
{
finalize(m_closeConn);
}
private void finalize(bool disconnect)
{
// ignore duplicate and too early calls to finalize
// (too early happesn for empty response bodies)
if (!m_client) return;
auto cli = m_client;
m_client = null;
cli.m_responding = false;
destroy(m_zlibInputStream);
destroy(m_chunkedInputStream);
destroy(m_limitedInputStream);
if (disconnect) cli.disconnect();
destroy(lockedConnection);
}
}
/** Returns clean host string. In case of unix socket it performs urlDecode on host. */
package auto getFilteredHost(URL url)
{
version(UnixSocket)
{
import vibe.textfilter.urlencode : urlDecode;
if (url.schema == "https+unix" || url.schema == "http+unix")
return urlDecode(url.host);
else
return url.host;
} else
return url.host;
}
// This object is a placeholder and should to never be modified.
package @property const(HTTPClientSettings) defaultSettings()
@trusted {
__gshared HTTPClientSettings ret = new HTTPClientSettings;
return ret;
}
| D |
module collision.collision;
import collision;
import collision.spatial_hash;
import gfm.math;
import dioni.opaque;
enum hb_threshold = 15;
struct SimpleHBP {
Hitbox hb;
dioniParticle* p;
box2f aabb;
}
class CollisionRangeS : CollisionRange{
private {
CollisionTarget ct;
ulong index;
box2f[] aabb;
const(Hitbox)[] hitbox;
dioniParticle* self;
}
pure nothrow this(CollisionTarget xct, const(Hitbox)[] hb, dioniParticle* p) {
ct = xct;
self = p;
hitbox = hb;
aabb.length = hb.length;
foreach(i; 0..hb.length)
aabb[i] = hb[i].aabb;
index = -1;
popFront();
}
~this() {
aabb.length = 0;
}
override pure nothrow bool empty() {
return index >= ct.hbcnt;
}
override pure nothrow @nogc dioniParticle* front() {
return ct.hb[index].p;
}
override pure nothrow void popFront() {
indexloop: do {
index++;
if (index >= ct.hbcnt)
break;
if (ct.hb[index].p is self)
continue;
foreach(i; 0..aabb.length) {
if (!aabb[i].intersects(ct.hb[index].aabb))
continue;
if (hitbox[i].collide(ct.hb[index].hb))
break indexloop;
}
} while(index < ct.hbcnt);
}
}
class CollisionTarget {
private {
alias SH = SpatialHash!(50, 50);
SH sh;
SimpleHBP[hb_threshold] hb;
box2f whole;
int hbcnt;
int w, h;
}
pure nothrow @nogc void reinitialize() {
hbcnt = 0;
if (sh !is null)
sh.reinitialize();
}
this(int W, int H) {
hbcnt = 0;
w = W;
h = H;
}
nothrow pure void insert_hitbox(in ref Hitbox xhb, dioniParticle* p) {
if (hbcnt == hb_threshold) {
if (sh is null)
sh = new SH(w, h);
else
sh.reinitialize();
foreach(x; hb)
sh.insert_hitbox(x.hb, x.p);
}
if (hbcnt >= hb_threshold)
sh.insert_hitbox(xhb, p);
else {
hb[hbcnt].hb = xhb;
hb[hbcnt].p = p;
}
hbcnt++;
}
nothrow pure CollisionRange query(const(Hitbox)[] hb, dioniParticle* p) {
if (hbcnt <= hb_threshold)
return new CollisionRangeS(this, hb, p);
else
return new SpatialRange!(50, 50)(sh, hb, p);
}
}
| D |
instance VLK_4250_Jorgen_DI(Npc_Default)
{
name[0] = "Йорген";
guild = GIL_NONE;
id = 42500;
voice = 7;
flags = NPC_FLAG_IMMORTAL;
npcType = npctype_main;
aivar[AIV_PARTYMEMBER] = TRUE;
aivar[AIV_ToughGuy] = TRUE;
aivar[AIV_ToughGuyNewsOverride] = TRUE;
B_SetAttributesToChapter(self,5);
fight_tactic = FAI_HUMAN_COWARD;
EquipItem(self,ItMw_1h_Bau_Axe);
B_CreateAmbientInv(self);
B_SetNpcVisual(self,MALE,"Hum_Head_Thief",Face_N_Tough_Skip,BodyTex_N,ITAR_Vlk_L);
Mdl_SetModelFatness(self,2);
Mdl_ApplyOverlayMds(self,"Humans_Relaxed.mds");
B_GiveNpcTalents(self);
B_SetFightSkills(self,70);
daily_routine = Rtn_Start_42500;
};
func void Rtn_Start_42500()
{
TA_Stand_WP(8,0,23,0,"SHIP_CREW_CAPTAIN");
TA_Sleep(23,0,8,0,"SHIP_IN_06");
};
| D |
/**
* This is a driver script that runs the benchmarks.
*
* Copyright: Copyright David Simcha 2011 - 2011.
* License: $(LINK2 http://www.boost.org/LICENSE_1_0.txt, Boost License 1.0)
* Authors: David Simcha
*/
/* Copyright David Simcha 2011 - 2011.
* Distributed under the Boost Software License, Version 1.0.
* (See accompanying file LICENSE_1_0.txt or copy at
* http://www.boost.org/LICENSE_1_0.txt)
*/
import std.stdio, std.process;
void main() {
system("dmd -O -inline -release huge_single.d");
system("dmd -O -inline -release rand_large.d");
system("dmd -O -inline -release rand_small.d");
system("dmd -O -inline -release tree1.d");
system("dmd -O -inline -release tree2.d");
system("huge_single");
system("rand_large");
system("rand_small");
system("tree1");
system("tree2");
}
| D |
# FIXED
F2837xD_Ipc.obj: C:/git/MIT-Pico-Grid/Project/New_MG/Firmware/Two_Inverter/CPU1/F2837xD_common/source/F2837xD_Ipc.c
F2837xD_Ipc.obj: C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_device.h
F2837xD_Ipc.obj: C:/ti/ccsv6/tools/compiler/c2000_15.12.3.LTS/include/assert.h
F2837xD_Ipc.obj: C:/ti/ccsv6/tools/compiler/c2000_15.12.3.LTS/include/linkage.h
F2837xD_Ipc.obj: C:/ti/ccsv6/tools/compiler/c2000_15.12.3.LTS/include/stdarg.h
F2837xD_Ipc.obj: C:/ti/ccsv6/tools/compiler/c2000_15.12.3.LTS/include/stdbool.h
F2837xD_Ipc.obj: C:/ti/ccsv6/tools/compiler/c2000_15.12.3.LTS/include/stddef.h
F2837xD_Ipc.obj: C:/ti/ccsv6/tools/compiler/c2000_15.12.3.LTS/include/stdint.h
F2837xD_Ipc.obj: C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_adc.h
F2837xD_Ipc.obj: C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_analogsubsys.h
F2837xD_Ipc.obj: C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_cla.h
F2837xD_Ipc.obj: C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_cmpss.h
F2837xD_Ipc.obj: C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_cputimer.h
F2837xD_Ipc.obj: C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_dac.h
F2837xD_Ipc.obj: C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_dcsm.h
F2837xD_Ipc.obj: C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_dma.h
F2837xD_Ipc.obj: C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_ecap.h
F2837xD_Ipc.obj: C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_emif.h
F2837xD_Ipc.obj: C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_epwm.h
F2837xD_Ipc.obj: C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_epwm_xbar.h
F2837xD_Ipc.obj: C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_eqep.h
F2837xD_Ipc.obj: C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_flash.h
F2837xD_Ipc.obj: C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_gpio.h
F2837xD_Ipc.obj: C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_i2c.h
F2837xD_Ipc.obj: C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_input_xbar.h
F2837xD_Ipc.obj: C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_ipc.h
F2837xD_Ipc.obj: C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_mcbsp.h
F2837xD_Ipc.obj: C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_memconfig.h
F2837xD_Ipc.obj: C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_nmiintrupt.h
F2837xD_Ipc.obj: C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_output_xbar.h
F2837xD_Ipc.obj: C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_piectrl.h
F2837xD_Ipc.obj: C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_pievect.h
F2837xD_Ipc.obj: C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_sci.h
F2837xD_Ipc.obj: C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_sdfm.h
F2837xD_Ipc.obj: C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_spi.h
F2837xD_Ipc.obj: C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_sysctrl.h
F2837xD_Ipc.obj: C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_upp.h
F2837xD_Ipc.obj: C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_xbar.h
F2837xD_Ipc.obj: C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_xint.h
F2837xD_Ipc.obj: C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_common/include/F2837xD_Examples.h
F2837xD_Ipc.obj: C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_common/include/F2837xD_GlobalPrototypes.h
F2837xD_Ipc.obj: C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_common/include/F2837xD_cputimervars.h
F2837xD_Ipc.obj: C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_common/include/F2837xD_Cla_defines.h
F2837xD_Ipc.obj: C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_common/include/F2837xD_EPwm_defines.h
F2837xD_Ipc.obj: C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_common/include/F2837xD_Adc_defines.h
F2837xD_Ipc.obj: C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_common/include/F2837xD_Emif_defines.h
F2837xD_Ipc.obj: C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_common/include/F2837xD_Gpio_defines.h
F2837xD_Ipc.obj: C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_common/include/F2837xD_I2c_defines.h
F2837xD_Ipc.obj: C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_common/include/F2837xD_Ipc_defines.h
F2837xD_Ipc.obj: C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_common/include/F2837xD_Pie_defines.h
F2837xD_Ipc.obj: C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_common/include/F2837xD_Dma_defines.h
F2837xD_Ipc.obj: C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_common/include/F2837xD_SysCtrl_defines.h
F2837xD_Ipc.obj: C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_common/include/F2837xD_Upp_defines.h
F2837xD_Ipc.obj: C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_common/include/F2837xD_defaultisr.h
F2837xD_Ipc.obj: C:/ti/ccsv6/tools/compiler/c2000_15.12.3.LTS/include/string.h
C:/git/MIT-Pico-Grid/Project/New_MG/Firmware/Two_Inverter/CPU1/F2837xD_common/source/F2837xD_Ipc.c:
C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_device.h:
C:/ti/ccsv6/tools/compiler/c2000_15.12.3.LTS/include/assert.h:
C:/ti/ccsv6/tools/compiler/c2000_15.12.3.LTS/include/linkage.h:
C:/ti/ccsv6/tools/compiler/c2000_15.12.3.LTS/include/stdarg.h:
C:/ti/ccsv6/tools/compiler/c2000_15.12.3.LTS/include/stdbool.h:
C:/ti/ccsv6/tools/compiler/c2000_15.12.3.LTS/include/stddef.h:
C:/ti/ccsv6/tools/compiler/c2000_15.12.3.LTS/include/stdint.h:
C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_adc.h:
C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_analogsubsys.h:
C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_cla.h:
C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_cmpss.h:
C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_cputimer.h:
C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_dac.h:
C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_dcsm.h:
C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_dma.h:
C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_ecap.h:
C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_emif.h:
C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_epwm.h:
C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_epwm_xbar.h:
C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_eqep.h:
C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_flash.h:
C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_gpio.h:
C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_i2c.h:
C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_input_xbar.h:
C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_ipc.h:
C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_mcbsp.h:
C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_memconfig.h:
C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_nmiintrupt.h:
C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_output_xbar.h:
C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_piectrl.h:
C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_pievect.h:
C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_sci.h:
C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_sdfm.h:
C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_spi.h:
C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_sysctrl.h:
C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_upp.h:
C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_xbar.h:
C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_headers/include/F2837xD_xint.h:
C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_common/include/F2837xD_Examples.h:
C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_common/include/F2837xD_GlobalPrototypes.h:
C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_common/include/F2837xD_cputimervars.h:
C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_common/include/F2837xD_Cla_defines.h:
C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_common/include/F2837xD_EPwm_defines.h:
C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_common/include/F2837xD_Adc_defines.h:
C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_common/include/F2837xD_Emif_defines.h:
C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_common/include/F2837xD_Gpio_defines.h:
C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_common/include/F2837xD_I2c_defines.h:
C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_common/include/F2837xD_Ipc_defines.h:
C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_common/include/F2837xD_Pie_defines.h:
C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_common/include/F2837xD_Dma_defines.h:
C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_common/include/F2837xD_SysCtrl_defines.h:
C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_common/include/F2837xD_Upp_defines.h:
C:/Users/HILING/Kirtley_picogrid/Software/blinky_mutant_v8/F2837xD_common/include/F2837xD_defaultisr.h:
C:/ti/ccsv6/tools/compiler/c2000_15.12.3.LTS/include/string.h:
| D |
/**
* For any future extension of the keysyms with characters already
* found in ISO 10646 / Unicode, the following algorithm shall be
* used. The new keysym code position will simply be the character's
* Unicode number plus 0x01000000. The keysym values in the range
* 0x01000100 to 0x0110ffff are reserved to represent Unicode
* characters in the range U+0100 to U+10FFFF.
*
* While most newer Unicode-based X11 clients do already accept
* Unicode-mapped keysyms in the range 0x01000100 to 0x0110ffff, it
* will remain necessary for clients -- in the interest of
* compatibility with existing servers -- to also understand the
* existing legacy keysym values in the range 0x0100 to 0x20ff.
*
* Where several mnemonic names are defined for the same keysym in this
* file, all but the first one listed should be considered deprecated.
*
* Mnemonic names for keysyms are defined in this file with lines
* that match one of these Perl regular expressions:
*
* /^\#define XK_([a-zA-Z_0-9]+)\s+0x([0-9a-f]+)\s*\/\* U+([0-9A-F]{4,6}) (.*) \*\/\s*$/
* /^\#define XK_([a-zA-Z_0-9]+)\s+0x([0-9a-f]+)\s*\/\*\(U+([0-9A-F]{4,6}) (.*)\)\*\/\s*$/
* /^\#define XK_([a-zA-Z_0-9]+)\s+0x([0-9a-f]+)\s*(\/\*\s*(.*)\s*\*\/)?\s*$/
*
* Before adding new keysyms, please do consider the following: In
* addition to the keysym names defined in this file, the
* XStringToKeysym() and XKeysymToString() functions will also handle
* any keysym string of the form "U0020" to "U007E" and "U00A0" to
* "U10FFFF" for all possible Unicode characters. In other words,
* every possible Unicode character has already a keysym string
* defined algorithmically, even if it is not listed here. Therefore,
* defining an additional keysym macro is only necessary where a
* non-hexadecimal mnemonic name is needed, or where the new keysym
* does not represent any existing Unicode character.
*
* When adding new keysyms to this file, do not forget to also update the
* following as needed:
*
* - the mappings in src/KeyBind.c in the repo
* git://anongit.freedesktop.org/xorg/lib/libX11.git
*
* - the protocol specification in specs/keysyms.xml
* in the repo git://anongit.freedesktop.org/xorg/proto/x11proto.git
*
* License:
* Copyright 1987, 1994, 1998 The Open Group
*
* Permission to use, copy, modify, distribute, and sell this software and its
* documentation for any purpose is hereby granted without fee, provided that
* the above copyright notice appear in all copies and that both that
* copyright notice and this permission notice appear in supporting
* documentation.
*
* The above copyright notice and this permission notice shall be included
* in all copies or substantial portions of the Software.
*
* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS
* OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF
* MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT.
* IN NO EVENT SHALL THE OPEN GROUP BE LIABLE FOR ANY CLAIM, DAMAGES OR
* OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE,
* ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR
* OTHER DEALINGS IN THE SOFTWARE.
*
* Except as contained in this notice, the name of The Open Group shall
* not be used in advertising or otherwise to promote the sale, use or
* other dealings in this Software without prior written authorization
* from The Open Group.
*
*
* Copyright 1987 by Digital Equipment Corporation, Maynard, Massachusetts
*
* All Rights Reserved
*
* Permission to use, copy, modify, and distribute this software and its
* documentation for any purpose and without fee is hereby granted,
* provided that the above copyright notice appear in all copies and that
* both that copyright notice and this permission notice appear in
* supporting documentation, and that the name of Digital not be
* used in advertising or publicity pertaining to distribution of the
* software without specific, written prior permission.
*
* DIGITAL DISCLAIMS ALL WARRANTIES WITH REGARD TO THIS SOFTWARE, INCLUDING
* ALL IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS, IN NO EVENT SHALL
* DIGITAL BE LIABLE FOR ANY SPECIAL, INDIRECT OR CONSEQUENTIAL DAMAGES OR
* ANY DAMAGES WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS,
* WHETHER IN AN ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION,
* ARISING OUT OF OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS
* SOFTWARE.
*/
module std.experimental.bindings.x11.keysymdef;
import std.experimental.bindings.x11.keysym;
/// Void symbol
enum VoidSymbol = 0xffffff;
static if (XK_MISCELLANY) {
/*
* TTY function keys, cleverly chosen to map to ASCII, for convenience of
* programming, but could have been arbitrary (at the cost of lookup
* tables in client code).
*/
/// Back space, back char
enum XK_BackSpace = 0xff08;
///
enum XK_Tab = 0xff09;
/// Linefeed, LF
enum XK_Linefeed = 0xff0a;
///
enum XK_Clear = 0xff0b;
/// Return, enter
enum XK_Return = 0xff0d;
/// Pause, hold
enum XK_Pause = 0xff13;
///
enum XK_Scroll_Lock = 0xff14;
///
enum XK_Sys_Req = 0xff15;
///
enum XK_Escape = 0xff1b;
/// Delete, rubout
enum XK_Delete = 0xffff;
/* International & multi-key character composition */
/// Multi-key character compose
enum XK_Multi_key = 0xff20;
///
enum XK_Codeinput = 0xff37;
enum XK_SingleCandidate = 0xff3c;
///
enum XK_MultipleCandidate = 0xff3d;
///
enum XK_PreviousCandidate = 0xff3e;
/* Japanese keyboard support */
/// Kanji, Kanji convert
enum XK_Kanji = 0xff21;
/// Cancel Conversion
enum XK_Muhenkan = 0xff22;
/// Start/Stop Conversion
enum XK_Henkan_Mode = 0xff23;
/// Alias for Henkan_Mode
enum XK_Henkan = 0xff23;
/// to Romaji
enum XK_Romaji = 0xff24;
/// to Hiragana
enum XK_Hiragana = 0xff25;
/// to Katakana
enum XK_Katakana = 0xff26;
/// Hiragana/Katakana toggle
enum XK_Hiragana_Katakana = 0xff27;
/// to Zenkaku
enum XK_Zenkaku = 0xff28;
/// to Hankaku
enum XK_Hankaku = 0xff29;
/// Zenkaku/Hankaku toggle
enum XK_Zenkaku_Hankaku = 0xff2a;
/// Add to Dictionary
enum XK_Touroku = 0xff2b;
/// Delete from Dictionary
enum XK_Massyo = 0xff2c;
/// Kana Lock
enum XK_Kana_Lock = 0xff2d;
/// Kana Shift
enum XK_Kana_Shift = 0xff2e;
/// Alphanumeric Shift
enum XK_Eisu_Shift = 0xff2f;
/// Alphanumeric toggle
enum XK_Eisu_toggle = 0xff30;
/// Codeinput
enum XK_Kanji_Bangou = 0xff37;
/// Multiple/All Candidate(s)
enum XK_Zen_Koho = 0xff3d;
/// Previous Candidate
enum XK_Mae_Koho = 0xff3e;
/* 0xff31 thru 0xff3f are under XK_KOREAN */
/* Cursor control & motion */
///
enum XK_Home = 0xff50;
/// Move left, left arrow
enum XK_Left = 0xff51;
/// Move up, up arrow
enum XK_Up = 0xff52;
/// Move right, right arrow
enum XK_Right = 0xff53;
/// Move down, down arrow
enum XK_Down = 0xff54;
/// Prior, previous
enum XK_Prior = 0xff55;
///
enum XK_Page_Up = 0xff55;
/// Next
enum XK_Next = 0xff56;
///
enum XK_Page_Down = 0xff56;
/// EOL
enum XK_End = 0xff57;
/// BOL
enum XK_Begin = 0xff58;
/* Misc functions */
/// Select, mark
enum XK_Select = 0xff60;
///
enum XK_Print = 0xff61;
/// Execute, run, do
enum XK_Execute = 0xff62;
/// Insert, insert here
enum XK_Insert = 0xff63;
///
enum XK_Undo = 0xff65;
/// Redo, again
enum XK_Redo = 0xff66;
///
enum XK_Menu = 0xff67;
/// Find, search
enum XK_Find = 0xff68;
/// Cancel, stop, abort, exit
enum XK_Cancel = 0xff69;
/// Help
enum XK_Help = 0xff6a;
///
enum XK_Break = 0xff6b;
/// Character set switch
enum XK_Mode_switch = 0xff7e;
/// Alias for mode_switch
enum XK_script_switch = 0xff7e;
///
enum XK_Num_Lock = 0xff7f;
/* Keypad functions, keypad numbers cleverly chosen to map to ASCII */
/// Space
enum XK_KP_Space = 0xff80;
///
enum XK_KP_Tab = 0xff89;
/// Enter
enum XK_KP_Enter = 0xff8d;
/// PF1, KP_A, ...
enum XK_KP_F1 = 0xff91;
///
enum XK_KP_F2 = 0xff92;
///
enum XK_KP_F3 = 0xff93;
///
enum XK_KP_F4 = 0xff94;
///
enum XK_KP_Home = 0xff95;
///
enum XK_KP_Left = 0xff96;
///
enum XK_KP_Up = 0xff97;
///
enum XK_KP_Right = 0xff98;
///
enum XK_KP_Down = 0xff99;
///
enum XK_KP_Prior = 0xff9a;
///
enum XK_KP_Page_Up = 0xff9a;
///
enum XK_KP_Next = 0xff9b;
///
enum XK_KP_Page_Down = 0xff9b;
///
enum XK_KP_End = 0xff9c;
///
enum XK_KP_Begin = 0xff9d;
///
enum XK_KP_Insert = 0xff9e;
///
enum XK_KP_Delete = 0xff9f;
/// Equals
enum XK_KP_Equal = 0xffbd;
///
enum XK_KP_Multiply = 0xffaa;
///
enum XK_KP_Add = 0xffab;
/// Separator, often comma
enum XK_KP_Separator = 0xffac;
///
enum XK_KP_Subtract = 0xffad;
///
enum XK_KP_Decimal = 0xffae;
///
enum XK_KP_Divide = 0xffaf;
///
enum XK_KP_0 = 0xffb0;
///
enum XK_KP_1 = 0xffb1;
///
enum XK_KP_2 = 0xffb2;
///
enum XK_KP_3 = 0xffb3;
///
enum XK_KP_4 = 0xffb4;
///
enum XK_KP_5 = 0xffb5;
///
enum XK_KP_6 = 0xffb6;
///
enum XK_KP_7 = 0xffb7;
///
enum XK_KP_8 = 0xffb8;
///
enum XK_KP_9 = 0xffb9;
/*
* Auxiliary functions; note the duplicate definitions for left and right
* function keys; Sun keyboards and a few other manufacturers have such
* function key groups on the left and/or right sides of the keyboard.
* We've not found a keyboard with more than 35 function keys total.
*/
///
enum XK_F1 = 0xffbe;
///
enum XK_F2 = 0xffbf;
///
enum XK_F3 = 0xffc0;
///
enum XK_F4 = 0xffc1;
///
enum XK_F5 = 0xffc2;
///
enum XK_F6 = 0xffc3;
///
enum XK_F7 = 0xffc4;
///
enum XK_F8 = 0xffc5;
///
enum XK_F9 = 0xffc6;
///
enum XK_F10 = 0xffc7;
///
enum XK_F11 = 0xffc8;
///
enum XK_L1 = 0xffc8;
///
enum XK_F12 = 0xffc9;
///
enum XK_L2 = 0xffc9;
///
enum XK_F13 = 0xffca;
///
enum XK_L3 = 0xffca;
///
enum XK_F14 = 0xffcb;
///
enum XK_L4 = 0xffcb;
///
enum XK_F15 = 0xffcc;
///
enum XK_L5 = 0xffcc;
///
enum XK_F16 = 0xffcd;
///
enum XK_L6 = 0xffcd;
///
enum XK_F17 = 0xffce;
///
enum XK_L7 = 0xffce;
///
enum XK_F18 = 0xffcf;
///
enum XK_L8 = 0xffcf;
///
enum XK_F19 = 0xffd0;
///
enum XK_L9 = 0xffd0;
///
enum XK_F20 = 0xffd1;
///
enum XK_L10 = 0xffd1;
///
enum XK_F21 = 0xffd2;
///
enum XK_R1 = 0xffd2;
///
enum XK_F22 = 0xffd3;
///
enum XK_R2 = 0xffd3;
///
enum XK_F23 = 0xffd4;
///
enum XK_R3 = 0xffd4;
///
enum XK_F24 = 0xffd5;
///
enum XK_R4 = 0xffd5;
///
enum XK_F25 = 0xffd6;
///
enum XK_R5 = 0xffd6;
///
enum XK_F26 = 0xffd7;
///
enum XK_R6 = 0xffd7;
///
enum XK_F27 = 0xffd8;
///
enum XK_R7 = 0xffd8;
///
enum XK_F28 = 0xffd9;
///
enum XK_R8 = 0xffd9;
///
enum XK_F29 = 0xffda;
///
enum XK_R9 = 0xffda;
///
enum XK_F30 = 0xffdb;
///
enum XK_R10 = 0xffdb;
///
enum XK_F31 = 0xffdc;
///
enum XK_R11 = 0xffdc;
///
enum XK_F32 = 0xffdd;
///
enum XK_R12 = 0xffdd;
///
enum XK_F33 = 0xffde;
///
enum XK_R13 = 0xffde;
///
enum XK_F34 = 0xffdf;
///
enum XK_R14 = 0xffdf;
///
enum XK_F35 = 0xffe0;
///
enum XK_R15 = 0xffe0;
/* Modifiers */
/// Left shift
enum XK_Shift_L = 0xffe1;
/// Right shift
enum XK_Shift_R = 0xffe2;
/// Left control
enum XK_Control_L = 0xffe3;
/// Right control
enum XK_Control_R = 0xffe4;
/// Caps lock
enum XK_Caps_Lock = 0xffe5;
/// Shift lock
enum XK_Shift_Lock = 0xffe6;
/// Left meta
enum XK_Meta_L = 0xffe7;
/// Right meta
enum XK_Meta_R = 0xffe8;
/// Left alt
enum XK_Alt_L = 0xffe9;
/// Right alt
enum XK_Alt_R = 0xffea;
/// Left super
enum XK_Super_L = 0xffeb;
/// Right super
enum XK_Super_R = 0xffec;
/// Left hyper
enum XK_Hyper_L = 0xffed;
/// Right hyper
enum XK_Hyper_R = 0xffee;
}
static if (XK_XKB_KEYS) {
///
enum XK_ISO_Lock = 0xfe01;
///
enum XK_ISO_Level2_Latch = 0xfe02;
///
enum XK_ISO_Level3_Shift = 0xfe03;
///
enum XK_ISO_Level3_Latch = 0xfe04;
///
enum XK_ISO_Level3_Lock = 0xfe05;
///
enum XK_ISO_Level5_Shift = 0xfe11;
///
enum XK_ISO_Level5_Latch = 0xfe12;
///
enum XK_ISO_Level5_Lock = 0xfe13;
/// Alias for mode_switch
enum XK_ISO_Group_Shift = 0xff7e;
///
enum XK_ISO_Group_Latch = 0xfe06;
///
enum XK_ISO_Group_Lock = 0xfe07;
///
enum XK_ISO_Next_Group = 0xfe08;
///
enum XK_ISO_Next_Group_Lock = 0xfe09;
///
enum XK_ISO_Prev_Group = 0xfe0a;
///
enum XK_ISO_Prev_Group_Lock = 0xfe0b;
///
enum XK_ISO_First_Group = 0xfe0c;
///
enum XK_ISO_First_Group_Lock = 0xfe0d;
///
enum XK_ISO_Last_Group = 0xfe0e;
///
enum XK_ISO_Last_Group_Lock = 0xfe0f;
///
enum XK_ISO_Left_Tab = 0xfe20;
///
enum XK_ISO_Move_Line_Up = 0xfe21;
///
enum XK_ISO_Move_Line_Down = 0xfe22;
///
enum XK_ISO_Partial_Line_Up = 0xfe23;
///
enum XK_ISO_Partial_Line_Down = 0xfe24;
///
enum XK_ISO_Partial_Space_Left = 0xfe25;
///
enum XK_ISO_Partial_Space_Right = 0xfe26;
///
enum XK_ISO_Set_Margin_Left = 0xfe27;
///
enum XK_ISO_Set_Margin_Right = 0xfe28;
///
enum XK_ISO_Release_Margin_Left = 0xfe29;
///
enum XK_ISO_Release_Margin_Right = 0xfe2a;
///
enum XK_ISO_Release_Both_Margins = 0xfe2b;
///
enum XK_ISO_Fast_Cursor_Left = 0xfe2c;
///
enum XK_ISO_Fast_Cursor_Right = 0xfe2d;
///
enum XK_ISO_Fast_Cursor_Up = 0xfe2e;
///
enum XK_ISO_Fast_Cursor_Down = 0xfe2f;
///
enum XK_ISO_Continuous_Underline = 0xfe30;
///
enum XK_ISO_Discontinuous_Underline = 0xfe31;
///
enum XK_ISO_Emphasize = 0xfe32;
///
enum XK_ISO_Center_Object = 0xfe33;
///
enum XK_ISO_Enter = 0xfe34;
///
enum XK_dead_grave = 0xfe50;
///
enum XK_dead_acute = 0xfe51;
///
enum XK_dead_circumflex = 0xfe52;
///
enum XK_dead_tilde = 0xfe53;
/// alias for dead_tilde
enum XK_dead_perispomeni = 0xfe53;
///
enum XK_dead_macron = 0xfe54;
///
enum XK_dead_breve = 0xfe55;
///
enum XK_dead_abovedot = 0xfe56;
///
enum XK_dead_diaeresis = 0xfe57;
///
enum XK_dead_abovering = 0xfe58;
///
enum XK_dead_doubleacute = 0xfe59;
///
enum XK_dead_caron = 0xfe5a;
///
enum XK_dead_cedilla = 0xfe5b;
///
enum XK_dead_ogonek = 0xfe5c;
///
enum XK_dead_iota = 0xfe5d;
///
enum XK_dead_voiced_sound = 0xfe5e;
///
enum XK_dead_semivoiced_sound = 0xfe5f;
///
enum XK_dead_belowdot = 0xfe60;
///
enum XK_dead_hook = 0xfe61;
///
enum XK_dead_horn = 0xfe62;
///
enum XK_dead_stroke = 0xfe63;
///
enum XK_dead_abovecomma = 0xfe64;
/// alias for dead_abovecomm
enum XK_dead_psili = 0xfe64;
///
enum XK_dead_abovereversedcomma = 0xfe65;
/// alias for dead_abovereversedcomma
enum XK_dead_dasia = 0xfe65;
///
enum XK_dead_doublegrave = 0xfe66;
///
enum XK_dead_belowring = 0xfe67;
///
enum XK_dead_belowmacron = 0xfe68;
///
enum XK_dead_belowcircumflex = 0xfe69;
///
enum XK_dead_belowtilde = 0xfe6a;
///
enum XK_dead_belowbreve = 0xfe6b;
///
enum XK_dead_belowdiaeresis = 0xfe6c;
///
enum XK_dead_invertedbreve = 0xfe6d;
///
enum XK_dead_belowcomma = 0xfe6e;
///
enum XK_dead_currency = 0xfe6f;
/* extra dead elements for German T3 layout */
///
enum XK_dead_lowline = 0xfe90;
///
enum XK_dead_aboveverticalline = 0xfe91;
///
enum XK_dead_belowverticalline = 0xfe92;
///
enum XK_dead_longsolidusoverlay = 0xfe93;
/* dead vowels for universal syllable entry */
///
enum XK_dead_a = 0xfe80;
///
enum XK_dead_A = 0xfe81;
///
enum XK_dead_e = 0xfe82;
///
enum XK_dead_E = 0xfe83;
///
enum XK_dead_i = 0xfe84;
///
enum XK_dead_I = 0xfe85;
///
enum XK_dead_o = 0xfe86;
///
enum XK_dead_O = 0xfe87;
///
enum XK_dead_u = 0xfe88;
///
enum XK_dead_U = 0xfe89;
///
enum XK_dead_small_schwa = 0xfe8a;
///
enum XK_dead_capital_schwa = 0xfe8b;
///
enum XK_dead_greek = 0xfe8c;
///
enum XK_First_Virtual_Screen = 0xfed0;
///
enum XK_Prev_Virtual_Screen = 0xfed1;
///
enum XK_Next_Virtual_Screen = 0xfed2;
///
enum XK_Last_Virtual_Screen = 0xfed4;
///
enum XK_Terminate_Server = 0xfed5;
///
enum XK_AccessX_Enable = 0xfe70;
///
enum XK_AccessX_Feedback_Enable = 0xfe71;
///
enum XK_RepeatKeys_Enable = 0xfe72;
///
enum XK_SlowKeys_Enable = 0xfe73;
///
enum XK_BounceKeys_Enable = 0xfe74;
///
enum XK_StickyKeys_Enable = 0xfe75;
///
enum XK_MouseKeys_Enable = 0xfe76;
///
enum XK_MouseKeys_Accel_Enable = 0xfe77;
///
enum XK_Overlay1_Enable = 0xfe78;
///
enum XK_Overlay2_Enable = 0xfe79;
///
enum XK_AudibleBell_Enable = 0xfe7a;
///
enum XK_Pointer_Left = 0xfee0;
///
enum XK_Pointer_Right = 0xfee1;
///
enum XK_Pointer_Up = 0xfee2;
///
enum XK_Pointer_Down = 0xfee3;
///
enum XK_Pointer_UpLeft = 0xfee4;
///
enum XK_Pointer_UpRight = 0xfee5;
///
enum XK_Pointer_DownLeft = 0xfee6;
///
enum XK_Pointer_DownRight = 0xfee7;
///
enum XK_Pointer_Button_Dflt = 0xfee8;
///
enum XK_Pointer_Button1 = 0xfee9;
///
enum XK_Pointer_Button2 = 0xfeea;
///
enum XK_Pointer_Button3 = 0xfeeb;
///
enum XK_Pointer_Button4 = 0xfeec;
///
enum XK_Pointer_Button5 = 0xfeed;
///
enum XK_Pointer_DblClick_Dflt = 0xfeee;
///
enum XK_Pointer_DblClick1 = 0xfeef;
///
enum XK_Pointer_DblClick2 = 0xfef0;
///
enum XK_Pointer_DblClick3 = 0xfef1;
///
enum XK_Pointer_DblClick4 = 0xfef2;
///
enum XK_Pointer_DblClick5 = 0xfef3;
///
enum XK_Pointer_Drag_Dflt = 0xfef4;
///
enum XK_Pointer_Drag1 = 0xfef5;
///
enum XK_Pointer_Drag2 = 0xfef6;
///
enum XK_Pointer_Drag3 = 0xfef7;
///
enum XK_Pointer_Drag4 = 0xfef8;
///
enum XK_Pointer_Drag5 = 0xfefd;
///
enum XK_Pointer_EnableKeys = 0xfef9;
///
enum XK_Pointer_Accelerate = 0xfefa;
///
enum XK_Pointer_DfltBtnNext = 0xfefb;
///
enum XK_Pointer_DfltBtnPrev = 0xfefc;
/* Single-Stroke Multiple-Character N-Graph Keysyms For The X Input Method */
///
enum XK_ch = 0xfea0;
///
enum XK_Ch = 0xfea1;
///
enum XK_CH = 0xfea2;
///
enum XK_c_h = 0xfea3;
///
enum XK_C_h = 0xfea4;
///
enum XK_C_H = 0xfea5;
}
/**
* 3270 Terminal Keys
* Byte 3 = 0xfd
*/
static if (XK_3270) {
///
enum XK_3270_Duplicate = 0xfd01;
///
enum XK_3270_FieldMark = 0xfd02;
///
enum XK_3270_Right2 = 0xfd03;
///
enum XK_3270_Left2 = 0xfd04;
///
enum XK_3270_BackTab = 0xfd05;
///
enum XK_3270_EraseEOF = 0xfd06;
///
enum XK_3270_EraseInput = 0xfd07;
///
enum XK_3270_Reset = 0xfd08;
///
enum XK_3270_Quit = 0xfd09;
///
enum XK_3270_PA1 = 0xfd0a;
///
enum XK_3270_PA2 = 0xfd0b;
///
enum XK_3270_PA3 = 0xfd0c;
///
enum XK_3270_Test = 0xfd0d;
///
enum XK_3270_Attn = 0xfd0e;
///
enum XK_3270_CursorBlink = 0xfd0f;
///
enum XK_3270_AltCursor = 0xfd10;
///
enum XK_3270_KeyClick = 0xfd11;
///
enum XK_3270_Jump = 0xfd12;
///
enum XK_3270_Ident = 0xfd13;
///
enum XK_3270_Rule = 0xfd14;
///
enum XK_3270_Copy = 0xfd15;
///
enum XK_3270_Play = 0xfd16;
///
enum XK_3270_Setup = 0xfd17;
///
enum XK_3270_Record = 0xfd18;
///
enum XK_3270_ChangeScreen = 0xfd19;
///
enum XK_3270_DeleteWord = 0xfd1a;
///
enum XK_3270_ExSelect = 0xfd1b;
///
enum XK_3270_CursorSelect = 0xfd1c;
///
enum XK_3270_PrintScreen = 0xfd1d;
///
enum XK_3270_Enter = 0xfd1e;
}
/**
* Latin 1
* (ISO/IEC 8859-1 = Unicode U+0020..U+00FF)
* Byte 3 = 0
*/
static if (XK_LATIN1) {
/// U+0020 SPACE
enum XK_space = 0x0020;
/// U+0021 EXCLAMATION MARK
enum XK_exclam = 0x0021;
/// U+0022 QUOTATION MARK
enum XK_quotedbl = 0x0022;
/// U+0023 NUMBER SIGN
enum XK_numbersign = 0x0023;
/// U+0024 DOLLAR SIGN
enum XK_dollar = 0x0024;
/// U+0025 PERCENT SIGN
enum XK_percent = 0x0025;
/// U+0026 AMPERSAND
enum XK_ampersand = 0x0026;
/// U+0027 APOSTROPHE
enum XK_apostrophe = 0x0027;
/// deprecated
enum XK_quoteright = 0x0027;
/// U+0028 LEFT PARENTHESIS
enum XK_parenleft = 0x0028;
/// U+0029 RIGHT PARENTHESIS
enum XK_parenright = 0x0029;
/// U+002A ASTERISK
enum XK_asterisk = 0x002a;
/// U+002B PLUS SIGN
enum XK_plus = 0x002b;
/// U+002C COMMA
enum XK_comma = 0x002c;
/// U+002D HYPHEN-MINUS
enum XK_minus = 0x002d;
/// U+002E FULL STOP
enum XK_period = 0x002e;
/// U+002F SOLIDUS
enum XK_slash = 0x002f;
/// U+0030 DIGIT ZERO
enum XK_0 = 0x0030;
/// U+0031 DIGIT ONE
enum XK_1 = 0x0031;
/// U+0032 DIGIT TWO
enum XK_2 = 0x0032;
/// U+0033 DIGIT THREE
enum XK_3 = 0x0033;
/// U+0034 DIGIT FOUR
enum XK_4 = 0x0034;
/// U+0035 DIGIT FIVE
enum XK_5 = 0x0035;
/// U+0036 DIGIT SIX
enum XK_6 = 0x0036;
/// U+0037 DIGIT SEVEN
enum XK_7 = 0x0037;
/// U+0038 DIGIT EIGHT
enum XK_8 = 0x0038;
/// U+0039 DIGIT NINE
enum XK_9 = 0x0039;
/// U+003A COLON
enum XK_colon = 0x003a;
/// U+003B SEMICOLON
enum XK_semicolon = 0x003b;
/// U+003C LESS-THAN SIGN
enum XK_less = 0x003c;
/// U+003D EQUALS SIGN
enum XK_equal = 0x003d;
/// U+003E GREATER-THAN SIGN
enum XK_greater = 0x003e;
/// U+003F QUESTION MARK
enum XK_question = 0x003f;
/// U+0040 COMMERCIAL AT
enum XK_at = 0x0040;
/// U+0041 LATIN CAPITAL LETTER A
enum XK_A = 0x0041;
/// U+0042 LATIN CAPITAL LETTER B
enum XK_B = 0x0042;
/// U+0043 LATIN CAPITAL LETTER C
enum XK_C = 0x0043;
/// U+0044 LATIN CAPITAL LETTER D
enum XK_D = 0x0044;
/// U+0045 LATIN CAPITAL LETTER E
enum XK_E = 0x0045;
/// U+0046 LATIN CAPITAL LETTER F
enum XK_F = 0x0046;
/// U+0047 LATIN CAPITAL LETTER G
enum XK_G = 0x0047;
/// U+0048 LATIN CAPITAL LETTER H
enum XK_H = 0x0048;
/// U+0049 LATIN CAPITAL LETTER I
enum XK_I = 0x0049;
/// U+004A LATIN CAPITAL LETTER J
enum XK_J = 0x004a;
/// U+004B LATIN CAPITAL LETTER K
enum XK_K = 0x004b;
/// U+004C LATIN CAPITAL LETTER L
enum XK_L = 0x004c;
/// U+004D LATIN CAPITAL LETTER M
enum XK_M = 0x004d;
/// U+004E LATIN CAPITAL LETTER N
enum XK_N = 0x004e;
/// U+004F LATIN CAPITAL LETTER O
enum XK_O = 0x004f;
/// U+0050 LATIN CAPITAL LETTER P
enum XK_P = 0x0050;
/// U+0051 LATIN CAPITAL LETTER Q
enum XK_Q = 0x0051;
/// U+0052 LATIN CAPITAL LETTER R
enum XK_R = 0x0052;
/// U+0053 LATIN CAPITAL LETTER S
enum XK_S = 0x0053;
/// U+0054 LATIN CAPITAL LETTER T
enum XK_T = 0x0054;
/// U+0055 LATIN CAPITAL LETTER U
enum XK_U = 0x0055;
/// U+0056 LATIN CAPITAL LETTER V
enum XK_V = 0x0056;
/// U+0057 LATIN CAPITAL LETTER W
enum XK_W = 0x0057;
/// U+0058 LATIN CAPITAL LETTER X
enum XK_X = 0x0058;
/// U+0059 LATIN CAPITAL LETTER Y
enum XK_Y = 0x0059;
/// U+005A LATIN CAPITAL LETTER Z
enum XK_Z = 0x005a;
/// U+005B LEFT SQUARE BRACKET
enum XK_bracketleft = 0x005b;
/// U+005C REVERSE SOLIDUS
enum XK_backslash = 0x005c;
/// U+005D RIGHT SQUARE BRACKET
enum XK_bracketright = 0x005d;
/// U+005E CIRCUMFLEX ACCENT
enum XK_asciicircum = 0x005e;
/// U+005F LOW LINE
enum XK_underscore = 0x005f;
/// U+0060 GRAVE ACCENT
enum XK_grave = 0x0060;
/// deprecated
enum XK_quoteleft = 0x0060;
/// U+0061 LATIN SMALL LETTER A
enum XK_a = 0x0061;
/// U+0062 LATIN SMALL LETTER B
enum XK_b = 0x0062;
/// U+0063 LATIN SMALL LETTER C
enum XK_c = 0x0063;
/// U+0064 LATIN SMALL LETTER D
enum XK_d = 0x0064;
/// U+0065 LATIN SMALL LETTER E
enum XK_e = 0x0065;
/// U+0066 LATIN SMALL LETTER F
enum XK_f = 0x0066;
/// U+0067 LATIN SMALL LETTER G
enum XK_g = 0x0067;
/// U+0068 LATIN SMALL LETTER H
enum XK_h = 0x0068;
/// U+0069 LATIN SMALL LETTER I
enum XK_i = 0x0069;
/// U+006A LATIN SMALL LETTER J
enum XK_j = 0x006a;
/// U+006B LATIN SMALL LETTER K
enum XK_k = 0x006b;
/// U+006C LATIN SMALL LETTER L
enum XK_l = 0x006c;
/// U+006D LATIN SMALL LETTER M
enum XK_m = 0x006d;
/// U+006E LATIN SMALL LETTER N
enum XK_n = 0x006e;
/// U+006F LATIN SMALL LETTER O
enum XK_o = 0x006f;
/// U+0070 LATIN SMALL LETTER P
enum XK_p = 0x0070;
/// U+0071 LATIN SMALL LETTER Q
enum XK_q = 0x0071;
/// U+0072 LATIN SMALL LETTER R
enum XK_r = 0x0072;
/// U+0073 LATIN SMALL LETTER S
enum XK_s = 0x0073;
/// U+0074 LATIN SMALL LETTER T
enum XK_t = 0x0074;
/// U+0075 LATIN SMALL LETTER U
enum XK_u = 0x0075;
/// U+0076 LATIN SMALL LETTER V
enum XK_v = 0x0076;
/// U+0077 LATIN SMALL LETTER W
enum XK_w = 0x0077;
/// U+0078 LATIN SMALL LETTER X
enum XK_x = 0x0078;
/// U+0079 LATIN SMALL LETTER Y
enum XK_y = 0x0079;
/// U+007A LATIN SMALL LETTER Z
enum XK_z = 0x007a;
/// U+007B LEFT CURLY BRACKET
enum XK_braceleft = 0x007b;
/// U+007C VERTICAL LINE
enum XK_bar = 0x007c;
/// U+007D RIGHT CURLY BRACKET
enum XK_braceright = 0x007d;
/// U+007E TILDE
enum XK_asciitilde = 0x007e;
/// U+00A0 NO-BREAK SPACE
enum XK_nobreakspace = 0x00a0;
/// U+00A1 INVERTED EXCLAMATION MARK
enum XK_exclamdown = 0x00a1;
/// U+00A2 CENT SIGN
enum XK_cent = 0x00a2;
/// U+00A3 POUND SIGN
enum XK_sterling = 0x00a3;
/// U+00A4 CURRENCY SIGN
enum XK_currency = 0x00a4;
/// U+00A5 YEN SIGN
enum XK_yen = 0x00a5;
/// U+00A6 BROKEN BAR
enum XK_brokenbar = 0x00a6;
/// U+00A7 SECTION SIGN
enum XK_section = 0x00a7;
/// U+00A8 DIAERESIS
enum XK_diaeresis = 0x00a8;
/// U+00A9 COPYRIGHT SIGN
enum XK_copyright = 0x00a9;
/// U+00AA FEMININE ORDINAL INDICATOR
enum XK_ordfeminine = 0x00aa;
/// U+00AB LEFT-POINTING DOUBLE ANGLE QUOTATION MARK
enum XK_guillemotleft = 0x00ab;
/// U+00AC NOT SIGN
enum XK_notsign = 0x00ac;
/// U+00AD SOFT HYPHEN
enum XK_hyphen = 0x00ad;
/// U+00AE REGISTERED SIGN
enum XK_registered = 0x00ae;
/// U+00AF MACRON
enum XK_macron = 0x00af;
/// U+00B0 DEGREE SIGN
enum XK_degree = 0x00b0;
/// U+00B1 PLUS-MINUS SIGN
enum XK_plusminus = 0x00b1;
/// U+00B2 SUPERSCRIPT TWO
enum XK_twosuperior = 0x00b2;
/// U+00B3 SUPERSCRIPT THREE
enum XK_threesuperior = 0x00b3;
/// U+00B4 ACUTE ACCENT
enum XK_acute = 0x00b4;
/// U+00B5 MICRO SIGN
enum XK_mu = 0x00b5;
/// U+00B6 PILCROW SIGN
enum XK_paragraph = 0x00b6;
/// U+00B7 MIDDLE DOT
enum XK_periodcentered = 0x00b7;
/// U+00B8 CEDILLA
enum XK_cedilla = 0x00b8;
/// U+00B9 SUPERSCRIPT ONE
enum XK_onesuperior = 0x00b9;
/// U+00BA MASCULINE ORDINAL INDICATOR
enum XK_masculine = 0x00ba;
/// U+00BB RIGHT-POINTING DOUBLE ANGLE QUOTATION MARK
enum XK_guillemotright = 0x00bb;
/// U+00BC VULGAR FRACTION ONE QUARTER
enum XK_onequarter = 0x00bc;
/// U+00BD VULGAR FRACTION ONE HALF
enum XK_onehalf = 0x00bd;
/// U+00BE VULGAR FRACTION THREE QUARTERS
enum XK_threequarters = 0x00be;
/// U+00BF INVERTED QUESTION MARK
enum XK_questiondown = 0x00bf;
/// U+00C0 LATIN CAPITAL LETTER A WITH GRAVE
enum XK_Agrave = 0x00c0;
/// U+00C1 LATIN CAPITAL LETTER A WITH ACUTE
enum XK_Aacute = 0x00c1;
/// U+00C2 LATIN CAPITAL LETTER A WITH CIRCUMFLEX
enum XK_Acircumflex = 0x00c2;
/// U+00C3 LATIN CAPITAL LETTER A WITH TILDE
enum XK_Atilde = 0x00c3;
/// U+00C4 LATIN CAPITAL LETTER A WITH DIAERESIS
enum XK_Adiaeresis = 0x00c4;
/// U+00C5 LATIN CAPITAL LETTER A WITH RING ABOVE
enum XK_Aring = 0x00c5;
/// U+00C6 LATIN CAPITAL LETTER AE
enum XK_AE = 0x00c6;
/// U+00C7 LATIN CAPITAL LETTER C WITH CEDILLA
enum XK_Ccedilla = 0x00c7;
/// U+00C8 LATIN CAPITAL LETTER E WITH GRAVE
enum XK_Egrave = 0x00c8;
/// U+00C9 LATIN CAPITAL LETTER E WITH ACUTE
enum XK_Eacute = 0x00c9;
/// U+00CA LATIN CAPITAL LETTER E WITH CIRCUMFLEX
enum XK_Ecircumflex = 0x00ca;
/// U+00CB LATIN CAPITAL LETTER E WITH DIAERESIS
enum XK_Ediaeresis = 0x00cb;
/// U+00CC LATIN CAPITAL LETTER I WITH GRAVE
enum XK_Igrave = 0x00cc;
/// U+00CD LATIN CAPITAL LETTER I WITH ACUTE
enum XK_Iacute = 0x00cd;
/// U+00CE LATIN CAPITAL LETTER I WITH CIRCUMFLEX
enum XK_Icircumflex = 0x00ce;
/// U+00CF LATIN CAPITAL LETTER I WITH DIAERESIS
enum XK_Idiaeresis = 0x00cf;
/// U+00D0 LATIN CAPITAL LETTER ETH
enum XK_ETH = 0x00d0;
/// deprecated
enum XK_Eth = 0x00d0;
/// U+00D1 LATIN CAPITAL LETTER N WITH TILDE
enum XK_Ntilde = 0x00d1;
/// U+00D2 LATIN CAPITAL LETTER O WITH GRAVE
enum XK_Ograve = 0x00d2;
/// U+00D3 LATIN CAPITAL LETTER O WITH ACUTE
enum XK_Oacute = 0x00d3;
/// U+00D4 LATIN CAPITAL LETTER O WITH CIRCUMFLEX
enum XK_Ocircumflex = 0x00d4;
/// U+00D5 LATIN CAPITAL LETTER O WITH TILDE
enum XK_Otilde = 0x00d5;
/// U+00D6 LATIN CAPITAL LETTER O WITH DIAERESIS
enum XK_Odiaeresis = 0x00d6;
/// U+00D7 MULTIPLICATION SIGN
enum XK_multiply = 0x00d7;
/// U+00D8 LATIN CAPITAL LETTER O WITH STROKE
enum XK_Oslash = 0x00d8;
/// U+00D8 LATIN CAPITAL LETTER O WITH STROKE
enum XK_Ooblique = 0x00d8;
/// U+00D9 LATIN CAPITAL LETTER U WITH GRAVE
enum XK_Ugrave = 0x00d9;
/// U+00DA LATIN CAPITAL LETTER U WITH ACUTE
enum XK_Uacute = 0x00da;
/// U+00DB LATIN CAPITAL LETTER U WITH CIRCUMFLEX
enum XK_Ucircumflex = 0x00db;
/// U+00DC LATIN CAPITAL LETTER U WITH DIAERESIS
enum XK_Udiaeresis = 0x00dc;
/// U+00DD LATIN CAPITAL LETTER Y WITH ACUTE
enum XK_Yacute = 0x00dd;
/// U+00DE LATIN CAPITAL LETTER THORN
enum XK_THORN = 0x00de;
/// deprecated
enum XK_Thorn = 0x00de;
/// U+00DF LATIN SMALL LETTER SHARP S
enum XK_ssharp = 0x00df;
/// U+00E0 LATIN SMALL LETTER A WITH GRAVE
enum XK_agrave = 0x00e0;
/// U+00E1 LATIN SMALL LETTER A WITH ACUTE
enum XK_aacute = 0x00e1;
/// U+00E2 LATIN SMALL LETTER A WITH CIRCUMFLEX
enum XK_acircumflex = 0x00e2;
/// U+00E3 LATIN SMALL LETTER A WITH TILDE
enum XK_atilde = 0x00e3;
/// U+00E4 LATIN SMALL LETTER A WITH DIAERESIS
enum XK_adiaeresis = 0x00e4;
/// U+00E5 LATIN SMALL LETTER A WITH RING ABOVE
enum XK_aring = 0x00e5;
/// U+00E6 LATIN SMALL LETTER AE
enum XK_ae = 0x00e6;
/// U+00E7 LATIN SMALL LETTER C WITH CEDILLA
enum XK_ccedilla = 0x00e7;
/// U+00E8 LATIN SMALL LETTER E WITH GRAVE
enum XK_egrave = 0x00e8;
/// U+00E9 LATIN SMALL LETTER E WITH ACUTE
enum XK_eacute = 0x00e9;
/// U+00EA LATIN SMALL LETTER E WITH CIRCUMFLEX
enum XK_ecircumflex = 0x00ea;
/// U+00EB LATIN SMALL LETTER E WITH DIAERESIS
enum XK_ediaeresis = 0x00eb;
/// U+00EC LATIN SMALL LETTER I WITH GRAVE
enum XK_igrave = 0x00ec;
/// U+00ED LATIN SMALL LETTER I WITH ACUTE
enum XK_iacute = 0x00ed;
/// U+00EE LATIN SMALL LETTER I WITH CIRCUMFLEX
enum XK_icircumflex = 0x00ee;
/// U+00EF LATIN SMALL LETTER I WITH DIAERESIS
enum XK_idiaeresis = 0x00ef;
/// U+00F0 LATIN SMALL LETTER ETH
enum XK_eth = 0x00f0;
/// U+00F1 LATIN SMALL LETTER N WITH TILDE
enum XK_ntilde = 0x00f1;
/// U+00F2 LATIN SMALL LETTER O WITH GRAVE
enum XK_ograve = 0x00f2;
/// U+00F3 LATIN SMALL LETTER O WITH ACUTE
enum XK_oacute = 0x00f3;
/// U+00F4 LATIN SMALL LETTER O WITH CIRCUMFLEX
enum XK_ocircumflex = 0x00f4;
/// U+00F5 LATIN SMALL LETTER O WITH TILDE
enum XK_otilde = 0x00f5;
/// U+00F6 LATIN SMALL LETTER O WITH DIAERESIS
enum XK_odiaeresis = 0x00f6;
/// U+00F7 DIVISION SIGN
enum XK_division = 0x00f7;
/// U+00F8 LATIN SMALL LETTER O WITH STROKE
enum XK_oslash = 0x00f8;
/// U+00F8 LATIN SMALL LETTER O WITH STROKE
enum XK_ooblique = 0x00f8;
/// U+00F9 LATIN SMALL LETTER U WITH GRAVE
enum XK_ugrave = 0x00f9;
/// U+00FA LATIN SMALL LETTER U WITH ACUTE
enum XK_uacute = 0x00fa;
/// U+00FB LATIN SMALL LETTER U WITH CIRCUMFLEX
enum XK_ucircumflex = 0x00fb;
/// U+00FC LATIN SMALL LETTER U WITH DIAERESIS
enum XK_udiaeresis = 0x00fc;
/// U+00FD LATIN SMALL LETTER Y WITH ACUTE
enum XK_yacute = 0x00fd;
/// U+00FE LATIN SMALL LETTER THORN
enum XK_thorn = 0x00fe;
/// U+00FF LATIN SMALL LETTER Y WITH DIAERESIS
enum XK_ydiaeresis = 0x00ff;
}
/**
* Latin 2
* Byte 3 = 1
*/
static if (XK_LATIN2) {
/// U+0104 LATIN CAPITAL LETTER A WITH OGONEK
enum XK_Aogonek = 0x01a1;
/// U+02D8 BREVE
enum XK_breve = 0x01a2;
/// U+0141 LATIN CAPITAL LETTER L WITH STROKE
enum XK_Lstroke = 0x01a3;
/// U+013D LATIN CAPITAL LETTER L WITH CARON
enum XK_Lcaron = 0x01a5;
/// U+015A LATIN CAPITAL LETTER S WITH ACUTE
enum XK_Sacute = 0x01a6;
/// U+0160 LATIN CAPITAL LETTER S WITH CARON
enum XK_Scaron = 0x01a9;
/// U+015E LATIN CAPITAL LETTER S WITH CEDILLA
enum XK_Scedilla = 0x01aa;
/// U+0164 LATIN CAPITAL LETTER T WITH CARON
enum XK_Tcaron = 0x01ab;
/// U+0179 LATIN CAPITAL LETTER Z WITH ACUTE
enum XK_Zacute = 0x01ac;
/// U+017D LATIN CAPITAL LETTER Z WITH CARON
enum XK_Zcaron = 0x01ae;
/// U+017B LATIN CAPITAL LETTER Z WITH DOT ABOVE
enum XK_Zabovedot = 0x01af;
/// U+0105 LATIN SMALL LETTER A WITH OGONEK
enum XK_aogonek = 0x01b1;
/// U+02DB OGONEK
enum XK_ogonek = 0x01b2;
/// U+0142 LATIN SMALL LETTER L WITH STROKE
enum XK_lstroke = 0x01b3;
/// U+013E LATIN SMALL LETTER L WITH CARON
enum XK_lcaron = 0x01b5;
/// U+015B LATIN SMALL LETTER S WITH ACUTE
enum XK_sacute = 0x01b6;
/// U+02C7 CARON
enum XK_caron = 0x01b7;
/// U+0161 LATIN SMALL LETTER S WITH CARON
enum XK_scaron = 0x01b9;
/// U+015F LATIN SMALL LETTER S WITH CEDILLA
enum XK_scedilla = 0x01ba;
/// U+0165 LATIN SMALL LETTER T WITH CARON
enum XK_tcaron = 0x01bb;
/// U+017A LATIN SMALL LETTER Z WITH ACUTE
enum XK_zacute = 0x01bc;
/// U+02DD DOUBLE ACUTE ACCENT
enum XK_doubleacute = 0x01bd;
/// U+017E LATIN SMALL LETTER Z WITH CARON
enum XK_zcaron = 0x01be;
/// U+017C LATIN SMALL LETTER Z WITH DOT ABOVE
enum XK_zabovedot = 0x01bf;
/// U+0154 LATIN CAPITAL LETTER R WITH ACUTE
enum XK_Racute = 0x01c0;
/// U+0102 LATIN CAPITAL LETTER A WITH BREVE
enum XK_Abreve = 0x01c3;
/// U+0139 LATIN CAPITAL LETTER L WITH ACUTE
enum XK_Lacute = 0x01c5;
/// U+0106 LATIN CAPITAL LETTER C WITH ACUTE
enum XK_Cacute = 0x01c6;
/// U+010C LATIN CAPITAL LETTER C WITH CARON
enum XK_Ccaron = 0x01c8;
/// U+0118 LATIN CAPITAL LETTER E WITH OGONEK
enum XK_Eogonek = 0x01ca;
/// U+011A LATIN CAPITAL LETTER E WITH CARON
enum XK_Ecaron = 0x01cc;
/// U+010E LATIN CAPITAL LETTER D WITH CARON
enum XK_Dcaron = 0x01cf;
/// U+0110 LATIN CAPITAL LETTER D WITH STROKE
enum XK_Dstroke = 0x01d0;
/// U+0143 LATIN CAPITAL LETTER N WITH ACUTE
enum XK_Nacute = 0x01d1;
/// U+0147 LATIN CAPITAL LETTER N WITH CARON
enum XK_Ncaron = 0x01d2;
/// U+0150 LATIN CAPITAL LETTER O WITH DOUBLE ACUTE
enum XK_Odoubleacute = 0x01d5;
/// U+0158 LATIN CAPITAL LETTER R WITH CARON
enum XK_Rcaron = 0x01d8;
/// U+016E LATIN CAPITAL LETTER U WITH RING ABOVE
enum XK_Uring = 0x01d9;
/// U+0170 LATIN CAPITAL LETTER U WITH DOUBLE ACUTE
enum XK_Udoubleacute = 0x01db;
/// U+0162 LATIN CAPITAL LETTER T WITH CEDILLA
enum XK_Tcedilla = 0x01de;
/// U+0155 LATIN SMALL LETTER R WITH ACUTE
enum XK_racute = 0x01e0;
/// U+0103 LATIN SMALL LETTER A WITH BREVE
enum XK_abreve = 0x01e3;
/// U+013A LATIN SMALL LETTER L WITH ACUTE
enum XK_lacute = 0x01e5;
/// U+0107 LATIN SMALL LETTER C WITH ACUTE
enum XK_cacute = 0x01e6;
/// U+010D LATIN SMALL LETTER C WITH CARON
enum XK_ccaron = 0x01e8;
/// U+0119 LATIN SMALL LETTER E WITH OGONEK
enum XK_eogonek = 0x01ea;
/// U+011B LATIN SMALL LETTER E WITH CARON
enum XK_ecaron = 0x01ec;
/// U+010F LATIN SMALL LETTER D WITH CARON
enum XK_dcaron = 0x01ef;
/// U+0111 LATIN SMALL LETTER D WITH STROKE
enum XK_dstroke = 0x01f0;
/// U+0144 LATIN SMALL LETTER N WITH ACUTE
enum XK_nacute = 0x01f1;
/// U+0148 LATIN SMALL LETTER N WITH CARON
enum XK_ncaron = 0x01f2;
/// U+0151 LATIN SMALL LETTER O WITH DOUBLE ACUTE
enum XK_odoubleacute = 0x01f5;
/// U+0159 LATIN SMALL LETTER R WITH CARON
enum XK_rcaron = 0x01f8;
/// U+016F LATIN SMALL LETTER U WITH RING ABOVE
enum XK_uring = 0x01f9;
/// U+0171 LATIN SMALL LETTER U WITH DOUBLE ACUTE
enum XK_udoubleacute = 0x01fb;
/// U+0163 LATIN SMALL LETTER T WITH CEDILLA
enum XK_tcedilla = 0x01fe;
/// U+02D9 DOT ABOVE
enum XK_abovedot = 0x01ff;
}
/**
* Latin 3
* Byte 3 = 2
*/
static if (XK_LATIN3) {
/// U+0126 LATIN CAPITAL LETTER H WITH STROKE
enum XK_Hstroke = 0x02a1;
/// U+0124 LATIN CAPITAL LETTER H WITH CIRCUMFLEX
enum XK_Hcircumflex = 0x02a6;
/// U+0130 LATIN CAPITAL LETTER I WITH DOT ABOVE
enum XK_Iabovedot = 0x02a9;
/// U+011E LATIN CAPITAL LETTER G WITH BREVE
enum XK_Gbreve = 0x02ab;
/// U+0134 LATIN CAPITAL LETTER J WITH CIRCUMFLEX
enum XK_Jcircumflex = 0x02ac;
/// U+0127 LATIN SMALL LETTER H WITH STROKE
enum XK_hstroke = 0x02b1;
/// U+0125 LATIN SMALL LETTER H WITH CIRCUMFLEX
enum XK_hcircumflex = 0x02b6;
/// U+0131 LATIN SMALL LETTER DOTLESS I
enum XK_idotless = 0x02b9;
/// U+011F LATIN SMALL LETTER G WITH BREVE
enum XK_gbreve = 0x02bb;
/// U+0135 LATIN SMALL LETTER J WITH CIRCUMFLEX
enum XK_jcircumflex = 0x02bc;
/// U+010A LATIN CAPITAL LETTER C WITH DOT ABOVE
enum XK_Cabovedot = 0x02c5;
/// U+0108 LATIN CAPITAL LETTER C WITH CIRCUMFLEX
enum XK_Ccircumflex = 0x02c6;
/// U+0120 LATIN CAPITAL LETTER G WITH DOT ABOVE
enum XK_Gabovedot = 0x02d5;
/// U+011C LATIN CAPITAL LETTER G WITH CIRCUMFLEX
enum XK_Gcircumflex = 0x02d8;
/// U+016C LATIN CAPITAL LETTER U WITH BREVE
enum XK_Ubreve = 0x02dd;
/// U+015C LATIN CAPITAL LETTER S WITH CIRCUMFLEX
enum XK_Scircumflex = 0x02de;
/// U+010B LATIN SMALL LETTER C WITH DOT ABOVE
enum XK_cabovedot = 0x02e5;
/// U+0109 LATIN SMALL LETTER C WITH CIRCUMFLEX
enum XK_ccircumflex = 0x02e6;
/// U+0121 LATIN SMALL LETTER G WITH DOT ABOVE
enum XK_gabovedot = 0x02f5;
/// U+011D LATIN SMALL LETTER G WITH CIRCUMFLEX
enum XK_gcircumflex = 0x02f8;
/// U+016D LATIN SMALL LETTER U WITH BREVE
enum XK_ubreve = 0x02fd;
/// U+015D LATIN SMALL LETTER S WITH CIRCUMFLEX
enum XK_scircumflex = 0x02fe;
}
/**
* Latin 4
* Byte 3 = 3
*/
static if (XK_LATIN4) {
/// U+0138 LATIN SMALL LETTER KRA
enum XK_kra = 0x03a2;
/// deprecated
enum XK_kappa = 0x03a2;
/// U+0156 LATIN CAPITAL LETTER R WITH CEDILLA
enum XK_Rcedilla = 0x03a3;
/// U+0128 LATIN CAPITAL LETTER I WITH TILDE
enum XK_Itilde = 0x03a5;
/// U+013B LATIN CAPITAL LETTER L WITH CEDILLA
enum XK_Lcedilla = 0x03a6;
/// U+0112 LATIN CAPITAL LETTER E WITH MACRON
enum XK_Emacron = 0x03aa;
/// U+0122 LATIN CAPITAL LETTER G WITH CEDILLA
enum XK_Gcedilla = 0x03ab;
/// U+0166 LATIN CAPITAL LETTER T WITH STROKE
enum XK_Tslash = 0x03ac;
/// U+0157 LATIN SMALL LETTER R WITH CEDILLA
enum XK_rcedilla = 0x03b3;
/// U+0129 LATIN SMALL LETTER I WITH TILDE
enum XK_itilde = 0x03b5;
/// U+013C LATIN SMALL LETTER L WITH CEDILLA
enum XK_lcedilla = 0x03b6;
/// U+0113 LATIN SMALL LETTER E WITH MACRON
enum XK_emacron = 0x03ba;
/// U+0123 LATIN SMALL LETTER G WITH CEDILLA
enum XK_gcedilla = 0x03bb;
/// U+0167 LATIN SMALL LETTER T WITH STROKE
enum XK_tslash = 0x03bc;
/// U+014A LATIN CAPITAL LETTER ENG
enum XK_ENG = 0x03bd;
/// U+014B LATIN SMALL LETTER ENG
enum XK_eng = 0x03bf;
/// U+0100 LATIN CAPITAL LETTER A WITH MACRON
enum XK_Amacron = 0x03c0;
/// U+012E LATIN CAPITAL LETTER I WITH OGONEK
enum XK_Iogonek = 0x03c7;
/// U+0116 LATIN CAPITAL LETTER E WITH DOT ABOVE
enum XK_Eabovedot = 0x03cc;
/// U+012A LATIN CAPITAL LETTER I WITH MACRON
enum XK_Imacron = 0x03cf;
/// U+0145 LATIN CAPITAL LETTER N WITH CEDILLA
enum XK_Ncedilla = 0x03d1;
/// U+014C LATIN CAPITAL LETTER O WITH MACRON
enum XK_Omacron = 0x03d2;
/// U+0136 LATIN CAPITAL LETTER K WITH CEDILLA
enum XK_Kcedilla = 0x03d3;
/// U+0172 LATIN CAPITAL LETTER U WITH OGONEK
enum XK_Uogonek = 0x03d9;
/// U+0168 LATIN CAPITAL LETTER U WITH TILDE
enum XK_Utilde = 0x03dd;
/// U+016A LATIN CAPITAL LETTER U WITH MACRON
enum XK_Umacron = 0x03de;
/// U+0101 LATIN SMALL LETTER A WITH MACRON
enum XK_amacron = 0x03e0;
/// U+012F LATIN SMALL LETTER I WITH OGONEK
enum XK_iogonek = 0x03e7;
/// U+0117 LATIN SMALL LETTER E WITH DOT ABOVE
enum XK_eabovedot = 0x03ec;
/// U+012B LATIN SMALL LETTER I WITH MACRON
enum XK_imacron = 0x03ef;
/// U+0146 LATIN SMALL LETTER N WITH CEDILLA
enum XK_ncedilla = 0x03f1;
/// U+014D LATIN SMALL LETTER O WITH MACRON
enum XK_omacron = 0x03f2;
/// U+0137 LATIN SMALL LETTER K WITH CEDILLA
enum XK_kcedilla = 0x03f3;
/// U+0173 LATIN SMALL LETTER U WITH OGONEK
enum XK_uogonek = 0x03f9;
/// U+0169 LATIN SMALL LETTER U WITH TILDE
enum XK_utilde = 0x03fd;
/// U+016B LATIN SMALL LETTER U WITH MACRON
enum XK_umacron = 0x03fe;
}
/**
* Latin 8
*/
static if (XK_LATIN8) {
/// U+0174 LATIN CAPITAL LETTER W WITH CIRCUMFLEX
enum XK_Wcircumflex = 0x1000174;
/// U+0175 LATIN SMALL LETTER W WITH CIRCUMFLEX
enum XK_wcircumflex = 0x1000175;
/// U+0176 LATIN CAPITAL LETTER Y WITH CIRCUMFLEX
enum XK_Ycircumflex = 0x1000176;
/// U+0177 LATIN SMALL LETTER Y WITH CIRCUMFLEX
enum XK_ycircumflex = 0x1000177;
/// U+1E02 LATIN CAPITAL LETTER B WITH DOT ABOVE
enum XK_Babovedot = 0x1001e02;
/// U+1E03 LATIN SMALL LETTER B WITH DOT ABOVE
enum XK_babovedot = 0x1001e03;
/// U+1E0A LATIN CAPITAL LETTER D WITH DOT ABOVE
enum XK_Dabovedot = 0x1001e0a;
/// U+1E0B LATIN SMALL LETTER D WITH DOT ABOVE
enum XK_dabovedot = 0x1001e0b;
/// U+1E1E LATIN CAPITAL LETTER F WITH DOT ABOVE
enum XK_Fabovedot = 0x1001e1e;
/// U+1E1F LATIN SMALL LETTER F WITH DOT ABOVE
enum XK_fabovedot = 0x1001e1f;
/// U+1E40 LATIN CAPITAL LETTER M WITH DOT ABOVE
enum XK_Mabovedot = 0x1001e40;
/// U+1E41 LATIN SMALL LETTER M WITH DOT ABOVE
enum XK_mabovedot = 0x1001e41;
/// U+1E56 LATIN CAPITAL LETTER P WITH DOT ABOVE
enum XK_Pabovedot = 0x1001e56;
/// U+1E57 LATIN SMALL LETTER P WITH DOT ABOVE
enum XK_pabovedot = 0x1001e57;
/// U+1E60 LATIN CAPITAL LETTER S WITH DOT ABOVE
enum XK_Sabovedot = 0x1001e60;
/// U+1E61 LATIN SMALL LETTER S WITH DOT ABOVE
enum XK_sabovedot = 0x1001e61;
/// U+1E6A LATIN CAPITAL LETTER T WITH DOT ABOVE
enum XK_Tabovedot = 0x1001e6a;
/// U+1E6B LATIN SMALL LETTER T WITH DOT ABOVE
enum XK_tabovedot = 0x1001e6b;
/// U+1E80 LATIN CAPITAL LETTER W WITH GRAVE
enum XK_Wgrave = 0x1001e80;
/// U+1E81 LATIN SMALL LETTER W WITH GRAVE
enum XK_wgrave = 0x1001e81;
/// U+1E82 LATIN CAPITAL LETTER W WITH ACUTE
enum XK_Wacute = 0x1001e82;
/// U+1E83 LATIN SMALL LETTER W WITH ACUTE
enum XK_wacute = 0x1001e83;
/// U+1E84 LATIN CAPITAL LETTER W WITH DIAERESIS
enum XK_Wdiaeresis = 0x1001e84;
/// U+1E85 LATIN SMALL LETTER W WITH DIAERESIS
enum XK_wdiaeresis = 0x1001e85;
/// U+1EF2 LATIN CAPITAL LETTER Y WITH GRAVE
enum XK_Ygrave = 0x1001ef2;
/// U+1EF3 LATIN SMALL LETTER Y WITH GRAVE
enum XK_ygrave = 0x1001ef3;
}
/**
* Latin 9
* Byte 3 = 0x13
*/
static if (XK_LATIN9) {
/// U+0152 LATIN CAPITAL LIGATURE OE
enum XK_OE = 0x13bc;
/// U+0153 LATIN SMALL LIGATURE OE
enum XK_oe = 0x13bd;
/// U+0178 LATIN CAPITAL LETTER Y WITH DIAERESIS
enum XK_Ydiaeresis = 0x13be;
}
/**
* Katakana
* Byte 3 = 4
*/
static if (XK_KATAKANA) {
/// U+203E OVERLINE
enum XK_overline = 0x047e;
/// U+3002 IDEOGRAPHIC FULL STOP
enum XK_kana_fullstop = 0x04a1;
/// U+300C LEFT CORNER BRACKET
enum XK_kana_openingbracket = 0x04a2;
/// U+300D RIGHT CORNER BRACKET
enum XK_kana_closingbracket = 0x04a3;
/// U+3001 IDEOGRAPHIC COMMA
enum XK_kana_comma = 0x04a4;
/// U+30FB KATAKANA MIDDLE DOT
enum XK_kana_conjunctive = 0x04a5;
/// deprecated
enum XK_kana_middledot = 0x04a5;
/// U+30F2 KATAKANA LETTER WO
enum XK_kana_WO = 0x04a6;
/// U+30A1 KATAKANA LETTER SMALL A
enum XK_kana_a = 0x04a7;
/// U+30A3 KATAKANA LETTER SMALL I
enum XK_kana_i = 0x04a8;
/// U+30A5 KATAKANA LETTER SMALL U
enum XK_kana_u = 0x04a9;
/// U+30A7 KATAKANA LETTER SMALL E
enum XK_kana_e = 0x04aa;
/// U+30A9 KATAKANA LETTER SMALL O
enum XK_kana_o = 0x04ab;
/// U+30E3 KATAKANA LETTER SMALL YA
enum XK_kana_ya = 0x04ac;
/// U+30E5 KATAKANA LETTER SMALL YU
enum XK_kana_yu = 0x04ad;
/// U+30E7 KATAKANA LETTER SMALL YO
enum XK_kana_yo = 0x04ae;
/// U+30C3 KATAKANA LETTER SMALL TU
enum XK_kana_tsu = 0x04af;
/// deprecated
enum XK_kana_tu = 0x04af;
/// U+30FC KATAKANA-HIRAGANA PROLONGED SOUND MARK
enum XK_prolongedsound = 0x04b0;
/// U+30A2 KATAKANA LETTER A
enum XK_kana_A = 0x04b1;
/// U+30A4 KATAKANA LETTER I
enum XK_kana_I = 0x04b2;
/// U+30A6 KATAKANA LETTER U
enum XK_kana_U = 0x04b3;
/// U+30A8 KATAKANA LETTER E
enum XK_kana_E = 0x04b4;
/// U+30AA KATAKANA LETTER O
enum XK_kana_O = 0x04b5;
/// U+30AB KATAKANA LETTER KA
enum XK_kana_KA = 0x04b6;
/// U+30AD KATAKANA LETTER KI
enum XK_kana_KI = 0x04b7;
/// U+30AF KATAKANA LETTER KU
enum XK_kana_KU = 0x04b8;
/// U+30B1 KATAKANA LETTER KE
enum XK_kana_KE = 0x04b9;
/// U+30B3 KATAKANA LETTER KO
enum XK_kana_KO = 0x04ba;
/// U+30B5 KATAKANA LETTER SA
enum XK_kana_SA = 0x04bb;
/// U+30B7 KATAKANA LETTER SI
enum XK_kana_SHI = 0x04bc;
/// U+30B9 KATAKANA LETTER SU
enum XK_kana_SU = 0x04bd;
/// U+30BB KATAKANA LETTER SE
enum XK_kana_SE = 0x04be;
/// U+30BD KATAKANA LETTER SO
enum XK_kana_SO = 0x04bf;
/// U+30BF KATAKANA LETTER TA
enum XK_kana_TA = 0x04c0;
/// U+30C1 KATAKANA LETTER TI
enum XK_kana_CHI = 0x04c1;
/// deprecated
enum XK_kana_TI = 0x04c1;
/// U+30C4 KATAKANA LETTER TU
enum XK_kana_TSU = 0x04c2;
/// deprecated
enum XK_kana_TU = 0x04c2;
/// U+30C6 KATAKANA LETTER TE
enum XK_kana_TE = 0x04c3;
/// U+30C8 KATAKANA LETTER TO
enum XK_kana_TO = 0x04c4;
/// U+30CA KATAKANA LETTER NA
enum XK_kana_NA = 0x04c5;
/// U+30CB KATAKANA LETTER NI
enum XK_kana_NI = 0x04c6;
/// U+30CC KATAKANA LETTER NU
enum XK_kana_NU = 0x04c7;
/// U+30CD KATAKANA LETTER NE
enum XK_kana_NE = 0x04c8;
/// U+30CE KATAKANA LETTER NO
enum XK_kana_NO = 0x04c9;
/// U+30CF KATAKANA LETTER HA
enum XK_kana_HA = 0x04ca;
/// U+30D2 KATAKANA LETTER HI
enum XK_kana_HI = 0x04cb;
/// U+30D5 KATAKANA LETTER HU
enum XK_kana_FU = 0x04cc;
/// deprecated
enum XK_kana_HU = 0x04cc;
/// U+30D8 KATAKANA LETTER HE
enum XK_kana_HE = 0x04cd;
/// U+30DB KATAKANA LETTER HO
enum XK_kana_HO = 0x04ce;
/// U+30DE KATAKANA LETTER MA
enum XK_kana_MA = 0x04cf;
/// U+30DF KATAKANA LETTER MI
enum XK_kana_MI = 0x04d0;
/// U+30E0 KATAKANA LETTER MU
enum XK_kana_MU = 0x04d1;
/// U+30E1 KATAKANA LETTER ME
enum XK_kana_ME = 0x04d2;
/// U+30E2 KATAKANA LETTER MO
enum XK_kana_MO = 0x04d3;
/// U+30E4 KATAKANA LETTER YA
enum XK_kana_YA = 0x04d4;
/// U+30E6 KATAKANA LETTER YU
enum XK_kana_YU = 0x04d5;
/// U+30E8 KATAKANA LETTER YO
enum XK_kana_YO = 0x04d6;
/// U+30E9 KATAKANA LETTER RA
enum XK_kana_RA = 0x04d7;
/// U+30EA KATAKANA LETTER RI
enum XK_kana_RI = 0x04d8;
/// U+30EB KATAKANA LETTER RU
enum XK_kana_RU = 0x04d9;
/// U+30EC KATAKANA LETTER RE
enum XK_kana_RE = 0x04da;
/// U+30ED KATAKANA LETTER RO
enum XK_kana_RO = 0x04db;
/// U+30EF KATAKANA LETTER WA
enum XK_kana_WA = 0x04dc;
/// U+30F3 KATAKANA LETTER N
enum XK_kana_N = 0x04dd;
/// U+309B KATAKANA-HIRAGANA VOICED SOUND MARK
enum XK_voicedsound = 0x04de;
/// U+309C KATAKANA-HIRAGANA SEMI-VOICED SOUND MARK
enum XK_semivoicedsound = 0x04df;
/// Alias for mode_switch
enum XK_kana_switch = 0xff7e;
}
/**
* Arabic
* Byte 3 = 5
*/
static if (XK_ARABIC) {
/// U+06F0 EXTENDED ARABIC-INDIC DIGIT ZERO
enum XK_Farsi_0 = 0x10006f0;
/// U+06F1 EXTENDED ARABIC-INDIC DIGIT ONE
enum XK_Farsi_1 = 0x10006f1;
/// U+06F2 EXTENDED ARABIC-INDIC DIGIT TWO
enum XK_Farsi_2 = 0x10006f2;
/// U+06F3 EXTENDED ARABIC-INDIC DIGIT THREE
enum XK_Farsi_3 = 0x10006f3;
/// U+06F4 EXTENDED ARABIC-INDIC DIGIT FOUR
enum XK_Farsi_4 = 0x10006f4;
/// U+06F5 EXTENDED ARABIC-INDIC DIGIT FIVE
enum XK_Farsi_5 = 0x10006f5;
/// U+06F6 EXTENDED ARABIC-INDIC DIGIT SIX
enum XK_Farsi_6 = 0x10006f6;
/// U+06F7 EXTENDED ARABIC-INDIC DIGIT SEVEN
enum XK_Farsi_7 = 0x10006f7;
/// U+06F8 EXTENDED ARABIC-INDIC DIGIT EIGHT
enum XK_Farsi_8 = 0x10006f8;
/// U+06F9 EXTENDED ARABIC-INDIC DIGIT NINE
enum XK_Farsi_9 = 0x10006f9;
/// U+066A ARABIC PERCENT SIGN
enum XK_Arabic_percent = 0x100066a;
/// U+0670 ARABIC LETTER SUPERSCRIPT ALEF
enum XK_Arabic_superscript_alef = 0x1000670;
/// U+0679 ARABIC LETTER TTEH
enum XK_Arabic_tteh = 0x1000679;
/// U+067E ARABIC LETTER PEH
enum XK_Arabic_peh = 0x100067e;
/// U+0686 ARABIC LETTER TCHEH
enum XK_Arabic_tcheh = 0x1000686;
/// U+0688 ARABIC LETTER DDAL
enum XK_Arabic_ddal = 0x1000688;
/// U+0691 ARABIC LETTER RREH
enum XK_Arabic_rreh = 0x1000691;
/// U+060C ARABIC COMMA
enum XK_Arabic_comma = 0x05ac;
/// U+06D4 ARABIC FULL STOP
enum XK_Arabic_fullstop = 0x10006d4;
/// U+0660 ARABIC-INDIC DIGIT ZERO
enum XK_Arabic_0 = 0x1000660;
/// U+0661 ARABIC-INDIC DIGIT ONE
enum XK_Arabic_1 = 0x1000661;
/// U+0662 ARABIC-INDIC DIGIT TWO
enum XK_Arabic_2 = 0x1000662;
/// U+0663 ARABIC-INDIC DIGIT THREE
enum XK_Arabic_3 = 0x1000663;
/// U+0664 ARABIC-INDIC DIGIT FOUR
enum XK_Arabic_4 = 0x1000664;
/// U+0665 ARABIC-INDIC DIGIT FIVE
enum XK_Arabic_5 = 0x1000665;
/// U+0666 ARABIC-INDIC DIGIT SIX
enum XK_Arabic_6 = 0x1000666;
/// U+0667 ARABIC-INDIC DIGIT SEVEN
enum XK_Arabic_7 = 0x1000667;
/// U+0668 ARABIC-INDIC DIGIT EIGHT
enum XK_Arabic_8 = 0x1000668;
/// U+0669 ARABIC-INDIC DIGIT NINE
enum XK_Arabic_9 = 0x1000669;
/// U+061B ARABIC SEMICOLON
enum XK_Arabic_semicolon = 0x05bb;
/// U+061F ARABIC QUESTION MARK
enum XK_Arabic_question_mark = 0x05bf;
/// U+0621 ARABIC LETTER HAMZA
enum XK_Arabic_hamza = 0x05c1;
/// U+0622 ARABIC LETTER ALEF WITH MADDA ABOVE
enum XK_Arabic_maddaonalef = 0x05c2;
/// U+0623 ARABIC LETTER ALEF WITH HAMZA ABOVE
enum XK_Arabic_hamzaonalef = 0x05c3;
/// U+0624 ARABIC LETTER WAW WITH HAMZA ABOVE
enum XK_Arabic_hamzaonwaw = 0x05c4;
/// U+0625 ARABIC LETTER ALEF WITH HAMZA BELOW
enum XK_Arabic_hamzaunderalef = 0x05c5;
/// U+0626 ARABIC LETTER YEH WITH HAMZA ABOVE
enum XK_Arabic_hamzaonyeh = 0x05c6;
/// U+0627 ARABIC LETTER ALEF
enum XK_Arabic_alef = 0x05c7;
/// U+0628 ARABIC LETTER BEH
enum XK_Arabic_beh = 0x05c8;
/// U+0629 ARABIC LETTER TEH MARBUTA
enum XK_Arabic_tehmarbuta = 0x05c9;
/// U+062A ARABIC LETTER TEH
enum XK_Arabic_teh = 0x05ca;
/// U+062B ARABIC LETTER THEH
enum XK_Arabic_theh = 0x05cb;
/// U+062C ARABIC LETTER JEEM
enum XK_Arabic_jeem = 0x05cc;
/// U+062D ARABIC LETTER HAH
enum XK_Arabic_hah = 0x05cd;
/// U+062E ARABIC LETTER KHAH
enum XK_Arabic_khah = 0x05ce;
/// U+062F ARABIC LETTER DAL
enum XK_Arabic_dal = 0x05cf;
/// U+0630 ARABIC LETTER THAL
enum XK_Arabic_thal = 0x05d0;
/// U+0631 ARABIC LETTER REH
enum XK_Arabic_ra = 0x05d1;
/// U+0632 ARABIC LETTER ZAIN
enum XK_Arabic_zain = 0x05d2;
/// U+0633 ARABIC LETTER SEEN
enum XK_Arabic_seen = 0x05d3;
/// U+0634 ARABIC LETTER SHEEN
enum XK_Arabic_sheen = 0x05d4;
/// U+0635 ARABIC LETTER SAD
enum XK_Arabic_sad = 0x05d5;
/// U+0636 ARABIC LETTER DAD
enum XK_Arabic_dad = 0x05d6;
/// U+0637 ARABIC LETTER TAH
enum XK_Arabic_tah = 0x05d7;
/// U+0638 ARABIC LETTER ZAH
enum XK_Arabic_zah = 0x05d8;
/// U+0639 ARABIC LETTER AIN
enum XK_Arabic_ain = 0x05d9;
/// U+063A ARABIC LETTER GHAIN
enum XK_Arabic_ghain = 0x05da;
/// U+0640 ARABIC TATWEEL
enum XK_Arabic_tatweel = 0x05e0;
/// U+0641 ARABIC LETTER FEH
enum XK_Arabic_feh = 0x05e1;
/// U+0642 ARABIC LETTER QAF
enum XK_Arabic_qaf = 0x05e2;
/// U+0643 ARABIC LETTER KAF
enum XK_Arabic_kaf = 0x05e3;
/// U+0644 ARABIC LETTER LAM
enum XK_Arabic_lam = 0x05e4;
/// U+0645 ARABIC LETTER MEEM
enum XK_Arabic_meem = 0x05e5;
/// U+0646 ARABIC LETTER NOON
enum XK_Arabic_noon = 0x05e6;
/// U+0647 ARABIC LETTER HEH
enum XK_Arabic_ha = 0x05e7;
/// deprecated
enum XK_Arabic_heh = 0x05e7;
/// U+0648 ARABIC LETTER WAW
enum XK_Arabic_waw = 0x05e8;
/// U+0649 ARABIC LETTER ALEF MAKSURA
enum XK_Arabic_alefmaksura = 0x05e9;
/// U+064A ARABIC LETTER YEH
enum XK_Arabic_yeh = 0x05ea;
/// U+064B ARABIC FATHATAN
enum XK_Arabic_fathatan = 0x05eb;
/// U+064C ARABIC DAMMATAN
enum XK_Arabic_dammatan = 0x05ec;
/// U+064D ARABIC KASRATAN
enum XK_Arabic_kasratan = 0x05ed;
/// U+064E ARABIC FATHA
enum XK_Arabic_fatha = 0x05ee;
/// U+064F ARABIC DAMMA
enum XK_Arabic_damma = 0x05ef;
/// U+0650 ARABIC KASRA
enum XK_Arabic_kasra = 0x05f0;
/// U+0651 ARABIC SHADDA
enum XK_Arabic_shadda = 0x05f1;
/// U+0652 ARABIC SUKUN
enum XK_Arabic_sukun = 0x05f2;
/// U+0653 ARABIC MADDAH ABOVE
enum XK_Arabic_madda_above = 0x1000653;
/// U+0654 ARABIC HAMZA ABOVE
enum XK_Arabic_hamza_above = 0x1000654;
/// U+0655 ARABIC HAMZA BELOW
enum XK_Arabic_hamza_below = 0x1000655;
/// U+0698 ARABIC LETTER JEH
enum XK_Arabic_jeh = 0x1000698;
/// U+06A4 ARABIC LETTER VEH
enum XK_Arabic_veh = 0x10006a4;
/// U+06A9 ARABIC LETTER KEHEH
enum XK_Arabic_keheh = 0x10006a9;
/// U+06AF ARABIC LETTER GAF
enum XK_Arabic_gaf = 0x10006af;
/// U+06BA ARABIC LETTER NOON GHUNNA
enum XK_Arabic_noon_ghunna = 0x10006ba;
/// U+06BE ARABIC LETTER HEH DOACHASHMEE
enum XK_Arabic_heh_doachashmee = 0x10006be;
/// U+06CC ARABIC LETTER FARSI YEH
enum XK_Farsi_yeh = 0x10006cc;
/// U+06CC ARABIC LETTER FARSI YEH
enum XK_Arabic_farsi_yeh = 0x10006cc;
/// U+06D2 ARABIC LETTER YEH BARREE
enum XK_Arabic_yeh_baree = 0x10006d2;
/// U+06C1 ARABIC LETTER HEH GOAL
enum XK_Arabic_heh_goal = 0x10006c1;
/// Alias for mode_switch
enum XK_Arabic_switch = 0xff7e;
}
/**
* Cyrillic
* Byte 3 = 6
*/
static if (XK_CYRILLIC) {
/// U+0492 CYRILLIC CAPITAL LETTER GHE WITH STROKE
enum XK_Cyrillic_GHE_bar = 0x1000492;
/// U+0493 CYRILLIC SMALL LETTER GHE WITH STROKE
enum XK_Cyrillic_ghe_bar = 0x1000493;
/// U+0496 CYRILLIC CAPITAL LETTER ZHE WITH DESCENDER
enum XK_Cyrillic_ZHE_descender = 0x1000496;
/// U+0497 CYRILLIC SMALL LETTER ZHE WITH DESCENDER
enum XK_Cyrillic_zhe_descender = 0x1000497;
/// U+049A CYRILLIC CAPITAL LETTER KA WITH DESCENDER
enum XK_Cyrillic_KA_descender = 0x100049a;
/// U+049B CYRILLIC SMALL LETTER KA WITH DESCENDER
enum XK_Cyrillic_ka_descender = 0x100049b;
/// U+049C CYRILLIC CAPITAL LETTER KA WITH VERTICAL STROKE
enum XK_Cyrillic_KA_vertstroke = 0x100049c;
/// U+049D CYRILLIC SMALL LETTER KA WITH VERTICAL STROKE
enum XK_Cyrillic_ka_vertstroke = 0x100049d;
/// U+04A2 CYRILLIC CAPITAL LETTER EN WITH DESCENDER
enum XK_Cyrillic_EN_descender = 0x10004a2;
/// U+04A3 CYRILLIC SMALL LETTER EN WITH DESCENDER
enum XK_Cyrillic_en_descender = 0x10004a3;
/// U+04AE CYRILLIC CAPITAL LETTER STRAIGHT U
enum XK_Cyrillic_U_straight = 0x10004ae;
/// U+04AF CYRILLIC SMALL LETTER STRAIGHT U
enum XK_Cyrillic_u_straight = 0x10004af;
/// U+04B0 CYRILLIC CAPITAL LETTER STRAIGHT U WITH STROKE
enum XK_Cyrillic_U_straight_bar = 0x10004b0;
/// U+04B1 CYRILLIC SMALL LETTER STRAIGHT U WITH STROKE
enum XK_Cyrillic_u_straight_bar = 0x10004b1;
/// U+04B2 CYRILLIC CAPITAL LETTER HA WITH DESCENDER
enum XK_Cyrillic_HA_descender = 0x10004b2;
/// U+04B3 CYRILLIC SMALL LETTER HA WITH DESCENDER
enum XK_Cyrillic_ha_descender = 0x10004b3;
/// U+04B6 CYRILLIC CAPITAL LETTER CHE WITH DESCENDER
enum XK_Cyrillic_CHE_descender = 0x10004b6;
/// U+04B7 CYRILLIC SMALL LETTER CHE WITH DESCENDER
enum XK_Cyrillic_che_descender = 0x10004b7;
/// U+04B8 CYRILLIC CAPITAL LETTER CHE WITH VERTICAL STROKE
enum XK_Cyrillic_CHE_vertstroke = 0x10004b8;
/// U+04B9 CYRILLIC SMALL LETTER CHE WITH VERTICAL STROKE
enum XK_Cyrillic_che_vertstroke = 0x10004b9;
/// U+04BA CYRILLIC CAPITAL LETTER SHHA
enum XK_Cyrillic_SHHA = 0x10004ba;
/// U+04BB CYRILLIC SMALL LETTER SHHA
enum XK_Cyrillic_shha = 0x10004bb;
/// U+04D8 CYRILLIC CAPITAL LETTER SCHWA
enum XK_Cyrillic_SCHWA = 0x10004d8;
/// U+04D9 CYRILLIC SMALL LETTER SCHWA
enum XK_Cyrillic_schwa = 0x10004d9;
/// U+04E2 CYRILLIC CAPITAL LETTER I WITH MACRON
enum XK_Cyrillic_I_macron = 0x10004e2;
/// U+04E3 CYRILLIC SMALL LETTER I WITH MACRON
enum XK_Cyrillic_i_macron = 0x10004e3;
/// U+04E8 CYRILLIC CAPITAL LETTER BARRED O
enum XK_Cyrillic_O_bar = 0x10004e8;
/// U+04E9 CYRILLIC SMALL LETTER BARRED O
enum XK_Cyrillic_o_bar = 0x10004e9;
/// U+04EE CYRILLIC CAPITAL LETTER U WITH MACRON
enum XK_Cyrillic_U_macron = 0x10004ee;
/// U+04EF CYRILLIC SMALL LETTER U WITH MACRON
enum XK_Cyrillic_u_macron = 0x10004ef;
/// U+0452 CYRILLIC SMALL LETTER DJE
enum XK_Serbian_dje = 0x06a1;
/// U+0453 CYRILLIC SMALL LETTER GJE
enum XK_Macedonia_gje = 0x06a2;
/// U+0451 CYRILLIC SMALL LETTER IO
enum XK_Cyrillic_io = 0x06a3;
/// U+0454 CYRILLIC SMALL LETTER UKRAINIAN IE
enum XK_Ukrainian_ie = 0x06a4;
/// deprecated
enum XK_Ukranian_je = 0x06a4;
/// U+0455 CYRILLIC SMALL LETTER DZE
enum XK_Macedonia_dse = 0x06a5;
/// U+0456 CYRILLIC SMALL LETTER BYELORUSSIAN-UKRAINIAN I
enum XK_Ukrainian_i = 0x06a6;
/// deprecated
enum XK_Ukranian_i = 0x06a6;
/// U+0457 CYRILLIC SMALL LETTER YI
enum XK_Ukrainian_yi = 0x06a7;
/// deprecated
enum XK_Ukranian_yi = 0x06a7;
/// U+0458 CYRILLIC SMALL LETTER JE
enum XK_Cyrillic_je = 0x06a8;
/// deprecated
enum XK_Serbian_je = 0x06a8;
/// U+0459 CYRILLIC SMALL LETTER LJE
enum XK_Cyrillic_lje = 0x06a9;
/// deprecated
enum XK_Serbian_lje = 0x06a9;
/// U+045A CYRILLIC SMALL LETTER NJE
enum XK_Cyrillic_nje = 0x06aa;
/// deprecated
enum XK_Serbian_nje = 0x06aa;
/// U+045B CYRILLIC SMALL LETTER TSHE
enum XK_Serbian_tshe = 0x06ab;
/// U+045C CYRILLIC SMALL LETTER KJE
enum XK_Macedonia_kje = 0x06ac;
/// U+0491 CYRILLIC SMALL LETTER GHE WITH UPTURN
enum XK_Ukrainian_ghe_with_upturn = 0x06ad;
/// U+045E CYRILLIC SMALL LETTER SHORT U
enum XK_Byelorussian_shortu = 0x06ae;
/// U+045F CYRILLIC SMALL LETTER DZHE
enum XK_Cyrillic_dzhe = 0x06af;
/// deprecated
enum XK_Serbian_dze = 0x06af;
/// U+2116 NUMERO SIGN
enum XK_numerosign = 0x06b0;
/// U+0402 CYRILLIC CAPITAL LETTER DJE
enum XK_Serbian_DJE = 0x06b1;
/// U+0403 CYRILLIC CAPITAL LETTER GJE
enum XK_Macedonia_GJE = 0x06b2;
/// U+0401 CYRILLIC CAPITAL LETTER IO
enum XK_Cyrillic_IO = 0x06b3;
/// U+0404 CYRILLIC CAPITAL LETTER UKRAINIAN IE
enum XK_Ukrainian_IE = 0x06b4;
/// deprecated
enum XK_Ukranian_JE = 0x06b4;
/// U+0405 CYRILLIC CAPITAL LETTER DZE
enum XK_Macedonia_DSE = 0x06b5;
/// U+0406 CYRILLIC CAPITAL LETTER BYELORUSSIAN-UKRAINIAN I
enum XK_Ukrainian_I = 0x06b6;
/// deprecated
enum XK_Ukranian_I = 0x06b6;
/// U+0407 CYRILLIC CAPITAL LETTER YI
enum XK_Ukrainian_YI = 0x06b7;
/// deprecated
enum XK_Ukranian_YI = 0x06b7;
/// U+0408 CYRILLIC CAPITAL LETTER JE
enum XK_Cyrillic_JE = 0x06b8;
/// deprecated
enum XK_Serbian_JE = 0x06b8;
/// U+0409 CYRILLIC CAPITAL LETTER LJE
enum XK_Cyrillic_LJE = 0x06b9;
/// deprecated
enum XK_Serbian_LJE = 0x06b9;
/// U+040A CYRILLIC CAPITAL LETTER NJE
enum XK_Cyrillic_NJE = 0x06ba;
/// deprecated
enum XK_Serbian_NJE = 0x06ba;
/// U+040B CYRILLIC CAPITAL LETTER TSHE
enum XK_Serbian_TSHE = 0x06bb;
/// U+040C CYRILLIC CAPITAL LETTER KJE
enum XK_Macedonia_KJE = 0x06bc;
/// U+0490 CYRILLIC CAPITAL LETTER GHE WITH UPTURN
enum XK_Ukrainian_GHE_WITH_UPTURN = 0x06bd;
/// U+040E CYRILLIC CAPITAL LETTER SHORT U
enum XK_Byelorussian_SHORTU = 0x06be;
/// U+040F CYRILLIC CAPITAL LETTER DZHE
enum XK_Cyrillic_DZHE = 0x06bf;
/// deprecated
enum XK_Serbian_DZE = 0x06bf;
/// U+044E CYRILLIC SMALL LETTER YU
enum XK_Cyrillic_yu = 0x06c0;
/// U+0430 CYRILLIC SMALL LETTER A
enum XK_Cyrillic_a = 0x06c1;
/// U+0431 CYRILLIC SMALL LETTER BE
enum XK_Cyrillic_be = 0x06c2;
/// U+0446 CYRILLIC SMALL LETTER TSE
enum XK_Cyrillic_tse = 0x06c3;
/// U+0434 CYRILLIC SMALL LETTER DE
enum XK_Cyrillic_de = 0x06c4;
/// U+0435 CYRILLIC SMALL LETTER IE
enum XK_Cyrillic_ie = 0x06c5;
/// U+0444 CYRILLIC SMALL LETTER EF
enum XK_Cyrillic_ef = 0x06c6;
/// U+0433 CYRILLIC SMALL LETTER GHE
enum XK_Cyrillic_ghe = 0x06c7;
/// U+0445 CYRILLIC SMALL LETTER HA
enum XK_Cyrillic_ha = 0x06c8;
/// U+0438 CYRILLIC SMALL LETTER I
enum XK_Cyrillic_i = 0x06c9;
/// U+0439 CYRILLIC SMALL LETTER SHORT I
enum XK_Cyrillic_shorti = 0x06ca;
/// U+043A CYRILLIC SMALL LETTER KA
enum XK_Cyrillic_ka = 0x06cb;
/// U+043B CYRILLIC SMALL LETTER EL
enum XK_Cyrillic_el = 0x06cc;
/// U+043C CYRILLIC SMALL LETTER EM
enum XK_Cyrillic_em = 0x06cd;
/// U+043D CYRILLIC SMALL LETTER EN
enum XK_Cyrillic_en = 0x06ce;
/// U+043E CYRILLIC SMALL LETTER O
enum XK_Cyrillic_o = 0x06cf;
/// U+043F CYRILLIC SMALL LETTER PE
enum XK_Cyrillic_pe = 0x06d0;
/// U+044F CYRILLIC SMALL LETTER YA
enum XK_Cyrillic_ya = 0x06d1;
/// U+0440 CYRILLIC SMALL LETTER ER
enum XK_Cyrillic_er = 0x06d2;
/// U+0441 CYRILLIC SMALL LETTER ES
enum XK_Cyrillic_es = 0x06d3;
/// U+0442 CYRILLIC SMALL LETTER TE
enum XK_Cyrillic_te = 0x06d4;
/// U+0443 CYRILLIC SMALL LETTER U
enum XK_Cyrillic_u = 0x06d5;
/// U+0436 CYRILLIC SMALL LETTER ZHE
enum XK_Cyrillic_zhe = 0x06d6;
/// U+0432 CYRILLIC SMALL LETTER VE
enum XK_Cyrillic_ve = 0x06d7;
/// U+044C CYRILLIC SMALL LETTER SOFT SIGN
enum XK_Cyrillic_softsign = 0x06d8;
/// U+044B CYRILLIC SMALL LETTER YERU
enum XK_Cyrillic_yeru = 0x06d9;
/// U+0437 CYRILLIC SMALL LETTER ZE
enum XK_Cyrillic_ze = 0x06da;
/// U+0448 CYRILLIC SMALL LETTER SHA
enum XK_Cyrillic_sha = 0x06db;
/// U+044D CYRILLIC SMALL LETTER E
enum XK_Cyrillic_e = 0x06dc;
/// U+0449 CYRILLIC SMALL LETTER SHCHA
enum XK_Cyrillic_shcha = 0x06dd;
/// U+0447 CYRILLIC SMALL LETTER CHE
enum XK_Cyrillic_che = 0x06de;
/// U+044A CYRILLIC SMALL LETTER HARD SIGN
enum XK_Cyrillic_hardsign = 0x06df;
/// U+042E CYRILLIC CAPITAL LETTER YU
enum XK_Cyrillic_YU = 0x06e0;
/// U+0410 CYRILLIC CAPITAL LETTER A
enum XK_Cyrillic_A = 0x06e1;
/// U+0411 CYRILLIC CAPITAL LETTER BE
enum XK_Cyrillic_BE = 0x06e2;
/// U+0426 CYRILLIC CAPITAL LETTER TSE
enum XK_Cyrillic_TSE = 0x06e3;
/// U+0414 CYRILLIC CAPITAL LETTER DE
enum XK_Cyrillic_DE = 0x06e4;
/// U+0415 CYRILLIC CAPITAL LETTER IE
enum XK_Cyrillic_IE = 0x06e5;
/// U+0424 CYRILLIC CAPITAL LETTER EF
enum XK_Cyrillic_EF = 0x06e6;
/// U+0413 CYRILLIC CAPITAL LETTER GHE
enum XK_Cyrillic_GHE = 0x06e7;
/// U+0425 CYRILLIC CAPITAL LETTER HA
enum XK_Cyrillic_HA = 0x06e8;
/// U+0418 CYRILLIC CAPITAL LETTER I
enum XK_Cyrillic_I = 0x06e9;
/// U+0419 CYRILLIC CAPITAL LETTER SHORT I
enum XK_Cyrillic_SHORTI = 0x06ea;
/// U+041A CYRILLIC CAPITAL LETTER KA
enum XK_Cyrillic_KA = 0x06eb;
/// U+041B CYRILLIC CAPITAL LETTER EL
enum XK_Cyrillic_EL = 0x06ec;
/// U+041C CYRILLIC CAPITAL LETTER EM
enum XK_Cyrillic_EM = 0x06ed;
/// U+041D CYRILLIC CAPITAL LETTER EN
enum XK_Cyrillic_EN = 0x06ee;
/// U+041E CYRILLIC CAPITAL LETTER O
enum XK_Cyrillic_O = 0x06ef;
/// U+041F CYRILLIC CAPITAL LETTER PE
enum XK_Cyrillic_PE = 0x06f0;
/// U+042F CYRILLIC CAPITAL LETTER YA
enum XK_Cyrillic_YA = 0x06f1;
/// U+0420 CYRILLIC CAPITAL LETTER ER
enum XK_Cyrillic_ER = 0x06f2;
/// U+0421 CYRILLIC CAPITAL LETTER ES
enum XK_Cyrillic_ES = 0x06f3;
/// U+0422 CYRILLIC CAPITAL LETTER TE
enum XK_Cyrillic_TE = 0x06f4;
/// U+0423 CYRILLIC CAPITAL LETTER U
enum XK_Cyrillic_U = 0x06f5;
/// U+0416 CYRILLIC CAPITAL LETTER ZHE
enum XK_Cyrillic_ZHE = 0x06f6;
/// U+0412 CYRILLIC CAPITAL LETTER VE
enum XK_Cyrillic_VE = 0x06f7;
/// U+042C CYRILLIC CAPITAL LETTER SOFT SIGN
enum XK_Cyrillic_SOFTSIGN = 0x06f8;
/// U+042B CYRILLIC CAPITAL LETTER YERU
enum XK_Cyrillic_YERU = 0x06f9;
/// U+0417 CYRILLIC CAPITAL LETTER ZE
enum XK_Cyrillic_ZE = 0x06fa;
/// U+0428 CYRILLIC CAPITAL LETTER SHA
enum XK_Cyrillic_SHA = 0x06fb;
/// U+042D CYRILLIC CAPITAL LETTER E
enum XK_Cyrillic_E = 0x06fc;
/// U+0429 CYRILLIC CAPITAL LETTER SHCHA
enum XK_Cyrillic_SHCHA = 0x06fd;
/// U+0427 CYRILLIC CAPITAL LETTER CHE
enum XK_Cyrillic_CHE = 0x06fe;
/// U+042A CYRILLIC CAPITAL LETTER HARD SIGN
enum XK_Cyrillic_HARDSIGN = 0x06ff;
}
/**
* Greek
* (based on an early draft of, and not quite identical to, ISO/IEC 8859-7)
* Byte 3 = 7
*/
static if (XK_GREEK) {
/// U+0386 GREEK CAPITAL LETTER ALPHA WITH TONOS
enum XK_Greek_ALPHAaccent = 0x07a1;
/// U+0388 GREEK CAPITAL LETTER EPSILON WITH TONOS
enum XK_Greek_EPSILONaccent = 0x07a2;
/// U+0389 GREEK CAPITAL LETTER ETA WITH TONOS
enum XK_Greek_ETAaccent = 0x07a3;
/// U+038A GREEK CAPITAL LETTER IOTA WITH TONOS
enum XK_Greek_IOTAaccent = 0x07a4;
/// U+03AA GREEK CAPITAL LETTER IOTA WITH DIALYTIKA
enum XK_Greek_IOTAdieresis = 0x07a5;
/// old typo
enum XK_Greek_IOTAdiaeresis = 0x07a5;
/// U+038C GREEK CAPITAL LETTER OMICRON WITH TONOS
enum XK_Greek_OMICRONaccent = 0x07a7;
/// U+038E GREEK CAPITAL LETTER UPSILON WITH TONOS
enum XK_Greek_UPSILONaccent = 0x07a8;
/// U+03AB GREEK CAPITAL LETTER UPSILON WITH DIALYTIKA
enum XK_Greek_UPSILONdieresis = 0x07a9;
/// U+038F GREEK CAPITAL LETTER OMEGA WITH TONOS
enum XK_Greek_OMEGAaccent = 0x07ab;
/// U+0385 GREEK DIALYTIKA TONOS
enum XK_Greek_accentdieresis = 0x07ae;
/// U+2015 HORIZONTAL BAR
enum XK_Greek_horizbar = 0x07af;
/// U+03AC GREEK SMALL LETTER ALPHA WITH TONOS
enum XK_Greek_alphaaccent = 0x07b1;
/// U+03AD GREEK SMALL LETTER EPSILON WITH TONOS
enum XK_Greek_epsilonaccent = 0x07b2;
/// U+03AE GREEK SMALL LETTER ETA WITH TONOS
enum XK_Greek_etaaccent = 0x07b3;
/// U+03AF GREEK SMALL LETTER IOTA WITH TONOS
enum XK_Greek_iotaaccent = 0x07b4;
/// U+03CA GREEK SMALL LETTER IOTA WITH DIALYTIKA
enum XK_Greek_iotadieresis = 0x07b5;
/// U+0390 GREEK SMALL LETTER IOTA WITH DIALYTIKA AND TONOS
enum XK_Greek_iotaaccentdieresis = 0x07b6;
/// U+03CC GREEK SMALL LETTER OMICRON WITH TONOS
enum XK_Greek_omicronaccent = 0x07b7;
/// U+03CD GREEK SMALL LETTER UPSILON WITH TONOS
enum XK_Greek_upsilonaccent = 0x07b8;
/// U+03CB GREEK SMALL LETTER UPSILON WITH DIALYTIKA
enum XK_Greek_upsilondieresis = 0x07b9;
/// U+03B0 GREEK SMALL LETTER UPSILON WITH DIALYTIKA AND TONOS
enum XK_Greek_upsilonaccentdieresis = 0x07ba;
/// U+03CE GREEK SMALL LETTER OMEGA WITH TONOS
enum XK_Greek_omegaaccent = 0x07bb;
/// U+0391 GREEK CAPITAL LETTER ALPHA
enum XK_Greek_ALPHA = 0x07c1;
/// U+0392 GREEK CAPITAL LETTER BETA
enum XK_Greek_BETA = 0x07c2;
/// U+0393 GREEK CAPITAL LETTER GAMMA
enum XK_Greek_GAMMA = 0x07c3;
/// U+0394 GREEK CAPITAL LETTER DELTA
enum XK_Greek_DELTA = 0x07c4;
/// U+0395 GREEK CAPITAL LETTER EPSILON
enum XK_Greek_EPSILON = 0x07c5;
/// U+0396 GREEK CAPITAL LETTER ZETA
enum XK_Greek_ZETA = 0x07c6;
/// U+0397 GREEK CAPITAL LETTER ETA
enum XK_Greek_ETA = 0x07c7;
/// U+0398 GREEK CAPITAL LETTER THETA
enum XK_Greek_THETA = 0x07c8;
/// U+0399 GREEK CAPITAL LETTER IOTA
enum XK_Greek_IOTA = 0x07c9;
/// U+039A GREEK CAPITAL LETTER KAPPA
enum XK_Greek_KAPPA = 0x07ca;
/// U+039B GREEK CAPITAL LETTER LAMDA
enum XK_Greek_LAMDA = 0x07cb;
/// U+039B GREEK CAPITAL LETTER LAMDA
enum XK_Greek_LAMBDA = 0x07cb;
/// U+039C GREEK CAPITAL LETTER MU
enum XK_Greek_MU = 0x07cc;
/// U+039D GREEK CAPITAL LETTER NU
enum XK_Greek_NU = 0x07cd;
/// U+039E GREEK CAPITAL LETTER XI
enum XK_Greek_XI = 0x07ce;
/// U+039F GREEK CAPITAL LETTER OMICRON
enum XK_Greek_OMICRON = 0x07cf;
/// U+03A0 GREEK CAPITAL LETTER PI
enum XK_Greek_PI = 0x07d0;
/// U+03A1 GREEK CAPITAL LETTER RHO
enum XK_Greek_RHO = 0x07d1;
/// U+03A3 GREEK CAPITAL LETTER SIGMA
enum XK_Greek_SIGMA = 0x07d2;
/// U+03A4 GREEK CAPITAL LETTER TAU
enum XK_Greek_TAU = 0x07d4;
/// U+03A5 GREEK CAPITAL LETTER UPSILON
enum XK_Greek_UPSILON = 0x07d5;
/// U+03A6 GREEK CAPITAL LETTER PHI
enum XK_Greek_PHI = 0x07d6;
/// U+03A7 GREEK CAPITAL LETTER CHI
enum XK_Greek_CHI = 0x07d7;
/// U+03A8 GREEK CAPITAL LETTER PSI
enum XK_Greek_PSI = 0x07d8;
/// U+03A9 GREEK CAPITAL LETTER OMEGA
enum XK_Greek_OMEGA = 0x07d9;
/// U+03B1 GREEK SMALL LETTER ALPHA
enum XK_Greek_alpha = 0x07e1;
/// U+03B2 GREEK SMALL LETTER BETA
enum XK_Greek_beta = 0x07e2;
/// U+03B3 GREEK SMALL LETTER GAMMA
enum XK_Greek_gamma = 0x07e3;
/// U+03B4 GREEK SMALL LETTER DELTA
enum XK_Greek_delta = 0x07e4;
/// U+03B5 GREEK SMALL LETTER EPSILON
enum XK_Greek_epsilon = 0x07e5;
/// U+03B6 GREEK SMALL LETTER ZETA
enum XK_Greek_zeta = 0x07e6;
/// U+03B7 GREEK SMALL LETTER ETA
enum XK_Greek_eta = 0x07e7;
/// U+03B8 GREEK SMALL LETTER THETA
enum XK_Greek_theta = 0x07e8;
/// U+03B9 GREEK SMALL LETTER IOTA
enum XK_Greek_iota = 0x07e9;
/// U+03BA GREEK SMALL LETTER KAPPA
enum XK_Greek_kappa = 0x07ea;
/// U+03BB GREEK SMALL LETTER LAMDA
enum XK_Greek_lamda = 0x07eb;
/// U+03BB GREEK SMALL LETTER LAMDA
enum XK_Greek_lambda = 0x07eb;
/// U+03BC GREEK SMALL LETTER MU
enum XK_Greek_mu = 0x07ec;
/// U+03BD GREEK SMALL LETTER NU
enum XK_Greek_nu = 0x07ed;
/// U+03BE GREEK SMALL LETTER XI
enum XK_Greek_xi = 0x07ee;
/// U+03BF GREEK SMALL LETTER OMICRON
enum XK_Greek_omicron = 0x07ef;
/// U+03C0 GREEK SMALL LETTER PI
enum XK_Greek_pi = 0x07f0;
/// U+03C1 GREEK SMALL LETTER RHO
enum XK_Greek_rho = 0x07f1;
/// U+03C3 GREEK SMALL LETTER SIGMA
enum XK_Greek_sigma = 0x07f2;
/// U+03C2 GREEK SMALL LETTER FINAL SIGMA
enum XK_Greek_finalsmallsigma = 0x07f3;
/// U+03C4 GREEK SMALL LETTER TAU
enum XK_Greek_tau = 0x07f4;
/// U+03C5 GREEK SMALL LETTER UPSILON
enum XK_Greek_upsilon = 0x07f5;
/// U+03C6 GREEK SMALL LETTER PHI
enum XK_Greek_phi = 0x07f6;
/// U+03C7 GREEK SMALL LETTER CHI
enum XK_Greek_chi = 0x07f7;
/// U+03C8 GREEK SMALL LETTER PSI
enum XK_Greek_psi = 0x07f8;
/// U+03C9 GREEK SMALL LETTER OMEGA
enum XK_Greek_omega = 0x07f9;
/// Alias for mode_switch
enum XK_Greek_switch = 0xff7e;
}
/**
* Technical
* (from the DEC VT330/VT420 Technical Character Set, http://vt100.net/charsets/technical.html)
* Byte 3 = 8
*/
static if (XK_TECHNICAL) {
/// U+23B7 RADICAL SYMBOL BOTTOM
enum XK_leftradical = 0x08a1;
/// (U+250C BOX DRAWINGS LIGHT DOWN AND RIGHT)
enum XK_topleftradical = 0x08a2;
/// (U+2500 BOX DRAWINGS LIGHT HORIZONTAL)
enum XK_horizconnector = 0x08a3;
/// U+2320 TOP HALF INTEGRAL
enum XK_topintegral = 0x08a4;
/// U+2321 BOTTOM HALF INTEGRAL
enum XK_botintegral = 0x08a5;
/// (U+2502 BOX DRAWINGS LIGHT VERTICAL)
enum XK_vertconnector = 0x08a6;
/// U+23A1 LEFT SQUARE BRACKET UPPER CORNER
enum XK_topleftsqbracket = 0x08a7;
/// U+23A3 LEFT SQUARE BRACKET LOWER CORNER
enum XK_botleftsqbracket = 0x08a8;
/// U+23A4 RIGHT SQUARE BRACKET UPPER CORNER
enum XK_toprightsqbracket = 0x08a9;
/// U+23A6 RIGHT SQUARE BRACKET LOWER CORNER
enum XK_botrightsqbracket = 0x08aa;
/// U+239B LEFT PARENTHESIS UPPER HOOK
enum XK_topleftparens = 0x08ab;
/// U+239D LEFT PARENTHESIS LOWER HOOK
enum XK_botleftparens = 0x08ac;
/// U+239E RIGHT PARENTHESIS UPPER HOOK
enum XK_toprightparens = 0x08ad;
/// U+23A0 RIGHT PARENTHESIS LOWER HOOK
enum XK_botrightparens = 0x08ae;
/// U+23A8 LEFT CURLY BRACKET MIDDLE PIECE
enum XK_leftmiddlecurlybrace = 0x08af;
/// U+23AC RIGHT CURLY BRACKET MIDDLE PIECE
enum XK_rightmiddlecurlybrace = 0x08b0;
///
enum XK_topleftsummation = 0x08b1;
///
enum XK_botleftsummation = 0x08b2;
///
enum XK_topvertsummationconnector = 0x08b3;
///
enum XK_botvertsummationconnector = 0x08b4;
///
enum XK_toprightsummation = 0x08b5;
///
enum XK_botrightsummation = 0x08b6;
///
enum XK_rightmiddlesummation = 0x08b7;
/// U+2264 LESS-THAN OR EQUAL TO
enum XK_lessthanequal = 0x08bc;
/// U+2260 NOT EQUAL TO
enum XK_notequal = 0x08bd;
/// U+2265 GREATER-THAN OR EQUAL TO
enum XK_greaterthanequal = 0x08be;
/// U+222B INTEGRAL
enum XK_integral = 0x08bf;
/// U+2234 THEREFORE
enum XK_therefore = 0x08c0;
/// U+221D PROPORTIONAL TO
enum XK_variation = 0x08c1;
/// U+221E INFINITY
enum XK_infinity = 0x08c2;
/// U+2207 NABLA
enum XK_nabla = 0x08c5;
/// U+223C TILDE OPERATOR
enum XK_approximate = 0x08c8;
/// U+2243 ASYMPTOTICALLY EQUAL TO
enum XK_similarequal = 0x08c9;
/// U+21D4 LEFT RIGHT DOUBLE ARROW
enum XK_ifonlyif = 0x08cd;
/// U+21D2 RIGHTWARDS DOUBLE ARROW
enum XK_implies = 0x08ce;
/// U+2261 IDENTICAL TO
enum XK_identical = 0x08cf;
/// U+221A SQUARE ROOT
enum XK_radical = 0x08d6;
/// U+2282 SUBSET OF
enum XK_includedin = 0x08da;
/// U+2283 SUPERSET OF
enum XK_includes = 0x08db;
/// U+2229 INTERSECTION
enum XK_intersection = 0x08dc;
/// U+222A UNION
enum XK_union = 0x08dd;
/// U+2227 LOGICAL AND
enum XK_logicaland = 0x08de;
/// U+2228 LOGICAL OR
enum XK_logicalor = 0x08df;
/// U+2202 PARTIAL DIFFERENTIAL
enum XK_partialderivative = 0x08ef;
/// U+0192 LATIN SMALL LETTER F WITH HOOK
enum XK_function = 0x08f6;
/// U+2190 LEFTWARDS ARROW
enum XK_leftarrow = 0x08fb;
/// U+2191 UPWARDS ARROW
enum XK_uparrow = 0x08fc;
/// U+2192 RIGHTWARDS ARROW
enum XK_rightarrow = 0x08fd;
/// U+2193 DOWNWARDS ARROW
enum XK_downarrow = 0x08fe;
}
/**
* Special
* (from the DEC VT100 Special Graphics Character Set)
* Byte 3 = 9
*/
static if (XK_SPECIAL) {
///
enum XK_blank = 0x09df;
/// U+25C6 BLACK DIAMOND
enum XK_soliddiamond = 0x09e0;
/// U+2592 MEDIUM SHADE
enum XK_checkerboard = 0x09e1;
/// U+2409 SYMBOL FOR HORIZONTAL TABULATION
enum XK_ht = 0x09e2;
/// U+240C SYMBOL FOR FORM FEED
enum XK_ff = 0x09e3;
/// U+240D SYMBOL FOR CARRIAGE RETURN
enum XK_cr = 0x09e4;
/// U+240A SYMBOL FOR LINE FEED
enum XK_lf = 0x09e5;
/// U+2424 SYMBOL FOR NEWLINE
enum XK_nl = 0x09e8;
/// U+240B SYMBOL FOR VERTICAL TABULATION
enum XK_vt = 0x09e9;
/// U+2518 BOX DRAWINGS LIGHT UP AND LEFT
enum XK_lowrightcorner = 0x09ea;
/// U+2510 BOX DRAWINGS LIGHT DOWN AND LEFT
enum XK_uprightcorner = 0x09eb;
/// U+250C BOX DRAWINGS LIGHT DOWN AND RIGHT
enum XK_upleftcorner = 0x09ec;
/// U+2514 BOX DRAWINGS LIGHT UP AND RIGHT
enum XK_lowleftcorner = 0x09ed;
/// U+253C BOX DRAWINGS LIGHT VERTICAL AND HORIZONTAL
enum XK_crossinglines = 0x09ee;
/// U+23BA HORIZONTAL SCAN LINE-1
enum XK_horizlinescan1 = 0x09ef;
/// U+23BB HORIZONTAL SCAN LINE-3
enum XK_horizlinescan3 = 0x09f0;
/// U+2500 BOX DRAWINGS LIGHT HORIZONTAL
enum XK_horizlinescan5 = 0x09f1;
/// U+23BC HORIZONTAL SCAN LINE-7
enum XK_horizlinescan7 = 0x09f2;
/// U+23BD HORIZONTAL SCAN LINE-9
enum XK_horizlinescan9 = 0x09f3;
/// U+251C BOX DRAWINGS LIGHT VERTICAL AND RIGHT
enum XK_leftt = 0x09f4;
/// U+2524 BOX DRAWINGS LIGHT VERTICAL AND LEFT
enum XK_rightt = 0x09f5;
/// U+2534 BOX DRAWINGS LIGHT UP AND HORIZONTAL
enum XK_bott = 0x09f6;
/// U+252C BOX DRAWINGS LIGHT DOWN AND HORIZONTAL
enum XK_topt = 0x09f7;
/// U+2502 BOX DRAWINGS LIGHT VERTICAL
enum XK_vertbar = 0x09f8;
}
/**
* Publishing
* (these are probably from a long forgotten DEC Publishing
* font that once shipped with DECwrite)
* Byte 3 = 0x0a
*/
static if (XK_PUBLISHING) {
/// U+2003 EM SPACE
enum XK_emspace = 0x0aa1;
/// U+2002 EN SPACE
enum XK_enspace = 0x0aa2;
/// U+2004 THREE-PER-EM SPACE
enum XK_em3space = 0x0aa3;
/// U+2005 FOUR-PER-EM SPACE
enum XK_em4space = 0x0aa4;
/// U+2007 FIGURE SPACE
enum XK_digitspace = 0x0aa5;
/// U+2008 PUNCTUATION SPACE
enum XK_punctspace = 0x0aa6;
/// U+2009 THIN SPACE
enum XK_thinspace = 0x0aa7;
/// U+200A HAIR SPACE
enum XK_hairspace = 0x0aa8;
/// U+2014 EM DASH
enum XK_emdash = 0x0aa9;
/// U+2013 EN DASH
enum XK_endash = 0x0aaa;
/// (U+2423 OPEN BOX)
enum XK_signifblank = 0x0aac;
/// U+2026 HORIZONTAL ELLIPSIS
enum XK_ellipsis = 0x0aae;
/// U+2025 TWO DOT LEADER
enum XK_doubbaselinedot = 0x0aaf;
/// U+2153 VULGAR FRACTION ONE THIRD
enum XK_onethird = 0x0ab0;
/// U+2154 VULGAR FRACTION TWO THIRDS
enum XK_twothirds = 0x0ab1;
/// U+2155 VULGAR FRACTION ONE FIFTH
enum XK_onefifth = 0x0ab2;
/// U+2156 VULGAR FRACTION TWO FIFTHS
enum XK_twofifths = 0x0ab3;
/// U+2157 VULGAR FRACTION THREE FIFTHS
enum XK_threefifths = 0x0ab4;
/// U+2158 VULGAR FRACTION FOUR FIFTHS
enum XK_fourfifths = 0x0ab5;
/// U+2159 VULGAR FRACTION ONE SIXTH
enum XK_onesixth = 0x0ab6;
/// U+215A VULGAR FRACTION FIVE SIXTHS
enum XK_fivesixths = 0x0ab7;
/// U+2105 CARE OF
enum XK_careof = 0x0ab8;
/// U+2012 FIGURE DASH
enum XK_figdash = 0x0abb;
/// (U+27E8 MATHEMATICAL LEFT ANGLE BRACKET)
enum XK_leftanglebracket = 0x0abc;
/// (U+002E FULL STOP)
enum XK_decimalpoint = 0x0abd;
/// (U+27E9 MATHEMATICAL RIGHT ANGLE BRACKET)
enum XK_rightanglebracket = 0x0abe;
///
enum XK_marker = 0x0abf;
/// U+215B VULGAR FRACTION ONE EIGHTH
enum XK_oneeighth = 0x0ac3;
/// U+215C VULGAR FRACTION THREE EIGHTHS
enum XK_threeeighths = 0x0ac4;
/// U+215D VULGAR FRACTION FIVE EIGHTHS
enum XK_fiveeighths = 0x0ac5;
/// U+215E VULGAR FRACTION SEVEN EIGHTHS
enum XK_seveneighths = 0x0ac6;
/// U+2122 TRADE MARK SIGN
enum XK_trademark = 0x0ac9;
/// (U+2613 SALTIRE)
enum XK_signaturemark = 0x0aca;
///
enum XK_trademarkincircle = 0x0acb;
/// (U+25C1 WHITE LEFT-POINTING TRIANGLE)
enum XK_leftopentriangle = 0x0acc;
/// (U+25B7 WHITE RIGHT-POINTING TRIANGLE)
enum XK_rightopentriangle = 0x0acd;
/// (U+25CB WHITE CIRCLE)
enum XK_emopencircle = 0x0ace;
/// (U+25AF WHITE VERTICAL RECTANGLE)
enum XK_emopenrectangle = 0x0acf;
/// U+2018 LEFT SINGLE QUOTATION MARK
enum XK_leftsinglequotemark = 0x0ad0;
/// U+2019 RIGHT SINGLE QUOTATION MARK
enum XK_rightsinglequotemark = 0x0ad1;
/// U+201C LEFT DOUBLE QUOTATION MARK
enum XK_leftdoublequotemark = 0x0ad2;
/// U+201D RIGHT DOUBLE QUOTATION MARK
enum XK_rightdoublequotemark = 0x0ad3;
/// U+211E PRESCRIPTION TAKE
enum XK_prescription = 0x0ad4;
/// U+2030 PER MILLE SIGN
enum XK_permille = 0x0ad5;
/// U+2032 PRIME
enum XK_minutes = 0x0ad6;
/// U+2033 DOUBLE PRIME
enum XK_seconds = 0x0ad7;
/// U+271D LATIN CROSS
enum XK_latincross = 0x0ad9;
///
enum XK_hexagram = 0x0ada;
/// (U+25AC BLACK RECTANGLE)
enum XK_filledrectbullet = 0x0adb;
/// (U+25C0 BLACK LEFT-POINTING TRIANGLE)
enum XK_filledlefttribullet = 0x0adc;
/// (U+25B6 BLACK RIGHT-POINTING TRIANGLE)
enum XK_filledrighttribullet = 0x0add;
/// (U+25CF BLACK CIRCLE)
enum XK_emfilledcircle = 0x0ade;
/// (U+25AE BLACK VERTICAL RECTANGLE)
enum XK_emfilledrect = 0x0adf;
/// (U+25E6 WHITE BULLET)
enum XK_enopencircbullet = 0x0ae0;
/// (U+25AB WHITE SMALL SQUARE)
enum XK_enopensquarebullet = 0x0ae1;
/// (U+25AD WHITE RECTANGLE)
enum XK_openrectbullet = 0x0ae2;
/// (U+25B3 WHITE UP-POINTING TRIANGLE)
enum XK_opentribulletup = 0x0ae3;
/// (U+25BD WHITE DOWN-POINTING TRIANGLE)
enum XK_opentribulletdown = 0x0ae4;
/// (U+2606 WHITE STAR)
enum XK_openstar = 0x0ae5;
/// (U+2022 BULLET)
enum XK_enfilledcircbullet = 0x0ae6;
/// (U+25AA BLACK SMALL SQUARE)
enum XK_enfilledsqbullet = 0x0ae7;
/// (U+25B2 BLACK UP-POINTING TRIANGLE)
enum XK_filledtribulletup = 0x0ae8;
/// (U+25BC BLACK DOWN-POINTING TRIANGLE)
enum XK_filledtribulletdown = 0x0ae9;
/// (U+261C WHITE LEFT POINTING INDEX)
enum XK_leftpointer = 0x0aea;
/// (U+261E WHITE RIGHT POINTING INDEX)
enum XK_rightpointer = 0x0aeb;
/// U+2663 BLACK CLUB SUIT
enum XK_club = 0x0aec;
/// U+2666 BLACK DIAMOND SUIT
enum XK_diamond = 0x0aed;
/// U+2665 BLACK HEART SUIT
enum XK_heart = 0x0aee;
/// U+2720 MALTESE CROSS
enum XK_maltesecross = 0x0af0;
/// U+2020 DAGGER
enum XK_dagger = 0x0af1;
/// U+2021 DOUBLE DAGGER
enum XK_doubledagger = 0x0af2;
/// U+2713 CHECK MARK
enum XK_checkmark = 0x0af3;
/// U+2717 BALLOT X
enum XK_ballotcross = 0x0af4;
/// U+266F MUSIC SHARP SIGN
enum XK_musicalsharp = 0x0af5;
/// U+266D MUSIC FLAT SIGN
enum XK_musicalflat = 0x0af6;
/// U+2642 MALE SIGN
enum XK_malesymbol = 0x0af7;
/// U+2640 FEMALE SIGN
enum XK_femalesymbol = 0x0af8;
/// U+260E BLACK TELEPHONE
enum XK_telephone = 0x0af9;
/// U+2315 TELEPHONE RECORDER
enum XK_telephonerecorder = 0x0afa;
/// U+2117 SOUND RECORDING COPYRIGHT
enum XK_phonographcopyright = 0x0afb;
/// U+2038 CARET
enum XK_caret = 0x0afc;
/// U+201A SINGLE LOW-9 QUOTATION MARK
enum XK_singlelowquotemark = 0x0afd;
/// U+201E DOUBLE LOW-9 QUOTATION MARK
enum XK_doublelowquotemark = 0x0afe;
///
enum XK_cursor = 0x0aff;
}
/**
* APL
* Byte 3 = 0x0b
*/
static if (XK_APL) {
/// (U+003C LESS-THAN SIGN)
enum XK_leftcaret = 0x0ba3;
/// (U+003E GREATER-THAN SIGN)
enum XK_rightcaret = 0x0ba6;
/// (U+2228 LOGICAL OR)
enum XK_downcaret = 0x0ba8;
/// (U+2227 LOGICAL AND)
enum XK_upcaret = 0x0ba9;
/// (U+00AF MACRON)
enum XK_overbar = 0x0bc0;
/// U+22A4 DOWN TACK
enum XK_downtack = 0x0bc2;
/// (U+2229 INTERSECTION)
enum XK_upshoe = 0x0bc3;
/// U+230A LEFT FLOOR
enum XK_downstile = 0x0bc4;
/// (U+005F LOW LINE)
enum XK_underbar = 0x0bc6;
/// U+2218 RING OPERATOR
enum XK_jot = 0x0bca;
/// U+2395 APL FUNCTIONAL SYMBOL QUAD
enum XK_quad = 0x0bcc;
/// U+22A5 UP TACK
enum XK_uptack = 0x0bce;
/// U+25CB WHITE CIRCLE
enum XK_circle = 0x0bcf;
/// U+2308 LEFT CEILING
enum XK_upstile = 0x0bd3;
/// (U+222A UNION)
enum XK_downshoe = 0x0bd6;
/// (U+2283 SUPERSET OF)
enum XK_rightshoe = 0x0bd8;
/// (U+2282 SUBSET OF)
enum XK_leftshoe = 0x0bda;
/// U+22A3 LEFT TACK
enum XK_lefttack = 0x0bdc;
/// U+22A2 RIGHT TACK
enum XK_righttack = 0x0bfc;
}
/**
* Hebrew
* Byte 3 = 0x0c
*/
static if (XK_HEBREW) {
/// U+2017 DOUBLE LOW LINE
enum XK_hebrew_doublelowline = 0x0cdf;
/// U+05D0 HEBREW LETTER ALEF
enum XK_hebrew_aleph = 0x0ce0;
/// U+05D1 HEBREW LETTER BET
enum XK_hebrew_bet = 0x0ce1;
/// deprecated
enum XK_hebrew_beth = 0x0ce1;
/// U+05D2 HEBREW LETTER GIMEL
enum XK_hebrew_gimel = 0x0ce2;
/// deprecated
enum XK_hebrew_gimmel = 0x0ce2;
/// U+05D3 HEBREW LETTER DALET
enum XK_hebrew_dalet = 0x0ce3;
/// deprecated
enum XK_hebrew_daleth = 0x0ce3;
/// U+05D4 HEBREW LETTER HE
enum XK_hebrew_he = 0x0ce4;
/// U+05D5 HEBREW LETTER VAV
enum XK_hebrew_waw = 0x0ce5;
/// U+05D6 HEBREW LETTER ZAYIN
enum XK_hebrew_zain = 0x0ce6;
/// deprecated
enum XK_hebrew_zayin = 0x0ce6;
/// U+05D7 HEBREW LETTER HET
enum XK_hebrew_chet = 0x0ce7;
/// deprecated
enum XK_hebrew_het = 0x0ce7;
/// U+05D8 HEBREW LETTER TET
enum XK_hebrew_tet = 0x0ce8;
/// deprecated
enum XK_hebrew_teth = 0x0ce8;
/// U+05D9 HEBREW LETTER YOD
enum XK_hebrew_yod = 0x0ce9;
/// U+05DA HEBREW LETTER FINAL KAF
enum XK_hebrew_finalkaph = 0x0cea;
/// U+05DB HEBREW LETTER KAF
enum XK_hebrew_kaph = 0x0ceb;
/// U+05DC HEBREW LETTER LAMED
enum XK_hebrew_lamed = 0x0cec;
/// U+05DD HEBREW LETTER FINAL MEM
enum XK_hebrew_finalmem = 0x0ced;
/// U+05DE HEBREW LETTER MEM
enum XK_hebrew_mem = 0x0cee;
/// U+05DF HEBREW LETTER FINAL NUN
enum XK_hebrew_finalnun = 0x0cef;
/// U+05E0 HEBREW LETTER NUN
enum XK_hebrew_nun = 0x0cf0;
/// U+05E1 HEBREW LETTER SAMEKH
enum XK_hebrew_samech = 0x0cf1;
/// deprecated
enum XK_hebrew_samekh = 0x0cf1;
/// U+05E2 HEBREW LETTER AYIN
enum XK_hebrew_ayin = 0x0cf2;
/// U+05E3 HEBREW LETTER FINAL PE
enum XK_hebrew_finalpe = 0x0cf3;
/// U+05E4 HEBREW LETTER PE
enum XK_hebrew_pe = 0x0cf4;
/// U+05E5 HEBREW LETTER FINAL TSADI
enum XK_hebrew_finalzade = 0x0cf5;
/// deprecated
enum XK_hebrew_finalzadi = 0x0cf5;
/// U+05E6 HEBREW LETTER TSADI
enum XK_hebrew_zade = 0x0cf6;
/// deprecated
enum XK_hebrew_zadi = 0x0cf6;
/// U+05E7 HEBREW LETTER QOF
enum XK_hebrew_qoph = 0x0cf7;
/// deprecated
enum XK_hebrew_kuf = 0x0cf7;
/// U+05E8 HEBREW LETTER RESH
enum XK_hebrew_resh = 0x0cf8;
/// U+05E9 HEBREW LETTER SHIN
enum XK_hebrew_shin = 0x0cf9;
/// U+05EA HEBREW LETTER TAV
enum XK_hebrew_taw = 0x0cfa;
/// deprecated
enum XK_hebrew_taf = 0x0cfa;
/// Alias for mode_switch
enum XK_Hebrew_switch = 0xff7e;
}
/**
* Thai
* Byte 3 = 0x0d
*/
static if (XK_THAI) {
/// U+0E01 THAI CHARACTER KO KAI
enum XK_Thai_kokai = 0x0da1;
/// U+0E02 THAI CHARACTER KHO KHAI
enum XK_Thai_khokhai = 0x0da2;
/// U+0E03 THAI CHARACTER KHO KHUAT
enum XK_Thai_khokhuat = 0x0da3;
/// U+0E04 THAI CHARACTER KHO KHWAI
enum XK_Thai_khokhwai = 0x0da4;
/// U+0E05 THAI CHARACTER KHO KHON
enum XK_Thai_khokhon = 0x0da5;
/// U+0E06 THAI CHARACTER KHO RAKHANG
enum XK_Thai_khorakhang = 0x0da6;
/// U+0E07 THAI CHARACTER NGO NGU
enum XK_Thai_ngongu = 0x0da7;
/// U+0E08 THAI CHARACTER CHO CHAN
enum XK_Thai_chochan = 0x0da8;
/// U+0E09 THAI CHARACTER CHO CHING
enum XK_Thai_choching = 0x0da9;
/// U+0E0A THAI CHARACTER CHO CHANG
enum XK_Thai_chochang = 0x0daa;
/// U+0E0B THAI CHARACTER SO SO
enum XK_Thai_soso = 0x0dab;
/// U+0E0C THAI CHARACTER CHO CHOE
enum XK_Thai_chochoe = 0x0dac;
/// U+0E0D THAI CHARACTER YO YING
enum XK_Thai_yoying = 0x0dad;
/// U+0E0E THAI CHARACTER DO CHADA
enum XK_Thai_dochada = 0x0dae;
/// U+0E0F THAI CHARACTER TO PATAK
enum XK_Thai_topatak = 0x0daf;
/// U+0E10 THAI CHARACTER THO THAN
enum XK_Thai_thothan = 0x0db0;
/// U+0E11 THAI CHARACTER THO NANGMONTHO
enum XK_Thai_thonangmontho = 0x0db1;
/// U+0E12 THAI CHARACTER THO PHUTHAO
enum XK_Thai_thophuthao = 0x0db2;
/// U+0E13 THAI CHARACTER NO NEN
enum XK_Thai_nonen = 0x0db3;
/// U+0E14 THAI CHARACTER DO DEK
enum XK_Thai_dodek = 0x0db4;
/// U+0E15 THAI CHARACTER TO TAO
enum XK_Thai_totao = 0x0db5;
/// U+0E16 THAI CHARACTER THO THUNG
enum XK_Thai_thothung = 0x0db6;
/// U+0E17 THAI CHARACTER THO THAHAN
enum XK_Thai_thothahan = 0x0db7;
/// U+0E18 THAI CHARACTER THO THONG
enum XK_Thai_thothong = 0x0db8;
/// U+0E19 THAI CHARACTER NO NU
enum XK_Thai_nonu = 0x0db9;
/// U+0E1A THAI CHARACTER BO BAIMAI
enum XK_Thai_bobaimai = 0x0dba;
/// U+0E1B THAI CHARACTER PO PLA
enum XK_Thai_popla = 0x0dbb;
/// U+0E1C THAI CHARACTER PHO PHUNG
enum XK_Thai_phophung = 0x0dbc;
/// U+0E1D THAI CHARACTER FO FA
enum XK_Thai_fofa = 0x0dbd;
/// U+0E1E THAI CHARACTER PHO PHAN
enum XK_Thai_phophan = 0x0dbe;
/// U+0E1F THAI CHARACTER FO FAN
enum XK_Thai_fofan = 0x0dbf;
/// U+0E20 THAI CHARACTER PHO SAMPHAO
enum XK_Thai_phosamphao = 0x0dc0;
/// U+0E21 THAI CHARACTER MO MA
enum XK_Thai_moma = 0x0dc1;
/// U+0E22 THAI CHARACTER YO YAK
enum XK_Thai_yoyak = 0x0dc2;
/// U+0E23 THAI CHARACTER RO RUA
enum XK_Thai_rorua = 0x0dc3;
/// U+0E24 THAI CHARACTER RU
enum XK_Thai_ru = 0x0dc4;
/// U+0E25 THAI CHARACTER LO LING
enum XK_Thai_loling = 0x0dc5;
/// U+0E26 THAI CHARACTER LU
enum XK_Thai_lu = 0x0dc6;
/// U+0E27 THAI CHARACTER WO WAEN
enum XK_Thai_wowaen = 0x0dc7;
/// U+0E28 THAI CHARACTER SO SALA
enum XK_Thai_sosala = 0x0dc8;
/// U+0E29 THAI CHARACTER SO RUSI
enum XK_Thai_sorusi = 0x0dc9;
/// U+0E2A THAI CHARACTER SO SUA
enum XK_Thai_sosua = 0x0dca;
/// U+0E2B THAI CHARACTER HO HIP
enum XK_Thai_hohip = 0x0dcb;
/// U+0E2C THAI CHARACTER LO CHULA
enum XK_Thai_lochula = 0x0dcc;
/// U+0E2D THAI CHARACTER O ANG
enum XK_Thai_oang = 0x0dcd;
/// U+0E2E THAI CHARACTER HO NOKHUK
enum XK_Thai_honokhuk = 0x0dce;
/// U+0E2F THAI CHARACTER PAIYANNOI
enum XK_Thai_paiyannoi = 0x0dcf;
/// U+0E30 THAI CHARACTER SARA A
enum XK_Thai_saraa = 0x0dd0;
/// U+0E31 THAI CHARACTER MAI HAN-AKAT
enum XK_Thai_maihanakat = 0x0dd1;
/// U+0E32 THAI CHARACTER SARA AA
enum XK_Thai_saraaa = 0x0dd2;
/// U+0E33 THAI CHARACTER SARA AM
enum XK_Thai_saraam = 0x0dd3;
/// U+0E34 THAI CHARACTER SARA I
enum XK_Thai_sarai = 0x0dd4;
/// U+0E35 THAI CHARACTER SARA II
enum XK_Thai_saraii = 0x0dd5;
/// U+0E36 THAI CHARACTER SARA UE
enum XK_Thai_saraue = 0x0dd6;
/// U+0E37 THAI CHARACTER SARA UEE
enum XK_Thai_sarauee = 0x0dd7;
/// U+0E38 THAI CHARACTER SARA U
enum XK_Thai_sarau = 0x0dd8;
/// U+0E39 THAI CHARACTER SARA UU
enum XK_Thai_sarauu = 0x0dd9;
/// U+0E3A THAI CHARACTER PHINTHU
enum XK_Thai_phinthu = 0x0dda;
///
enum XK_Thai_maihanakat_maitho = 0x0dde;
/// U+0E3F THAI CURRENCY SYMBOL BAHT
enum XK_Thai_baht = 0x0ddf;
/// U+0E40 THAI CHARACTER SARA E
enum XK_Thai_sarae = 0x0de0;
/// U+0E41 THAI CHARACTER SARA AE
enum XK_Thai_saraae = 0x0de1;
/// U+0E42 THAI CHARACTER SARA O
enum XK_Thai_sarao = 0x0de2;
/// U+0E43 THAI CHARACTER SARA AI MAIMUAN
enum XK_Thai_saraaimaimuan = 0x0de3;
/// U+0E44 THAI CHARACTER SARA AI MAIMALAI
enum XK_Thai_saraaimaimalai = 0x0de4;
/// U+0E45 THAI CHARACTER LAKKHANGYAO
enum XK_Thai_lakkhangyao = 0x0de5;
/// U+0E46 THAI CHARACTER MAIYAMOK
enum XK_Thai_maiyamok = 0x0de6;
/// U+0E47 THAI CHARACTER MAITAIKHU
enum XK_Thai_maitaikhu = 0x0de7;
/// U+0E48 THAI CHARACTER MAI EK
enum XK_Thai_maiek = 0x0de8;
/// U+0E49 THAI CHARACTER MAI THO
enum XK_Thai_maitho = 0x0de9;
/// U+0E4A THAI CHARACTER MAI TRI
enum XK_Thai_maitri = 0x0dea;
/// U+0E4B THAI CHARACTER MAI CHATTAWA
enum XK_Thai_maichattawa = 0x0deb;
/// U+0E4C THAI CHARACTER THANTHAKHAT
enum XK_Thai_thanthakhat = 0x0dec;
/// U+0E4D THAI CHARACTER NIKHAHIT
enum XK_Thai_nikhahit = 0x0ded;
/// U+0E50 THAI DIGIT ZERO
enum XK_Thai_leksun = 0x0df0;
/// U+0E51 THAI DIGIT ONE
enum XK_Thai_leknung = 0x0df1;
/// U+0E52 THAI DIGIT TWO
enum XK_Thai_leksong = 0x0df2;
/// U+0E53 THAI DIGIT THREE
enum XK_Thai_leksam = 0x0df3;
/// U+0E54 THAI DIGIT FOUR
enum XK_Thai_leksi = 0x0df4;
/// U+0E55 THAI DIGIT FIVE
enum XK_Thai_lekha = 0x0df5;
/// U+0E56 THAI DIGIT SIX
enum XK_Thai_lekhok = 0x0df6;
/// U+0E57 THAI DIGIT SEVEN
enum XK_Thai_lekchet = 0x0df7;
/// U+0E58 THAI DIGIT EIGHT
enum XK_Thai_lekpaet = 0x0df8;
/// U+0E59 THAI DIGIT NINE
enum XK_Thai_lekkao = 0x0df9;
}
/**
* Korean
* Byte 3 = 0x0e
*/
static if (XK_KOREAN) {
/// Hangul start/stop(toggle)
enum XK_Hangul = 0xff31;
/// Hangul start
enum XK_Hangul_Start = 0xff32;
/// Hangul end, English start
enum XK_Hangul_End = 0xff33;
/// Start Hangul->Hanja Conversion
enum XK_Hangul_Hanja = 0xff34;
/// Hangul Jamo mode
enum XK_Hangul_Jamo = 0xff35;
/// Hangul Romaja mode
enum XK_Hangul_Romaja = 0xff36;
/// Hangul code input mode
enum XK_Hangul_Codeinput = 0xff37;
/// Jeonja mode
enum XK_Hangul_Jeonja = 0xff38;
/// Banja mode
enum XK_Hangul_Banja = 0xff39;
/// Pre Hanja conversion
enum XK_Hangul_PreHanja = 0xff3a;
/// Post Hanja conversion
enum XK_Hangul_PostHanja = 0xff3b;
/// Single candidate
enum XK_Hangul_SingleCandidate = 0xff3c;
/// Multiple candidate
enum XK_Hangul_MultipleCandidate = 0xff3d;
/// Previous candidate
enum XK_Hangul_PreviousCandidate = 0xff3e;
/// Special symbols
enum XK_Hangul_Special = 0xff3f;
/// Alias for mode_switch
enum XK_Hangul_switch = 0xff7e;
/* Hangul Consonant Characters */
///
enum XK_Hangul_Kiyeog = 0x0ea1;
///
enum XK_Hangul_SsangKiyeog = 0x0ea2;
///
enum XK_Hangul_KiyeogSios = 0x0ea3;
///
enum XK_Hangul_Nieun = 0x0ea4;
///
enum XK_Hangul_NieunJieuj = 0x0ea5;
///
enum XK_Hangul_NieunHieuh = 0x0ea6;
///
enum XK_Hangul_Dikeud = 0x0ea7;
///
enum XK_Hangul_SsangDikeud = 0x0ea8;
///
enum XK_Hangul_Rieul = 0x0ea9;
///
enum XK_Hangul_RieulKiyeog = 0x0eaa;
///
enum XK_Hangul_RieulMieum = 0x0eab;
///
enum XK_Hangul_RieulPieub = 0x0eac;
///
enum XK_Hangul_RieulSios = 0x0ead;
///
enum XK_Hangul_RieulTieut = 0x0eae;
///
enum XK_Hangul_RieulPhieuf = 0x0eaf;
///
enum XK_Hangul_RieulHieuh = 0x0eb0;
///
enum XK_Hangul_Mieum = 0x0eb1;
///
enum XK_Hangul_Pieub = 0x0eb2;
///
enum XK_Hangul_SsangPieub = 0x0eb3;
///
enum XK_Hangul_PieubSios = 0x0eb4;
///
enum XK_Hangul_Sios = 0x0eb5;
///
enum XK_Hangul_SsangSios = 0x0eb6;
///
enum XK_Hangul_Ieung = 0x0eb7;
///
enum XK_Hangul_Jieuj = 0x0eb8;
///
enum XK_Hangul_SsangJieuj = 0x0eb9;
///
enum XK_Hangul_Cieuc = 0x0eba;
///
enum XK_Hangul_Khieuq = 0x0ebb;
///
enum XK_Hangul_Tieut = 0x0ebc;
///
enum XK_Hangul_Phieuf = 0x0ebd;
///
enum XK_Hangul_Hieuh = 0x0ebe;
/* Hangul Vowel Characters */
///
enum XK_Hangul_A = 0x0ebf;
///
enum XK_Hangul_AE = 0x0ec0;
///
enum XK_Hangul_YA = 0x0ec1;
///
enum XK_Hangul_YAE = 0x0ec2;
///
enum XK_Hangul_EO = 0x0ec3;
///
enum XK_Hangul_E = 0x0ec4;
///
enum XK_Hangul_YEO = 0x0ec5;
///
enum XK_Hangul_YE = 0x0ec6;
///
enum XK_Hangul_O = 0x0ec7;
///
enum XK_Hangul_WA = 0x0ec8;
///
enum XK_Hangul_WAE = 0x0ec9;
///
enum XK_Hangul_OE = 0x0eca;
///
enum XK_Hangul_YO = 0x0ecb;
///
enum XK_Hangul_U = 0x0ecc;
///
enum XK_Hangul_WEO = 0x0ecd;
///
enum XK_Hangul_WE = 0x0ece;
///
enum XK_Hangul_WI = 0x0ecf;
///
enum XK_Hangul_YU = 0x0ed0;
///
enum XK_Hangul_EU = 0x0ed1;
///
enum XK_Hangul_YI = 0x0ed2;
///
enum XK_Hangul_I = 0x0ed3;
/* Hangul syllable-final (JongSeong) Characters */
///
enum XK_Hangul_J_Kiyeog = 0x0ed4;
///
enum XK_Hangul_J_SsangKiyeog = 0x0ed5;
///
enum XK_Hangul_J_KiyeogSios = 0x0ed6;
///
enum XK_Hangul_J_Nieun = 0x0ed7;
///
enum XK_Hangul_J_NieunJieuj = 0x0ed8;
///
enum XK_Hangul_J_NieunHieuh = 0x0ed9;
///
enum XK_Hangul_J_Dikeud = 0x0eda;
///
enum XK_Hangul_J_Rieul = 0x0edb;
///
enum XK_Hangul_J_RieulKiyeog = 0x0edc;
///
enum XK_Hangul_J_RieulMieum = 0x0edd;
///
enum XK_Hangul_J_RieulPieub = 0x0ede;
///
enum XK_Hangul_J_RieulSios = 0x0edf;
///
enum XK_Hangul_J_RieulTieut = 0x0ee0;
///
enum XK_Hangul_J_RieulPhieuf = 0x0ee1;
///
enum XK_Hangul_J_RieulHieuh = 0x0ee2;
///
enum XK_Hangul_J_Mieum = 0x0ee3;
///
enum XK_Hangul_J_Pieub = 0x0ee4;
///
enum XK_Hangul_J_PieubSios = 0x0ee5;
///
enum XK_Hangul_J_Sios = 0x0ee6;
///
enum XK_Hangul_J_SsangSios = 0x0ee7;
///
enum XK_Hangul_J_Ieung = 0x0ee8;
///
enum XK_Hangul_J_Jieuj = 0x0ee9;
///
enum XK_Hangul_J_Cieuc = 0x0eea;
///
enum XK_Hangul_J_Khieuq = 0x0eeb;
///
enum XK_Hangul_J_Tieut = 0x0eec;
///
enum XK_Hangul_J_Phieuf = 0x0eed;
///
enum XK_Hangul_J_Hieuh = 0x0eee;
/* Ancient Hangul Consonant Characters */
///
enum XK_Hangul_RieulYeorinHieuh = 0x0eef;
///
enum XK_Hangul_SunkyeongeumMieum = 0x0ef0;
///
enum XK_Hangul_SunkyeongeumPieub = 0x0ef1;
///
enum XK_Hangul_PanSios = 0x0ef2;
///
enum XK_Hangul_KkogjiDalrinIeung = 0x0ef3;
///
enum XK_Hangul_SunkyeongeumPhieuf = 0x0ef4;
///
enum XK_Hangul_YeorinHieuh = 0x0ef5;
/* Ancient Hangul Vowel Characters */
///
enum XK_Hangul_AraeA = 0x0ef6;
///
enum XK_Hangul_AraeAE = 0x0ef7;
/* Ancient Hangul syllable-final (JongSeong) Characters */
///
enum XK_Hangul_J_PanSios = 0x0ef8;
///
enum XK_Hangul_J_KkogjiDalrinIeung = 0x0ef9;
///
enum XK_Hangul_J_YeorinHieuh = 0x0efa;
/* Korean currency symbol */
/// (U+20A9 WON SIGN)
enum XK_Korean_Won = 0x0eff;
}
/**
* Armenian
*/
static if (XK_ARMENIAN) {
/// U+0587 ARMENIAN SMALL LIGATURE ECH YIWN
enum XK_Armenian_ligature_ew = 0x1000587;
/// U+0589 ARMENIAN FULL STOP
enum XK_Armenian_full_stop = 0x1000589;
/// U+0589 ARMENIAN FULL STOP
enum XK_Armenian_verjaket = 0x1000589;
/// U+055D ARMENIAN COMMA
enum XK_Armenian_separation_mark = 0x100055d;
/// U+055D ARMENIAN COMMA
enum XK_Armenian_but = 0x100055d;
/// U+058A ARMENIAN HYPHEN
enum XK_Armenian_hyphen = 0x100058a;
/// U+058A ARMENIAN HYPHEN
enum XK_Armenian_yentamna = 0x100058a;
/// U+055C ARMENIAN EXCLAMATION MARK
enum XK_Armenian_exclam = 0x100055c;
/// U+055C ARMENIAN EXCLAMATION MARK
enum XK_Armenian_amanak = 0x100055c;
/// U+055B ARMENIAN EMPHASIS MARK
enum XK_Armenian_accent = 0x100055b;
/// U+055B ARMENIAN EMPHASIS MARK
enum XK_Armenian_shesht = 0x100055b;
/// U+055E ARMENIAN QUESTION MARK
enum XK_Armenian_question = 0x100055e;
/// U+055E ARMENIAN QUESTION MARK
enum XK_Armenian_paruyk = 0x100055e;
/// U+0531 ARMENIAN CAPITAL LETTER AYB
enum XK_Armenian_AYB = 0x1000531;
/// U+0561 ARMENIAN SMALL LETTER AYB
enum XK_Armenian_ayb = 0x1000561;
/// U+0532 ARMENIAN CAPITAL LETTER BEN
enum XK_Armenian_BEN = 0x1000532;
/// U+0562 ARMENIAN SMALL LETTER BEN
enum XK_Armenian_ben = 0x1000562;
/// U+0533 ARMENIAN CAPITAL LETTER GIM
enum XK_Armenian_GIM = 0x1000533;
/// U+0563 ARMENIAN SMALL LETTER GIM
enum XK_Armenian_gim = 0x1000563;
/// U+0534 ARMENIAN CAPITAL LETTER DA
enum XK_Armenian_DA = 0x1000534;
/// U+0564 ARMENIAN SMALL LETTER DA
enum XK_Armenian_da = 0x1000564;
/// U+0535 ARMENIAN CAPITAL LETTER ECH
enum XK_Armenian_YECH = 0x1000535;
/// U+0565 ARMENIAN SMALL LETTER ECH
enum XK_Armenian_yech = 0x1000565;
/// U+0536 ARMENIAN CAPITAL LETTER ZA
enum XK_Armenian_ZA = 0x1000536;
/// U+0566 ARMENIAN SMALL LETTER ZA
enum XK_Armenian_za = 0x1000566;
/// U+0537 ARMENIAN CAPITAL LETTER EH
enum XK_Armenian_E = 0x1000537;
/// U+0567 ARMENIAN SMALL LETTER EH
enum XK_Armenian_e = 0x1000567;
/// U+0538 ARMENIAN CAPITAL LETTER ET
enum XK_Armenian_AT = 0x1000538;
/// U+0568 ARMENIAN SMALL LETTER ET
enum XK_Armenian_at = 0x1000568;
/// U+0539 ARMENIAN CAPITAL LETTER TO
enum XK_Armenian_TO = 0x1000539;
/// U+0569 ARMENIAN SMALL LETTER TO
enum XK_Armenian_to = 0x1000569;
/// U+053A ARMENIAN CAPITAL LETTER ZHE
enum XK_Armenian_ZHE = 0x100053a;
/// U+056A ARMENIAN SMALL LETTER ZHE
enum XK_Armenian_zhe = 0x100056a;
/// U+053B ARMENIAN CAPITAL LETTER INI
enum XK_Armenian_INI = 0x100053b;
/// U+056B ARMENIAN SMALL LETTER INI
enum XK_Armenian_ini = 0x100056b;
/// U+053C ARMENIAN CAPITAL LETTER LIWN
enum XK_Armenian_LYUN = 0x100053c;
/// U+056C ARMENIAN SMALL LETTER LIWN
enum XK_Armenian_lyun = 0x100056c;
/// U+053D ARMENIAN CAPITAL LETTER XEH
enum XK_Armenian_KHE = 0x100053d;
/// U+056D ARMENIAN SMALL LETTER XEH
enum XK_Armenian_khe = 0x100056d;
/// U+053E ARMENIAN CAPITAL LETTER CA
enum XK_Armenian_TSA = 0x100053e;
/// U+056E ARMENIAN SMALL LETTER CA
enum XK_Armenian_tsa = 0x100056e;
/// U+053F ARMENIAN CAPITAL LETTER KEN
enum XK_Armenian_KEN = 0x100053f;
/// U+056F ARMENIAN SMALL LETTER KEN
enum XK_Armenian_ken = 0x100056f;
/// U+0540 ARMENIAN CAPITAL LETTER HO
enum XK_Armenian_HO = 0x1000540;
/// U+0570 ARMENIAN SMALL LETTER HO
enum XK_Armenian_ho = 0x1000570;
/// U+0541 ARMENIAN CAPITAL LETTER JA
enum XK_Armenian_DZA = 0x1000541;
/// U+0571 ARMENIAN SMALL LETTER JA
enum XK_Armenian_dza = 0x1000571;
/// U+0542 ARMENIAN CAPITAL LETTER GHAD
enum XK_Armenian_GHAT = 0x1000542;
/// U+0572 ARMENIAN SMALL LETTER GHAD
enum XK_Armenian_ghat = 0x1000572;
/// U+0543 ARMENIAN CAPITAL LETTER CHEH
enum XK_Armenian_TCHE = 0x1000543;
/// U+0573 ARMENIAN SMALL LETTER CHEH
enum XK_Armenian_tche = 0x1000573;
/// U+0544 ARMENIAN CAPITAL LETTER MEN
enum XK_Armenian_MEN = 0x1000544;
/// U+0574 ARMENIAN SMALL LETTER MEN
enum XK_Armenian_men = 0x1000574;
/// U+0545 ARMENIAN CAPITAL LETTER YI
enum XK_Armenian_HI = 0x1000545;
/// U+0575 ARMENIAN SMALL LETTER YI
enum XK_Armenian_hi = 0x1000575;
/// U+0546 ARMENIAN CAPITAL LETTER NOW
enum XK_Armenian_NU = 0x1000546;
/// U+0576 ARMENIAN SMALL LETTER NOW
enum XK_Armenian_nu = 0x1000576;
/// U+0547 ARMENIAN CAPITAL LETTER SHA
enum XK_Armenian_SHA = 0x1000547;
/// U+0577 ARMENIAN SMALL LETTER SHA
enum XK_Armenian_sha = 0x1000577;
/// U+0548 ARMENIAN CAPITAL LETTER VO
enum XK_Armenian_VO = 0x1000548;
/// U+0578 ARMENIAN SMALL LETTER VO
enum XK_Armenian_vo = 0x1000578;
/// U+0549 ARMENIAN CAPITAL LETTER CHA
enum XK_Armenian_CHA = 0x1000549;
/// U+0579 ARMENIAN SMALL LETTER CHA
enum XK_Armenian_cha = 0x1000579;
/// U+054A ARMENIAN CAPITAL LETTER PEH
enum XK_Armenian_PE = 0x100054a;
/// U+057A ARMENIAN SMALL LETTER PEH
enum XK_Armenian_pe = 0x100057a;
/// U+054B ARMENIAN CAPITAL LETTER JHEH
enum XK_Armenian_JE = 0x100054b;
/// U+057B ARMENIAN SMALL LETTER JHEH
enum XK_Armenian_je = 0x100057b;
/// U+054C ARMENIAN CAPITAL LETTER RA
enum XK_Armenian_RA = 0x100054c;
/// U+057C ARMENIAN SMALL LETTER RA
enum XK_Armenian_ra = 0x100057c;
/// U+054D ARMENIAN CAPITAL LETTER SEH
enum XK_Armenian_SE = 0x100054d;
/// U+057D ARMENIAN SMALL LETTER SEH
enum XK_Armenian_se = 0x100057d;
/// U+054E ARMENIAN CAPITAL LETTER VEW
enum XK_Armenian_VEV = 0x100054e;
/// U+057E ARMENIAN SMALL LETTER VEW
enum XK_Armenian_vev = 0x100057e;
/// U+054F ARMENIAN CAPITAL LETTER TIWN
enum XK_Armenian_TYUN = 0x100054f;
/// U+057F ARMENIAN SMALL LETTER TIWN
enum XK_Armenian_tyun = 0x100057f;
/// U+0550 ARMENIAN CAPITAL LETTER REH
enum XK_Armenian_RE = 0x1000550;
/// U+0580 ARMENIAN SMALL LETTER REH
enum XK_Armenian_re = 0x1000580;
/// U+0551 ARMENIAN CAPITAL LETTER CO
enum XK_Armenian_TSO = 0x1000551;
/// U+0581 ARMENIAN SMALL LETTER CO
enum XK_Armenian_tso = 0x1000581;
/// U+0552 ARMENIAN CAPITAL LETTER YIWN
enum XK_Armenian_VYUN = 0x1000552;
/// U+0582 ARMENIAN SMALL LETTER YIWN
enum XK_Armenian_vyun = 0x1000582;
/// U+0553 ARMENIAN CAPITAL LETTER PIWR
enum XK_Armenian_PYUR = 0x1000553;
/// U+0583 ARMENIAN SMALL LETTER PIWR
enum XK_Armenian_pyur = 0x1000583;
/// U+0554 ARMENIAN CAPITAL LETTER KEH
enum XK_Armenian_KE = 0x1000554;
/// U+0584 ARMENIAN SMALL LETTER KEH
enum XK_Armenian_ke = 0x1000584;
/// U+0555 ARMENIAN CAPITAL LETTER OH
enum XK_Armenian_O = 0x1000555;
/// U+0585 ARMENIAN SMALL LETTER OH
enum XK_Armenian_o = 0x1000585;
/// U+0556 ARMENIAN CAPITAL LETTER FEH
enum XK_Armenian_FE = 0x1000556;
/// U+0586 ARMENIAN SMALL LETTER FEH
enum XK_Armenian_fe = 0x1000586;
/// U+055A ARMENIAN APOSTROPHE
enum XK_Armenian_apostrophe = 0x100055a;
}
/**
* Georgian
*/
static if (XK_GEORGIAN) {
/// U+10D0 GEORGIAN LETTER AN
enum XK_Georgian_an = 0x10010d0;
/// U+10D1 GEORGIAN LETTER BAN
enum XK_Georgian_ban = 0x10010d1;
/// U+10D2 GEORGIAN LETTER GAN
enum XK_Georgian_gan = 0x10010d2;
/// U+10D3 GEORGIAN LETTER DON
enum XK_Georgian_don = 0x10010d3;
/// U+10D4 GEORGIAN LETTER EN
enum XK_Georgian_en = 0x10010d4;
/// U+10D5 GEORGIAN LETTER VIN
enum XK_Georgian_vin = 0x10010d5;
/// U+10D6 GEORGIAN LETTER ZEN
enum XK_Georgian_zen = 0x10010d6;
/// U+10D7 GEORGIAN LETTER TAN
enum XK_Georgian_tan = 0x10010d7;
/// U+10D8 GEORGIAN LETTER IN
enum XK_Georgian_in = 0x10010d8;
/// U+10D9 GEORGIAN LETTER KAN
enum XK_Georgian_kan = 0x10010d9;
/// U+10DA GEORGIAN LETTER LAS
enum XK_Georgian_las = 0x10010da;
/// U+10DB GEORGIAN LETTER MAN
enum XK_Georgian_man = 0x10010db;
/// U+10DC GEORGIAN LETTER NAR
enum XK_Georgian_nar = 0x10010dc;
/// U+10DD GEORGIAN LETTER ON
enum XK_Georgian_on = 0x10010dd;
/// U+10DE GEORGIAN LETTER PAR
enum XK_Georgian_par = 0x10010de;
/// U+10DF GEORGIAN LETTER ZHAR
enum XK_Georgian_zhar = 0x10010df;
/// U+10E0 GEORGIAN LETTER RAE
enum XK_Georgian_rae = 0x10010e0;
/// U+10E1 GEORGIAN LETTER SAN
enum XK_Georgian_san = 0x10010e1;
/// U+10E2 GEORGIAN LETTER TAR
enum XK_Georgian_tar = 0x10010e2;
/// U+10E3 GEORGIAN LETTER UN
enum XK_Georgian_un = 0x10010e3;
/// U+10E4 GEORGIAN LETTER PHAR
enum XK_Georgian_phar = 0x10010e4;
/// U+10E5 GEORGIAN LETTER KHAR
enum XK_Georgian_khar = 0x10010e5;
/// U+10E6 GEORGIAN LETTER GHAN
enum XK_Georgian_ghan = 0x10010e6;
/// U+10E7 GEORGIAN LETTER QAR
enum XK_Georgian_qar = 0x10010e7;
/// U+10E8 GEORGIAN LETTER SHIN
enum XK_Georgian_shin = 0x10010e8;
/// U+10E9 GEORGIAN LETTER CHIN
enum XK_Georgian_chin = 0x10010e9;
/// U+10EA GEORGIAN LETTER CAN
enum XK_Georgian_can = 0x10010ea;
/// U+10EB GEORGIAN LETTER JIL
enum XK_Georgian_jil = 0x10010eb;
/// U+10EC GEORGIAN LETTER CIL
enum XK_Georgian_cil = 0x10010ec;
/// U+10ED GEORGIAN LETTER CHAR
enum XK_Georgian_char = 0x10010ed;
/// U+10EE GEORGIAN LETTER XAN
enum XK_Georgian_xan = 0x10010ee;
/// U+10EF GEORGIAN LETTER JHAN
enum XK_Georgian_jhan = 0x10010ef;
/// U+10F0 GEORGIAN LETTER HAE
enum XK_Georgian_hae = 0x10010f0;
/// U+10F1 GEORGIAN LETTER HE
enum XK_Georgian_he = 0x10010f1;
/// U+10F2 GEORGIAN LETTER HIE
enum XK_Georgian_hie = 0x10010f2;
/// U+10F3 GEORGIAN LETTER WE
enum XK_Georgian_we = 0x10010f3;
/// U+10F4 GEORGIAN LETTER HAR
enum XK_Georgian_har = 0x10010f4;
/// U+10F5 GEORGIAN LETTER HOE
enum XK_Georgian_hoe = 0x10010f5;
/// U+10F6 GEORGIAN LETTER FI
enum XK_Georgian_fi = 0x10010f6;
}
/**
* Azeri (and other Turkic or Caucasian languages)
*/
static if (XK_CAUCASUS) {
/* latin */
/// U+1E8A LATIN CAPITAL LETTER X WITH DOT ABOVE
enum XK_Xabovedot = 0x1001e8a;
/// U+012C LATIN CAPITAL LETTER I WITH BREVE
enum XK_Ibreve = 0x100012c;
/// U+01B5 LATIN CAPITAL LETTER Z WITH STROKE
enum XK_Zstroke = 0x10001b5;
/// U+01E6 LATIN CAPITAL LETTER G WITH CARON
enum XK_Gcaron = 0x10001e6;
/// U+01D2 LATIN CAPITAL LETTER O WITH CARON
enum XK_Ocaron = 0x10001d1;
/// U+019F LATIN CAPITAL LETTER O WITH MIDDLE TILDE
enum XK_Obarred = 0x100019f;
/// U+1E8B LATIN SMALL LETTER X WITH DOT ABOVE
enum XK_xabovedot = 0x1001e8b;
/// U+012D LATIN SMALL LETTER I WITH BREVE
enum XK_ibreve = 0x100012d;
/// U+01B6 LATIN SMALL LETTER Z WITH STROKE
enum XK_zstroke = 0x10001b6;
/// U+01E7 LATIN SMALL LETTER G WITH CARON
enum XK_gcaron = 0x10001e7;
/// U+01D2 LATIN SMALL LETTER O WITH CARON
enum XK_ocaron = 0x10001d2;
/// U+0275 LATIN SMALL LETTER BARRED O
enum XK_obarred = 0x1000275;
/// U+018F LATIN CAPITAL LETTER SCHWA
enum XK_SCHWA = 0x100018f;
/// U+0259 LATIN SMALL LETTER SCHWA
enum XK_schwa = 0x1000259;
/// U+01B7 LATIN CAPITAL LETTER EZH
enum XK_EZH = 0x10001b7;
/// U+0292 LATIN SMALL LETTER EZH
enum XK_ezh = 0x1000292;
/* those are not really Caucasus */
/* For Inupiak */
/// U+1E36 LATIN CAPITAL LETTER L WITH DOT BELOW
enum XK_Lbelowdot = 0x1001e36;
/// U+1E37 LATIN SMALL LETTER L WITH DOT BELOW
enum XK_lbelowdot = 0x1001e37;
}
/**
* Vietnamese
*/
static if (XK_VIETNAMESE) {
/// U+1EA0 LATIN CAPITAL LETTER A WITH DOT BELOW
enum XK_Abelowdot = 0x1001ea0;
/// U+1EA1 LATIN SMALL LETTER A WITH DOT BELOW
enum XK_abelowdot = 0x1001ea1;
/// U+1EA2 LATIN CAPITAL LETTER A WITH HOOK ABOVE
enum XK_Ahook = 0x1001ea2;
/// U+1EA3 LATIN SMALL LETTER A WITH HOOK ABOVE
enum XK_ahook = 0x1001ea3;
/// U+1EA4 LATIN CAPITAL LETTER A WITH CIRCUMFLEX AND ACUTE
enum XK_Acircumflexacute = 0x1001ea4;
/// U+1EA5 LATIN SMALL LETTER A WITH CIRCUMFLEX AND ACUTE
enum XK_acircumflexacute = 0x1001ea5;
/// U+1EA6 LATIN CAPITAL LETTER A WITH CIRCUMFLEX AND GRAVE
enum XK_Acircumflexgrave = 0x1001ea6;
/// U+1EA7 LATIN SMALL LETTER A WITH CIRCUMFLEX AND GRAVE
enum XK_acircumflexgrave = 0x1001ea7;
/// U+1EA8 LATIN CAPITAL LETTER A WITH CIRCUMFLEX AND HOOK ABOVE
enum XK_Acircumflexhook = 0x1001ea8;
/// U+1EA9 LATIN SMALL LETTER A WITH CIRCUMFLEX AND HOOK ABOVE
enum XK_acircumflexhook = 0x1001ea9;
/// U+1EAA LATIN CAPITAL LETTER A WITH CIRCUMFLEX AND TILDE
enum XK_Acircumflextilde = 0x1001eaa;
/// U+1EAB LATIN SMALL LETTER A WITH CIRCUMFLEX AND TILDE
enum XK_acircumflextilde = 0x1001eab;
/// U+1EAC LATIN CAPITAL LETTER A WITH CIRCUMFLEX AND DOT BELOW
enum XK_Acircumflexbelowdot = 0x1001eac;
/// U+1EAD LATIN SMALL LETTER A WITH CIRCUMFLEX AND DOT BELOW
enum XK_acircumflexbelowdot = 0x1001ead;
/// U+1EAE LATIN CAPITAL LETTER A WITH BREVE AND ACUTE
enum XK_Abreveacute = 0x1001eae;
/// U+1EAF LATIN SMALL LETTER A WITH BREVE AND ACUTE
enum XK_abreveacute = 0x1001eaf;
/// U+1EB0 LATIN CAPITAL LETTER A WITH BREVE AND GRAVE
enum XK_Abrevegrave = 0x1001eb0;
/// U+1EB1 LATIN SMALL LETTER A WITH BREVE AND GRAVE
enum XK_abrevegrave = 0x1001eb1;
/// U+1EB2 LATIN CAPITAL LETTER A WITH BREVE AND HOOK ABOVE
enum XK_Abrevehook = 0x1001eb2;
/// U+1EB3 LATIN SMALL LETTER A WITH BREVE AND HOOK ABOVE
enum XK_abrevehook = 0x1001eb3;
/// U+1EB4 LATIN CAPITAL LETTER A WITH BREVE AND TILDE
enum XK_Abrevetilde = 0x1001eb4;
/// U+1EB5 LATIN SMALL LETTER A WITH BREVE AND TILDE
enum XK_abrevetilde = 0x1001eb5;
/// U+1EB6 LATIN CAPITAL LETTER A WITH BREVE AND DOT BELOW
enum XK_Abrevebelowdot = 0x1001eb6;
/// U+1EB7 LATIN SMALL LETTER A WITH BREVE AND DOT BELOW
enum XK_abrevebelowdot = 0x1001eb7;
/// U+1EB8 LATIN CAPITAL LETTER E WITH DOT BELOW
enum XK_Ebelowdot = 0x1001eb8;
/// U+1EB9 LATIN SMALL LETTER E WITH DOT BELOW
enum XK_ebelowdot = 0x1001eb9;
/// U+1EBA LATIN CAPITAL LETTER E WITH HOOK ABOVE
enum XK_Ehook = 0x1001eba;
/// U+1EBB LATIN SMALL LETTER E WITH HOOK ABOVE
enum XK_ehook = 0x1001ebb;
/// U+1EBC LATIN CAPITAL LETTER E WITH TILDE
enum XK_Etilde = 0x1001ebc;
/// U+1EBD LATIN SMALL LETTER E WITH TILDE
enum XK_etilde = 0x1001ebd;
/// U+1EBE LATIN CAPITAL LETTER E WITH CIRCUMFLEX AND ACUTE
enum XK_Ecircumflexacute = 0x1001ebe;
/// U+1EBF LATIN SMALL LETTER E WITH CIRCUMFLEX AND ACUTE
enum XK_ecircumflexacute = 0x1001ebf;
/// U+1EC0 LATIN CAPITAL LETTER E WITH CIRCUMFLEX AND GRAVE
enum XK_Ecircumflexgrave = 0x1001ec0;
/// U+1EC1 LATIN SMALL LETTER E WITH CIRCUMFLEX AND GRAVE
enum XK_ecircumflexgrave = 0x1001ec1;
/// U+1EC2 LATIN CAPITAL LETTER E WITH CIRCUMFLEX AND HOOK ABOVE
enum XK_Ecircumflexhook = 0x1001ec2;
/// U+1EC3 LATIN SMALL LETTER E WITH CIRCUMFLEX AND HOOK ABOVE
enum XK_ecircumflexhook = 0x1001ec3;
/// U+1EC4 LATIN CAPITAL LETTER E WITH CIRCUMFLEX AND TILDE
enum XK_Ecircumflextilde = 0x1001ec4;
/// U+1EC5 LATIN SMALL LETTER E WITH CIRCUMFLEX AND TILDE
enum XK_ecircumflextilde = 0x1001ec5;
/// U+1EC6 LATIN CAPITAL LETTER E WITH CIRCUMFLEX AND DOT BELOW
enum XK_Ecircumflexbelowdot = 0x1001ec6;
/// U+1EC7 LATIN SMALL LETTER E WITH CIRCUMFLEX AND DOT BELOW
enum XK_ecircumflexbelowdot = 0x1001ec7;
/// U+1EC8 LATIN CAPITAL LETTER I WITH HOOK ABOVE
enum XK_Ihook = 0x1001ec8;
/// U+1EC9 LATIN SMALL LETTER I WITH HOOK ABOVE
enum XK_ihook = 0x1001ec9;
/// U+1ECA LATIN CAPITAL LETTER I WITH DOT BELOW
enum XK_Ibelowdot = 0x1001eca;
/// U+1ECB LATIN SMALL LETTER I WITH DOT BELOW
enum XK_ibelowdot = 0x1001ecb;
/// U+1ECC LATIN CAPITAL LETTER O WITH DOT BELOW
enum XK_Obelowdot = 0x1001ecc;
/// U+1ECD LATIN SMALL LETTER O WITH DOT BELOW
enum XK_obelowdot = 0x1001ecd;
/// U+1ECE LATIN CAPITAL LETTER O WITH HOOK ABOVE
enum XK_Ohook = 0x1001ece;
/// U+1ECF LATIN SMALL LETTER O WITH HOOK ABOVE
enum XK_ohook = 0x1001ecf;
/// U+1ED0 LATIN CAPITAL LETTER O WITH CIRCUMFLEX AND ACUTE
enum XK_Ocircumflexacute = 0x1001ed0;
/// U+1ED1 LATIN SMALL LETTER O WITH CIRCUMFLEX AND ACUTE
enum XK_ocircumflexacute = 0x1001ed1;
/// U+1ED2 LATIN CAPITAL LETTER O WITH CIRCUMFLEX AND GRAVE
enum XK_Ocircumflexgrave = 0x1001ed2;
/// U+1ED3 LATIN SMALL LETTER O WITH CIRCUMFLEX AND GRAVE
enum XK_ocircumflexgrave = 0x1001ed3;
/// U+1ED4 LATIN CAPITAL LETTER O WITH CIRCUMFLEX AND HOOK ABOVE
enum XK_Ocircumflexhook = 0x1001ed4;
/// U+1ED5 LATIN SMALL LETTER O WITH CIRCUMFLEX AND HOOK ABOVE
enum XK_ocircumflexhook = 0x1001ed5;
/// U+1ED6 LATIN CAPITAL LETTER O WITH CIRCUMFLEX AND TILDE
enum XK_Ocircumflextilde = 0x1001ed6;
/// U+1ED7 LATIN SMALL LETTER O WITH CIRCUMFLEX AND TILDE
enum XK_ocircumflextilde = 0x1001ed7;
/// U+1ED8 LATIN CAPITAL LETTER O WITH CIRCUMFLEX AND DOT BELOW
enum XK_Ocircumflexbelowdot = 0x1001ed8;
/// U+1ED9 LATIN SMALL LETTER O WITH CIRCUMFLEX AND DOT BELOW
enum XK_ocircumflexbelowdot = 0x1001ed9;
/// U+1EDA LATIN CAPITAL LETTER O WITH HORN AND ACUTE
enum XK_Ohornacute = 0x1001eda;
/// U+1EDB LATIN SMALL LETTER O WITH HORN AND ACUTE
enum XK_ohornacute = 0x1001edb;
/// U+1EDC LATIN CAPITAL LETTER O WITH HORN AND GRAVE
enum XK_Ohorngrave = 0x1001edc;
/// U+1EDD LATIN SMALL LETTER O WITH HORN AND GRAVE
enum XK_ohorngrave = 0x1001edd;
/// U+1EDE LATIN CAPITAL LETTER O WITH HORN AND HOOK ABOVE
enum XK_Ohornhook = 0x1001ede;
/// U+1EDF LATIN SMALL LETTER O WITH HORN AND HOOK ABOVE
enum XK_ohornhook = 0x1001edf;
/// U+1EE0 LATIN CAPITAL LETTER O WITH HORN AND TILDE
enum XK_Ohorntilde = 0x1001ee0;
/// U+1EE1 LATIN SMALL LETTER O WITH HORN AND TILDE
enum XK_ohorntilde = 0x1001ee1;
/// U+1EE2 LATIN CAPITAL LETTER O WITH HORN AND DOT BELOW
enum XK_Ohornbelowdot = 0x1001ee2;
/// U+1EE3 LATIN SMALL LETTER O WITH HORN AND DOT BELOW
enum XK_ohornbelowdot = 0x1001ee3;
/// U+1EE4 LATIN CAPITAL LETTER U WITH DOT BELOW
enum XK_Ubelowdot = 0x1001ee4;
/// U+1EE5 LATIN SMALL LETTER U WITH DOT BELOW
enum XK_ubelowdot = 0x1001ee5;
/// U+1EE6 LATIN CAPITAL LETTER U WITH HOOK ABOVE
enum XK_Uhook = 0x1001ee6;
/// U+1EE7 LATIN SMALL LETTER U WITH HOOK ABOVE
enum XK_uhook = 0x1001ee7;
/// U+1EE8 LATIN CAPITAL LETTER U WITH HORN AND ACUTE
enum XK_Uhornacute = 0x1001ee8;
/// U+1EE9 LATIN SMALL LETTER U WITH HORN AND ACUTE
enum XK_uhornacute = 0x1001ee9;
/// U+1EEA LATIN CAPITAL LETTER U WITH HORN AND GRAVE
enum XK_Uhorngrave = 0x1001eea;
/// U+1EEB LATIN SMALL LETTER U WITH HORN AND GRAVE
enum XK_uhorngrave = 0x1001eeb;
/// U+1EEC LATIN CAPITAL LETTER U WITH HORN AND HOOK ABOVE
enum XK_Uhornhook = 0x1001eec;
/// U+1EED LATIN SMALL LETTER U WITH HORN AND HOOK ABOVE
enum XK_uhornhook = 0x1001eed;
/// U+1EEE LATIN CAPITAL LETTER U WITH HORN AND TILDE
enum XK_Uhorntilde = 0x1001eee;
/// U+1EEF LATIN SMALL LETTER U WITH HORN AND TILDE
enum XK_uhorntilde = 0x1001eef;
/// U+1EF0 LATIN CAPITAL LETTER U WITH HORN AND DOT BELOW
enum XK_Uhornbelowdot = 0x1001ef0;
/// U+1EF1 LATIN SMALL LETTER U WITH HORN AND DOT BELOW
enum XK_uhornbelowdot = 0x1001ef1;
/// U+1EF4 LATIN CAPITAL LETTER Y WITH DOT BELOW
enum XK_Ybelowdot = 0x1001ef4;
/// U+1EF5 LATIN SMALL LETTER Y WITH DOT BELOW
enum XK_ybelowdot = 0x1001ef5;
/// U+1EF6 LATIN CAPITAL LETTER Y WITH HOOK ABOVE
enum XK_Yhook = 0x1001ef6;
/// U+1EF7 LATIN SMALL LETTER Y WITH HOOK ABOVE
enum XK_yhook = 0x1001ef7;
/// U+1EF8 LATIN CAPITAL LETTER Y WITH TILDE
enum XK_Ytilde = 0x1001ef8;
/// U+1EF9 LATIN SMALL LETTER Y WITH TILDE
enum XK_ytilde = 0x1001ef9;
/// U+01A0 LATIN CAPITAL LETTER O WITH HORN
enum XK_Ohorn = 0x10001a0;
/// U+01A1 LATIN SMALL LETTER O WITH HORN
enum XK_ohorn = 0x10001a1;
/// U+01AF LATIN CAPITAL LETTER U WITH HORN
enum XK_Uhorn = 0x10001af;
/// U+01B0 LATIN SMALL LETTER U WITH HORN
enum XK_uhorn = 0x10001b0;
}
///
static if (XK_CURRENCY) {
/// U+20A0 EURO-CURRENCY SIGN
enum XK_EcuSign = 0x10020a0;
/// U+20A1 COLON SIGN
enum XK_ColonSign = 0x10020a1;
/// U+20A2 CRUZEIRO SIGN
enum XK_CruzeiroSign = 0x10020a2;
/// U+20A3 FRENCH FRANC SIGN
enum XK_FFrancSign = 0x10020a3;
/// U+20A4 LIRA SIGN
enum XK_LiraSign = 0x10020a4;
/// U+20A5 MILL SIGN
enum XK_MillSign = 0x10020a5;
/// U+20A6 NAIRA SIGN
enum XK_NairaSign = 0x10020a6;
/// U+20A7 PESETA SIGN
enum XK_PesetaSign = 0x10020a7;
/// U+20A8 RUPEE SIGN
enum XK_RupeeSign = 0x10020a8;
/// U+20A9 WON SIGN
enum XK_WonSign = 0x10020a9;
/// U+20AA NEW SHEQEL SIGN
enum XK_NewSheqelSign = 0x10020aa;
/// U+20AB DONG SIGN
enum XK_DongSign = 0x10020ab;
/// U+20AC EURO SIGN
enum XK_EuroSign = 0x20ac;
}
///
static if (XK_MATHEMATICAL) {
/* one, two and three are defined above. */
/// U+2070 SUPERSCRIPT ZERO
enum XK_zerosuperior = 0x1002070;
/// U+2074 SUPERSCRIPT FOUR
enum XK_foursuperior = 0x1002074;
/// U+2075 SUPERSCRIPT FIVE
enum XK_fivesuperior = 0x1002075;
/// U+2076 SUPERSCRIPT SIX
enum XK_sixsuperior = 0x1002076;
/// U+2077 SUPERSCRIPT SEVEN
enum XK_sevensuperior = 0x1002077;
/// U+2078 SUPERSCRIPT EIGHT
enum XK_eightsuperior = 0x1002078;
/// U+2079 SUPERSCRIPT NINE
enum XK_ninesuperior = 0x1002079;
/// U+2080 SUBSCRIPT ZERO
enum XK_zerosubscript = 0x1002080;
/// U+2081 SUBSCRIPT ONE
enum XK_onesubscript = 0x1002081;
/// U+2082 SUBSCRIPT TWO
enum XK_twosubscript = 0x1002082;
/// U+2083 SUBSCRIPT THREE
enum XK_threesubscript = 0x1002083;
/// U+2084 SUBSCRIPT FOUR
enum XK_foursubscript = 0x1002084;
/// U+2085 SUBSCRIPT FIVE
enum XK_fivesubscript = 0x1002085;
/// U+2086 SUBSCRIPT SIX
enum XK_sixsubscript = 0x1002086;
/// U+2087 SUBSCRIPT SEVEN
enum XK_sevensubscript = 0x1002087;
/// U+2088 SUBSCRIPT EIGHT
enum XK_eightsubscript = 0x1002088;
/// U+2089 SUBSCRIPT NINE
enum XK_ninesubscript = 0x1002089;
/// U+2202 PARTIAL DIFFERENTIAL
enum XK_partdifferential = 0x1002202;
/// U+2205 NULL SET
enum XK_emptyset = 0x1002205;
/// U+2208 ELEMENT OF
enum XK_elementof = 0x1002208;
/// U+2209 NOT AN ELEMENT OF
enum XK_notelementof = 0x1002209;
/// U+220B CONTAINS AS MEMBER
enum XK_containsas = 0x100220B;
/// U+221A SQUARE ROOT
enum XK_squareroot = 0x100221A;
/// U+221B CUBE ROOT
enum XK_cuberoot = 0x100221B;
/// U+221C FOURTH ROOT
enum XK_fourthroot = 0x100221C;
/// U+222C DOUBLE INTEGRAL
enum XK_dintegral = 0x100222C;
/// U+222D TRIPLE INTEGRAL
enum XK_tintegral = 0x100222D;
/// U+2235 BECAUSE
enum XK_because = 0x1002235;
/// U+2245 ALMOST EQUAL TO
enum XK_approxeq = 0x1002248;
/// U+2247 NOT ALMOST EQUAL TO
enum XK_notapproxeq = 0x1002247;
/// U+2262 NOT IDENTICAL TO
enum XK_notidentical = 0x1002262;
/// U+2263 STRICTLY EQUIVALENT TO
enum XK_stricteq = 0x1002263;
}
///
static if (XK_BRAILLE) {
///
enum XK_braille_dot_1 = 0xfff1;
///
enum XK_braille_dot_2 = 0xfff2;
///
enum XK_braille_dot_3 = 0xfff3;
///
enum XK_braille_dot_4 = 0xfff4;
///
enum XK_braille_dot_5 = 0xfff5;
///
enum XK_braille_dot_6 = 0xfff6;
///
enum XK_braille_dot_7 = 0xfff7;
///
enum XK_braille_dot_8 = 0xfff8;
///
enum XK_braille_dot_9 = 0xfff9;
///
enum XK_braille_dot_10 = 0xfffa;
/// U+2800 BRAILLE PATTERN BLANK
enum XK_braille_blank = 0x1002800;
/// U+2801 BRAILLE PATTERN DOTS-1
enum XK_braille_dots_1 = 0x1002801;
/// U+2802 BRAILLE PATTERN DOTS-2
enum XK_braille_dots_2 = 0x1002802;
/// U+2803 BRAILLE PATTERN DOTS-12
enum XK_braille_dots_12 = 0x1002803;
/// U+2804 BRAILLE PATTERN DOTS-3
enum XK_braille_dots_3 = 0x1002804;
/// U+2805 BRAILLE PATTERN DOTS-13
enum XK_braille_dots_13 = 0x1002805;
/// U+2806 BRAILLE PATTERN DOTS-23
enum XK_braille_dots_23 = 0x1002806;
/// U+2807 BRAILLE PATTERN DOTS-123
enum XK_braille_dots_123 = 0x1002807;
/// U+2808 BRAILLE PATTERN DOTS-4
enum XK_braille_dots_4 = 0x1002808;
/// U+2809 BRAILLE PATTERN DOTS-14
enum XK_braille_dots_14 = 0x1002809;
/// U+280a BRAILLE PATTERN DOTS-24
enum XK_braille_dots_24 = 0x100280a;
/// U+280b BRAILLE PATTERN DOTS-124
enum XK_braille_dots_124 = 0x100280b;
/// U+280c BRAILLE PATTERN DOTS-34
enum XK_braille_dots_34 = 0x100280c;
/// U+280d BRAILLE PATTERN DOTS-134
enum XK_braille_dots_134 = 0x100280d;
/// U+280e BRAILLE PATTERN DOTS-234
enum XK_braille_dots_234 = 0x100280e;
/// U+280f BRAILLE PATTERN DOTS-1234
enum XK_braille_dots_1234 = 0x100280f;
/// U+2810 BRAILLE PATTERN DOTS-5
enum XK_braille_dots_5 = 0x1002810;
/// U+2811 BRAILLE PATTERN DOTS-15
enum XK_braille_dots_15 = 0x1002811;
/// U+2812 BRAILLE PATTERN DOTS-25
enum XK_braille_dots_25 = 0x1002812;
/// U+2813 BRAILLE PATTERN DOTS-125
enum XK_braille_dots_125 = 0x1002813;
/// U+2814 BRAILLE PATTERN DOTS-35
enum XK_braille_dots_35 = 0x1002814;
/// U+2815 BRAILLE PATTERN DOTS-135
enum XK_braille_dots_135 = 0x1002815;
/// U+2816 BRAILLE PATTERN DOTS-235
enum XK_braille_dots_235 = 0x1002816;
/// U+2817 BRAILLE PATTERN DOTS-1235
enum XK_braille_dots_1235 = 0x1002817;
/// U+2818 BRAILLE PATTERN DOTS-45
enum XK_braille_dots_45 = 0x1002818;
/// U+2819 BRAILLE PATTERN DOTS-145
enum XK_braille_dots_145 = 0x1002819;
/// U+281a BRAILLE PATTERN DOTS-245
enum XK_braille_dots_245 = 0x100281a;
/// U+281b BRAILLE PATTERN DOTS-1245
enum XK_braille_dots_1245 = 0x100281b;
/// U+281c BRAILLE PATTERN DOTS-345
enum XK_braille_dots_345 = 0x100281c;
/// U+281d BRAILLE PATTERN DOTS-1345
enum XK_braille_dots_1345 = 0x100281d;
/// U+281e BRAILLE PATTERN DOTS-2345
enum XK_braille_dots_2345 = 0x100281e;
/// U+281f BRAILLE PATTERN DOTS-12345
enum XK_braille_dots_12345 = 0x100281f;
/// U+2820 BRAILLE PATTERN DOTS-6
enum XK_braille_dots_6 = 0x1002820;
/// U+2821 BRAILLE PATTERN DOTS-16
enum XK_braille_dots_16 = 0x1002821;
/// U+2822 BRAILLE PATTERN DOTS-26
enum XK_braille_dots_26 = 0x1002822;
/// U+2823 BRAILLE PATTERN DOTS-126
enum XK_braille_dots_126 = 0x1002823;
/// U+2824 BRAILLE PATTERN DOTS-36
enum XK_braille_dots_36 = 0x1002824;
/// U+2825 BRAILLE PATTERN DOTS-136
enum XK_braille_dots_136 = 0x1002825;
/// U+2826 BRAILLE PATTERN DOTS-236
enum XK_braille_dots_236 = 0x1002826;
/// U+2827 BRAILLE PATTERN DOTS-1236
enum XK_braille_dots_1236 = 0x1002827;
/// U+2828 BRAILLE PATTERN DOTS-46
enum XK_braille_dots_46 = 0x1002828;
/// U+2829 BRAILLE PATTERN DOTS-146
enum XK_braille_dots_146 = 0x1002829;
/// U+282a BRAILLE PATTERN DOTS-246
enum XK_braille_dots_246 = 0x100282a;
/// U+282b BRAILLE PATTERN DOTS-1246
enum XK_braille_dots_1246 = 0x100282b;
/// U+282c BRAILLE PATTERN DOTS-346
enum XK_braille_dots_346 = 0x100282c;
/// U+282d BRAILLE PATTERN DOTS-1346
enum XK_braille_dots_1346 = 0x100282d;
/// U+282e BRAILLE PATTERN DOTS-2346
enum XK_braille_dots_2346 = 0x100282e;
/// U+282f BRAILLE PATTERN DOTS-12346
enum XK_braille_dots_12346 = 0x100282f;
/// U+2830 BRAILLE PATTERN DOTS-56
enum XK_braille_dots_56 = 0x1002830;
/// U+2831 BRAILLE PATTERN DOTS-156
enum XK_braille_dots_156 = 0x1002831;
/// U+2832 BRAILLE PATTERN DOTS-256
enum XK_braille_dots_256 = 0x1002832;
/// U+2833 BRAILLE PATTERN DOTS-1256
enum XK_braille_dots_1256 = 0x1002833;
/// U+2834 BRAILLE PATTERN DOTS-356
enum XK_braille_dots_356 = 0x1002834;
/// U+2835 BRAILLE PATTERN DOTS-1356
enum XK_braille_dots_1356 = 0x1002835;
/// U+2836 BRAILLE PATTERN DOTS-2356
enum XK_braille_dots_2356 = 0x1002836;
/// U+2837 BRAILLE PATTERN DOTS-12356
enum XK_braille_dots_12356 = 0x1002837;
/// U+2838 BRAILLE PATTERN DOTS-456
enum XK_braille_dots_456 = 0x1002838;
/// U+2839 BRAILLE PATTERN DOTS-1456
enum XK_braille_dots_1456 = 0x1002839;
/// U+283a BRAILLE PATTERN DOTS-2456
enum XK_braille_dots_2456 = 0x100283a;
/// U+283b BRAILLE PATTERN DOTS-12456
enum XK_braille_dots_12456 = 0x100283b;
/// U+283c BRAILLE PATTERN DOTS-3456
enum XK_braille_dots_3456 = 0x100283c;
/// U+283d BRAILLE PATTERN DOTS-13456
enum XK_braille_dots_13456 = 0x100283d;
/// U+283e BRAILLE PATTERN DOTS-23456
enum XK_braille_dots_23456 = 0x100283e;
/// U+283f BRAILLE PATTERN DOTS-123456
enum XK_braille_dots_123456 = 0x100283f;
/// U+2840 BRAILLE PATTERN DOTS-7
enum XK_braille_dots_7 = 0x1002840;
/// U+2841 BRAILLE PATTERN DOTS-17
enum XK_braille_dots_17 = 0x1002841;
/// U+2842 BRAILLE PATTERN DOTS-27
enum XK_braille_dots_27 = 0x1002842;
/// U+2843 BRAILLE PATTERN DOTS-127
enum XK_braille_dots_127 = 0x1002843;
/// U+2844 BRAILLE PATTERN DOTS-37
enum XK_braille_dots_37 = 0x1002844;
/// U+2845 BRAILLE PATTERN DOTS-137
enum XK_braille_dots_137 = 0x1002845;
/// U+2846 BRAILLE PATTERN DOTS-237
enum XK_braille_dots_237 = 0x1002846;
/// U+2847 BRAILLE PATTERN DOTS-1237
enum XK_braille_dots_1237 = 0x1002847;
/// U+2848 BRAILLE PATTERN DOTS-47
enum XK_braille_dots_47 = 0x1002848;
/// U+2849 BRAILLE PATTERN DOTS-147
enum XK_braille_dots_147 = 0x1002849;
/// U+284a BRAILLE PATTERN DOTS-247
enum XK_braille_dots_247 = 0x100284a;
/// U+284b BRAILLE PATTERN DOTS-1247
enum XK_braille_dots_1247 = 0x100284b;
/// U+284c BRAILLE PATTERN DOTS-347
enum XK_braille_dots_347 = 0x100284c;
/// U+284d BRAILLE PATTERN DOTS-1347
enum XK_braille_dots_1347 = 0x100284d;
/// U+284e BRAILLE PATTERN DOTS-2347
enum XK_braille_dots_2347 = 0x100284e;
/// U+284f BRAILLE PATTERN DOTS-12347
enum XK_braille_dots_12347 = 0x100284f;
/// U+2850 BRAILLE PATTERN DOTS-57
enum XK_braille_dots_57 = 0x1002850;
/// U+2851 BRAILLE PATTERN DOTS-157
enum XK_braille_dots_157 = 0x1002851;
/// U+2852 BRAILLE PATTERN DOTS-257
enum XK_braille_dots_257 = 0x1002852;
/// U+2853 BRAILLE PATTERN DOTS-1257
enum XK_braille_dots_1257 = 0x1002853;
/// U+2854 BRAILLE PATTERN DOTS-357
enum XK_braille_dots_357 = 0x1002854;
/// U+2855 BRAILLE PATTERN DOTS-1357
enum XK_braille_dots_1357 = 0x1002855;
/// U+2856 BRAILLE PATTERN DOTS-2357
enum XK_braille_dots_2357 = 0x1002856;
/// U+2857 BRAILLE PATTERN DOTS-12357
enum XK_braille_dots_12357 = 0x1002857;
/// U+2858 BRAILLE PATTERN DOTS-457
enum XK_braille_dots_457 = 0x1002858;
/// U+2859 BRAILLE PATTERN DOTS-1457
enum XK_braille_dots_1457 = 0x1002859;
/// U+285a BRAILLE PATTERN DOTS-2457
enum XK_braille_dots_2457 = 0x100285a;
/// U+285b BRAILLE PATTERN DOTS-12457
enum XK_braille_dots_12457 = 0x100285b;
/// U+285c BRAILLE PATTERN DOTS-3457
enum XK_braille_dots_3457 = 0x100285c;
/// U+285d BRAILLE PATTERN DOTS-13457
enum XK_braille_dots_13457 = 0x100285d;
/// U+285e BRAILLE PATTERN DOTS-23457
enum XK_braille_dots_23457 = 0x100285e;
/// U+285f BRAILLE PATTERN DOTS-123457
enum XK_braille_dots_123457 = 0x100285f;
/// U+2860 BRAILLE PATTERN DOTS-67
enum XK_braille_dots_67 = 0x1002860;
/// U+2861 BRAILLE PATTERN DOTS-167
enum XK_braille_dots_167 = 0x1002861;
/// U+2862 BRAILLE PATTERN DOTS-267
enum XK_braille_dots_267 = 0x1002862;
/// U+2863 BRAILLE PATTERN DOTS-1267
enum XK_braille_dots_1267 = 0x1002863;
/// U+2864 BRAILLE PATTERN DOTS-367
enum XK_braille_dots_367 = 0x1002864;
/// U+2865 BRAILLE PATTERN DOTS-1367
enum XK_braille_dots_1367 = 0x1002865;
/// U+2866 BRAILLE PATTERN DOTS-2367
enum XK_braille_dots_2367 = 0x1002866;
/// U+2867 BRAILLE PATTERN DOTS-12367
enum XK_braille_dots_12367 = 0x1002867;
/// U+2868 BRAILLE PATTERN DOTS-467
enum XK_braille_dots_467 = 0x1002868;
/// U+2869 BRAILLE PATTERN DOTS-1467
enum XK_braille_dots_1467 = 0x1002869;
/// U+286a BRAILLE PATTERN DOTS-2467
enum XK_braille_dots_2467 = 0x100286a;
/// U+286b BRAILLE PATTERN DOTS-12467
enum XK_braille_dots_12467 = 0x100286b;
/// U+286c BRAILLE PATTERN DOTS-3467
enum XK_braille_dots_3467 = 0x100286c;
/// U+286d BRAILLE PATTERN DOTS-13467
enum XK_braille_dots_13467 = 0x100286d;
/// U+286e BRAILLE PATTERN DOTS-23467
enum XK_braille_dots_23467 = 0x100286e;
/// U+286f BRAILLE PATTERN DOTS-123467
enum XK_braille_dots_123467 = 0x100286f;
/// U+2870 BRAILLE PATTERN DOTS-567
enum XK_braille_dots_567 = 0x1002870;
/// U+2871 BRAILLE PATTERN DOTS-1567
enum XK_braille_dots_1567 = 0x1002871;
/// U+2872 BRAILLE PATTERN DOTS-2567
enum XK_braille_dots_2567 = 0x1002872;
/// U+2873 BRAILLE PATTERN DOTS-12567
enum XK_braille_dots_12567 = 0x1002873;
/// U+2874 BRAILLE PATTERN DOTS-3567
enum XK_braille_dots_3567 = 0x1002874;
/// U+2875 BRAILLE PATTERN DOTS-13567
enum XK_braille_dots_13567 = 0x1002875;
/// U+2876 BRAILLE PATTERN DOTS-23567
enum XK_braille_dots_23567 = 0x1002876;
/// U+2877 BRAILLE PATTERN DOTS-123567
enum XK_braille_dots_123567 = 0x1002877;
/// U+2878 BRAILLE PATTERN DOTS-4567
enum XK_braille_dots_4567 = 0x1002878;
/// U+2879 BRAILLE PATTERN DOTS-14567
enum XK_braille_dots_14567 = 0x1002879;
/// U+287a BRAILLE PATTERN DOTS-24567
enum XK_braille_dots_24567 = 0x100287a;
/// U+287b BRAILLE PATTERN DOTS-124567
enum XK_braille_dots_124567 = 0x100287b;
/// U+287c BRAILLE PATTERN DOTS-34567
enum XK_braille_dots_34567 = 0x100287c;
/// U+287d BRAILLE PATTERN DOTS-134567
enum XK_braille_dots_134567 = 0x100287d;
/// U+287e BRAILLE PATTERN DOTS-234567
enum XK_braille_dots_234567 = 0x100287e;
/// U+287f BRAILLE PATTERN DOTS-1234567
enum XK_braille_dots_1234567 = 0x100287f;
/// U+2880 BRAILLE PATTERN DOTS-8
enum XK_braille_dots_8 = 0x1002880;
/// U+2881 BRAILLE PATTERN DOTS-18
enum XK_braille_dots_18 = 0x1002881;
/// U+2882 BRAILLE PATTERN DOTS-28
enum XK_braille_dots_28 = 0x1002882;
/// U+2883 BRAILLE PATTERN DOTS-128
enum XK_braille_dots_128 = 0x1002883;
/// U+2884 BRAILLE PATTERN DOTS-38
enum XK_braille_dots_38 = 0x1002884;
/// U+2885 BRAILLE PATTERN DOTS-138
enum XK_braille_dots_138 = 0x1002885;
/// U+2886 BRAILLE PATTERN DOTS-238
enum XK_braille_dots_238 = 0x1002886;
/// U+2887 BRAILLE PATTERN DOTS-1238
enum XK_braille_dots_1238 = 0x1002887;
/// U+2888 BRAILLE PATTERN DOTS-48
enum XK_braille_dots_48 = 0x1002888;
/// U+2889 BRAILLE PATTERN DOTS-148
enum XK_braille_dots_148 = 0x1002889;
/// U+288a BRAILLE PATTERN DOTS-248
enum XK_braille_dots_248 = 0x100288a;
/// U+288b BRAILLE PATTERN DOTS-1248
enum XK_braille_dots_1248 = 0x100288b;
/// U+288c BRAILLE PATTERN DOTS-348
enum XK_braille_dots_348 = 0x100288c;
/// U+288d BRAILLE PATTERN DOTS-1348
enum XK_braille_dots_1348 = 0x100288d;
/// U+288e BRAILLE PATTERN DOTS-2348
enum XK_braille_dots_2348 = 0x100288e;
/// U+288f BRAILLE PATTERN DOTS-12348
enum XK_braille_dots_12348 = 0x100288f;
/// U+2890 BRAILLE PATTERN DOTS-58
enum XK_braille_dots_58 = 0x1002890;
/// U+2891 BRAILLE PATTERN DOTS-158
enum XK_braille_dots_158 = 0x1002891;
/// U+2892 BRAILLE PATTERN DOTS-258
enum XK_braille_dots_258 = 0x1002892;
/// U+2893 BRAILLE PATTERN DOTS-1258
enum XK_braille_dots_1258 = 0x1002893;
/// U+2894 BRAILLE PATTERN DOTS-358
enum XK_braille_dots_358 = 0x1002894;
/// U+2895 BRAILLE PATTERN DOTS-1358
enum XK_braille_dots_1358 = 0x1002895;
/// U+2896 BRAILLE PATTERN DOTS-2358
enum XK_braille_dots_2358 = 0x1002896;
/// U+2897 BRAILLE PATTERN DOTS-12358
enum XK_braille_dots_12358 = 0x1002897;
/// U+2898 BRAILLE PATTERN DOTS-458
enum XK_braille_dots_458 = 0x1002898;
/// U+2899 BRAILLE PATTERN DOTS-1458
enum XK_braille_dots_1458 = 0x1002899;
/// U+289a BRAILLE PATTERN DOTS-2458
enum XK_braille_dots_2458 = 0x100289a;
/// U+289b BRAILLE PATTERN DOTS-12458
enum XK_braille_dots_12458 = 0x100289b;
/// U+289c BRAILLE PATTERN DOTS-3458
enum XK_braille_dots_3458 = 0x100289c;
/// U+289d BRAILLE PATTERN DOTS-13458
enum XK_braille_dots_13458 = 0x100289d;
/// U+289e BRAILLE PATTERN DOTS-23458
enum XK_braille_dots_23458 = 0x100289e;
/// U+289f BRAILLE PATTERN DOTS-123458
enum XK_braille_dots_123458 = 0x100289f;
/// U+28a0 BRAILLE PATTERN DOTS-68
enum XK_braille_dots_68 = 0x10028a0;
/// U+28a1 BRAILLE PATTERN DOTS-168
enum XK_braille_dots_168 = 0x10028a1;
/// U+28a2 BRAILLE PATTERN DOTS-268
enum XK_braille_dots_268 = 0x10028a2;
/// U+28a3 BRAILLE PATTERN DOTS-1268
enum XK_braille_dots_1268 = 0x10028a3;
/// U+28a4 BRAILLE PATTERN DOTS-368
enum XK_braille_dots_368 = 0x10028a4;
/// U+28a5 BRAILLE PATTERN DOTS-1368
enum XK_braille_dots_1368 = 0x10028a5;
/// U+28a6 BRAILLE PATTERN DOTS-2368
enum XK_braille_dots_2368 = 0x10028a6;
/// U+28a7 BRAILLE PATTERN DOTS-12368
enum XK_braille_dots_12368 = 0x10028a7;
/// U+28a8 BRAILLE PATTERN DOTS-468
enum XK_braille_dots_468 = 0x10028a8;
/// U+28a9 BRAILLE PATTERN DOTS-1468
enum XK_braille_dots_1468 = 0x10028a9;
/// U+28aa BRAILLE PATTERN DOTS-2468
enum XK_braille_dots_2468 = 0x10028aa;
/// U+28ab BRAILLE PATTERN DOTS-12468
enum XK_braille_dots_12468 = 0x10028ab;
/// U+28ac BRAILLE PATTERN DOTS-3468
enum XK_braille_dots_3468 = 0x10028ac;
/// U+28ad BRAILLE PATTERN DOTS-13468
enum XK_braille_dots_13468 = 0x10028ad;
/// U+28ae BRAILLE PATTERN DOTS-23468
enum XK_braille_dots_23468 = 0x10028ae;
/// U+28af BRAILLE PATTERN DOTS-123468
enum XK_braille_dots_123468 = 0x10028af;
/// U+28b0 BRAILLE PATTERN DOTS-568
enum XK_braille_dots_568 = 0x10028b0;
/// U+28b1 BRAILLE PATTERN DOTS-1568
enum XK_braille_dots_1568 = 0x10028b1;
/// U+28b2 BRAILLE PATTERN DOTS-2568
enum XK_braille_dots_2568 = 0x10028b2;
/// U+28b3 BRAILLE PATTERN DOTS-12568
enum XK_braille_dots_12568 = 0x10028b3;
/// U+28b4 BRAILLE PATTERN DOTS-3568
enum XK_braille_dots_3568 = 0x10028b4;
/// U+28b5 BRAILLE PATTERN DOTS-13568
enum XK_braille_dots_13568 = 0x10028b5;
/// U+28b6 BRAILLE PATTERN DOTS-23568
enum XK_braille_dots_23568 = 0x10028b6;
/// U+28b7 BRAILLE PATTERN DOTS-123568
enum XK_braille_dots_123568 = 0x10028b7;
/// U+28b8 BRAILLE PATTERN DOTS-4568
enum XK_braille_dots_4568 = 0x10028b8;
/// U+28b9 BRAILLE PATTERN DOTS-14568
enum XK_braille_dots_14568 = 0x10028b9;
/// U+28ba BRAILLE PATTERN DOTS-24568
enum XK_braille_dots_24568 = 0x10028ba;
/// U+28bb BRAILLE PATTERN DOTS-124568
enum XK_braille_dots_124568 = 0x10028bb;
/// U+28bc BRAILLE PATTERN DOTS-34568
enum XK_braille_dots_34568 = 0x10028bc;
/// U+28bd BRAILLE PATTERN DOTS-134568
enum XK_braille_dots_134568 = 0x10028bd;
/// U+28be BRAILLE PATTERN DOTS-234568
enum XK_braille_dots_234568 = 0x10028be;
/// U+28bf BRAILLE PATTERN DOTS-1234568
enum XK_braille_dots_1234568 = 0x10028bf;
/// U+28c0 BRAILLE PATTERN DOTS-78
enum XK_braille_dots_78 = 0x10028c0;
/// U+28c1 BRAILLE PATTERN DOTS-178
enum XK_braille_dots_178 = 0x10028c1;
/// U+28c2 BRAILLE PATTERN DOTS-278
enum XK_braille_dots_278 = 0x10028c2;
/// U+28c3 BRAILLE PATTERN DOTS-1278
enum XK_braille_dots_1278 = 0x10028c3;
/// U+28c4 BRAILLE PATTERN DOTS-378
enum XK_braille_dots_378 = 0x10028c4;
/// U+28c5 BRAILLE PATTERN DOTS-1378
enum XK_braille_dots_1378 = 0x10028c5;
/// U+28c6 BRAILLE PATTERN DOTS-2378
enum XK_braille_dots_2378 = 0x10028c6;
/// U+28c7 BRAILLE PATTERN DOTS-12378
enum XK_braille_dots_12378 = 0x10028c7;
/// U+28c8 BRAILLE PATTERN DOTS-478
enum XK_braille_dots_478 = 0x10028c8;
/// U+28c9 BRAILLE PATTERN DOTS-1478
enum XK_braille_dots_1478 = 0x10028c9;
/// U+28ca BRAILLE PATTERN DOTS-2478
enum XK_braille_dots_2478 = 0x10028ca;
/// U+28cb BRAILLE PATTERN DOTS-12478
enum XK_braille_dots_12478 = 0x10028cb;
/// U+28cc BRAILLE PATTERN DOTS-3478
enum XK_braille_dots_3478 = 0x10028cc;
/// U+28cd BRAILLE PATTERN DOTS-13478
enum XK_braille_dots_13478 = 0x10028cd;
/// U+28ce BRAILLE PATTERN DOTS-23478
enum XK_braille_dots_23478 = 0x10028ce;
/// U+28cf BRAILLE PATTERN DOTS-123478
enum XK_braille_dots_123478 = 0x10028cf;
/// U+28d0 BRAILLE PATTERN DOTS-578
enum XK_braille_dots_578 = 0x10028d0;
/// U+28d1 BRAILLE PATTERN DOTS-1578
enum XK_braille_dots_1578 = 0x10028d1;
/// U+28d2 BRAILLE PATTERN DOTS-2578
enum XK_braille_dots_2578 = 0x10028d2;
/// U+28d3 BRAILLE PATTERN DOTS-12578
enum XK_braille_dots_12578 = 0x10028d3;
/// U+28d4 BRAILLE PATTERN DOTS-3578
enum XK_braille_dots_3578 = 0x10028d4;
/// U+28d5 BRAILLE PATTERN DOTS-13578
enum XK_braille_dots_13578 = 0x10028d5;
/// U+28d6 BRAILLE PATTERN DOTS-23578
enum XK_braille_dots_23578 = 0x10028d6;
/// U+28d7 BRAILLE PATTERN DOTS-123578
enum XK_braille_dots_123578 = 0x10028d7;
/// U+28d8 BRAILLE PATTERN DOTS-4578
enum XK_braille_dots_4578 = 0x10028d8;
/// U+28d9 BRAILLE PATTERN DOTS-14578
enum XK_braille_dots_14578 = 0x10028d9;
/// U+28da BRAILLE PATTERN DOTS-24578
enum XK_braille_dots_24578 = 0x10028da;
/// U+28db BRAILLE PATTERN DOTS-124578
enum XK_braille_dots_124578 = 0x10028db;
/// U+28dc BRAILLE PATTERN DOTS-34578
enum XK_braille_dots_34578 = 0x10028dc;
/// U+28dd BRAILLE PATTERN DOTS-134578
enum XK_braille_dots_134578 = 0x10028dd;
/// U+28de BRAILLE PATTERN DOTS-234578
enum XK_braille_dots_234578 = 0x10028de;
/// U+28df BRAILLE PATTERN DOTS-1234578
enum XK_braille_dots_1234578 = 0x10028df;
/// U+28e0 BRAILLE PATTERN DOTS-678
enum XK_braille_dots_678 = 0x10028e0;
/// U+28e1 BRAILLE PATTERN DOTS-1678
enum XK_braille_dots_1678 = 0x10028e1;
/// U+28e2 BRAILLE PATTERN DOTS-2678
enum XK_braille_dots_2678 = 0x10028e2;
/// U+28e3 BRAILLE PATTERN DOTS-12678
enum XK_braille_dots_12678 = 0x10028e3;
/// U+28e4 BRAILLE PATTERN DOTS-3678
enum XK_braille_dots_3678 = 0x10028e4;
/// U+28e5 BRAILLE PATTERN DOTS-13678
enum XK_braille_dots_13678 = 0x10028e5;
/// U+28e6 BRAILLE PATTERN DOTS-23678
enum XK_braille_dots_23678 = 0x10028e6;
/// U+28e7 BRAILLE PATTERN DOTS-123678
enum XK_braille_dots_123678 = 0x10028e7;
/// U+28e8 BRAILLE PATTERN DOTS-4678
enum XK_braille_dots_4678 = 0x10028e8;
/// U+28e9 BRAILLE PATTERN DOTS-14678
enum XK_braille_dots_14678 = 0x10028e9;
/// U+28ea BRAILLE PATTERN DOTS-24678
enum XK_braille_dots_24678 = 0x10028ea;
/// U+28eb BRAILLE PATTERN DOTS-124678
enum XK_braille_dots_124678 = 0x10028eb;
/// U+28ec BRAILLE PATTERN DOTS-34678
enum XK_braille_dots_34678 = 0x10028ec;
/// U+28ed BRAILLE PATTERN DOTS-134678
enum XK_braille_dots_134678 = 0x10028ed;
/// U+28ee BRAILLE PATTERN DOTS-234678
enum XK_braille_dots_234678 = 0x10028ee;
/// U+28ef BRAILLE PATTERN DOTS-1234678
enum XK_braille_dots_1234678 = 0x10028ef;
/// U+28f0 BRAILLE PATTERN DOTS-5678
enum XK_braille_dots_5678 = 0x10028f0;
/// U+28f1 BRAILLE PATTERN DOTS-15678
enum XK_braille_dots_15678 = 0x10028f1;
/// U+28f2 BRAILLE PATTERN DOTS-25678
enum XK_braille_dots_25678 = 0x10028f2;
/// U+28f3 BRAILLE PATTERN DOTS-125678
enum XK_braille_dots_125678 = 0x10028f3;
/// U+28f4 BRAILLE PATTERN DOTS-35678
enum XK_braille_dots_35678 = 0x10028f4;
/// U+28f5 BRAILLE PATTERN DOTS-135678
enum XK_braille_dots_135678 = 0x10028f5;
/// U+28f6 BRAILLE PATTERN DOTS-235678
enum XK_braille_dots_235678 = 0x10028f6;
/// U+28f7 BRAILLE PATTERN DOTS-1235678
enum XK_braille_dots_1235678 = 0x10028f7;
/// U+28f8 BRAILLE PATTERN DOTS-45678
enum XK_braille_dots_45678 = 0x10028f8;
/// U+28f9 BRAILLE PATTERN DOTS-145678
enum XK_braille_dots_145678 = 0x10028f9;
/// U+28fa BRAILLE PATTERN DOTS-245678
enum XK_braille_dots_245678 = 0x10028fa;
/// U+28fb BRAILLE PATTERN DOTS-1245678
enum XK_braille_dots_1245678 = 0x10028fb;
/// U+28fc BRAILLE PATTERN DOTS-345678
enum XK_braille_dots_345678 = 0x10028fc;
/// U+28fd BRAILLE PATTERN DOTS-1345678
enum XK_braille_dots_1345678 = 0x10028fd;
/// U+28fe BRAILLE PATTERN DOTS-2345678
enum XK_braille_dots_2345678 = 0x10028fe;
/// U+28ff BRAILLE PATTERN DOTS-12345678
enum XK_braille_dots_12345678 = 0x10028ff;
}
/**
* Sinhala (http://unicode.org/charts/PDF/U0D80.pdf)
* http://www.nongnu.org/sinhala/doc/transliteration/sinhala-transliteration_6.html
*/
static if (XK_SINHALA) {
/// U+0D82 SINHALA ANUSVARAYA
enum XK_Sinh_ng = 0x1000d82;
/// U+0D83 SINHALA VISARGAYA
enum XK_Sinh_h2 = 0x1000d83;
/// U+0D85 SINHALA AYANNA
enum XK_Sinh_a = 0x1000d85;
/// U+0D86 SINHALA AAYANNA
enum XK_Sinh_aa = 0x1000d86;
/// U+0D87 SINHALA AEYANNA
enum XK_Sinh_ae = 0x1000d87;
/// U+0D88 SINHALA AEEYANNA
enum XK_Sinh_aee = 0x1000d88;
/// U+0D89 SINHALA IYANNA
enum XK_Sinh_i = 0x1000d89;
/// U+0D8A SINHALA IIYANNA
enum XK_Sinh_ii = 0x1000d8a;
/// U+0D8B SINHALA UYANNA
enum XK_Sinh_u = 0x1000d8b;
/// U+0D8C SINHALA UUYANNA
enum XK_Sinh_uu = 0x1000d8c;
/// U+0D8D SINHALA IRUYANNA
enum XK_Sinh_ri = 0x1000d8d;
/// U+0D8E SINHALA IRUUYANNA
enum XK_Sinh_rii = 0x1000d8e;
/// U+0D8F SINHALA ILUYANNA
enum XK_Sinh_lu = 0x1000d8f;
/// U+0D90 SINHALA ILUUYANNA
enum XK_Sinh_luu = 0x1000d90;
/// U+0D91 SINHALA EYANNA
enum XK_Sinh_e = 0x1000d91;
/// U+0D92 SINHALA EEYANNA
enum XK_Sinh_ee = 0x1000d92;
/// U+0D93 SINHALA AIYANNA
enum XK_Sinh_ai = 0x1000d93;
/// U+0D94 SINHALA OYANNA
enum XK_Sinh_o = 0x1000d94;
/// U+0D95 SINHALA OOYANNA
enum XK_Sinh_oo = 0x1000d95;
/// U+0D96 SINHALA AUYANNA
enum XK_Sinh_au = 0x1000d96;
/// U+0D9A SINHALA KAYANNA
enum XK_Sinh_ka = 0x1000d9a;
/// U+0D9B SINHALA MAHA. KAYANNA
enum XK_Sinh_kha = 0x1000d9b;
/// U+0D9C SINHALA GAYANNA
enum XK_Sinh_ga = 0x1000d9c;
/// U+0D9D SINHALA MAHA. GAYANNA
enum XK_Sinh_gha = 0x1000d9d;
/// U+0D9E SINHALA KANTAJA NAASIKYAYA
enum XK_Sinh_ng2 = 0x1000d9e;
/// U+0D9F SINHALA SANYAKA GAYANNA
enum XK_Sinh_nga = 0x1000d9f;
/// U+0DA0 SINHALA CAYANNA
enum XK_Sinh_ca = 0x1000da0;
/// U+0DA1 SINHALA MAHA. CAYANNA
enum XK_Sinh_cha = 0x1000da1;
/// U+0DA2 SINHALA JAYANNA
enum XK_Sinh_ja = 0x1000da2;
/// U+0DA3 SINHALA MAHA. JAYANNA
enum XK_Sinh_jha = 0x1000da3;
/// U+0DA4 SINHALA TAALUJA NAASIKYAYA
enum XK_Sinh_nya = 0x1000da4;
/// U+0DA5 SINHALA TAALUJA SANYOOGA NAASIKYAYA
enum XK_Sinh_jnya = 0x1000da5;
/// U+0DA6 SINHALA SANYAKA JAYANNA
enum XK_Sinh_nja = 0x1000da6;
/// U+0DA7 SINHALA TTAYANNA
enum XK_Sinh_tta = 0x1000da7;
/// U+0DA8 SINHALA MAHA. TTAYANNA
enum XK_Sinh_ttha = 0x1000da8;
/// U+0DA9 SINHALA DDAYANNA
enum XK_Sinh_dda = 0x1000da9;
/// U+0DAA SINHALA MAHA. DDAYANNA
enum XK_Sinh_ddha = 0x1000daa;
/// U+0DAB SINHALA MUURDHAJA NAYANNA
enum XK_Sinh_nna = 0x1000dab;
/// U+0DAC SINHALA SANYAKA DDAYANNA
enum XK_Sinh_ndda = 0x1000dac;
/// U+0DAD SINHALA TAYANNA
enum XK_Sinh_tha = 0x1000dad;
/// U+0DAE SINHALA MAHA. TAYANNA
enum XK_Sinh_thha = 0x1000dae;
/// U+0DAF SINHALA DAYANNA
enum XK_Sinh_dha = 0x1000daf;
/// U+0DB0 SINHALA MAHA. DAYANNA
enum XK_Sinh_dhha = 0x1000db0;
/// U+0DB1 SINHALA DANTAJA NAYANNA
enum XK_Sinh_na = 0x1000db1;
/// U+0DB3 SINHALA SANYAKA DAYANNA
enum XK_Sinh_ndha = 0x1000db3;
/// U+0DB4 SINHALA PAYANNA
enum XK_Sinh_pa = 0x1000db4;
/// U+0DB5 SINHALA MAHA. PAYANNA
enum XK_Sinh_pha = 0x1000db5;
/// U+0DB6 SINHALA BAYANNA
enum XK_Sinh_ba = 0x1000db6;
/// U+0DB7 SINHALA MAHA. BAYANNA
enum XK_Sinh_bha = 0x1000db7;
/// U+0DB8 SINHALA MAYANNA
enum XK_Sinh_ma = 0x1000db8;
/// U+0DB9 SINHALA AMBA BAYANNA
enum XK_Sinh_mba = 0x1000db9;
/// U+0DBA SINHALA YAYANNA
enum XK_Sinh_ya = 0x1000dba;
/// U+0DBB SINHALA RAYANNA
enum XK_Sinh_ra = 0x1000dbb;
/// U+0DBD SINHALA DANTAJA LAYANNA
enum XK_Sinh_la = 0x1000dbd;
/// U+0DC0 SINHALA VAYANNA
enum XK_Sinh_va = 0x1000dc0;
/// U+0DC1 SINHALA TAALUJA SAYANNA
enum XK_Sinh_sha = 0x1000dc1;
/// U+0DC2 SINHALA MUURDHAJA SAYANNA
enum XK_Sinh_ssha = 0x1000dc2;
/// U+0DC3 SINHALA DANTAJA SAYANNA
enum XK_Sinh_sa = 0x1000dc3;
/// U+0DC4 SINHALA HAYANNA
enum XK_Sinh_ha = 0x1000dc4;
/// U+0DC5 SINHALA MUURDHAJA LAYANNA
enum XK_Sinh_lla = 0x1000dc5;
/// U+0DC6 SINHALA FAYANNA
enum XK_Sinh_fa = 0x1000dc6;
/// U+0DCA SINHALA AL-LAKUNA
enum XK_Sinh_al = 0x1000dca;
/// U+0DCF SINHALA AELA-PILLA
enum XK_Sinh_aa2 = 0x1000dcf;
/// U+0DD0 SINHALA AEDA-PILLA
enum XK_Sinh_ae2 = 0x1000dd0;
/// U+0DD1 SINHALA DIGA AEDA-PILLA
enum XK_Sinh_aee2 = 0x1000dd1;
/// U+0DD2 SINHALA IS-PILLA
enum XK_Sinh_i2 = 0x1000dd2;
/// U+0DD3 SINHALA DIGA IS-PILLA
enum XK_Sinh_ii2 = 0x1000dd3;
/// U+0DD4 SINHALA PAA-PILLA
enum XK_Sinh_u2 = 0x1000dd4;
/// U+0DD6 SINHALA DIGA PAA-PILLA
enum XK_Sinh_uu2 = 0x1000dd6;
/// U+0DD8 SINHALA GAETTA-PILLA
enum XK_Sinh_ru2 = 0x1000dd8;
/// U+0DD9 SINHALA KOMBUVA
enum XK_Sinh_e2 = 0x1000dd9;
/// U+0DDA SINHALA DIGA KOMBUVA
enum XK_Sinh_ee2 = 0x1000dda;
/// U+0DDB SINHALA KOMBU DEKA
enum XK_Sinh_ai2 = 0x1000ddb;
/// U+0DDC SINHALA KOMBUVA HAA AELA-PILLA
enum XK_Sinh_o2 = 0x1000ddc;
/// U+0DDD SINHALA KOMBUVA HAA DIGA AELA-PILLA
enum XK_Sinh_oo2 = 0x1000ddd;
/// U+0DDE SINHALA KOMBUVA HAA GAYANUKITTA
enum XK_Sinh_au2 = 0x1000dde;
/// U+0DDF SINHALA GAYANUKITTA
enum XK_Sinh_lu2 = 0x1000ddf;
/// U+0DF2 SINHALA DIGA GAETTA-PILLA
enum XK_Sinh_ruu2 = 0x1000df2;
/// U+0DF3 SINHALA DIGA GAYANUKITTA
enum XK_Sinh_luu2 = 0x1000df3;
/// U+0DF4 SINHALA KUNDDALIYA
enum XK_Sinh_kunddaliya = 0x1000df4;
}
| D |
rapid and indistinct speech
talk in a noisy, excited, or declamatory manner
| D |
<?xml version="1.0" encoding="ASCII" standalone="no"?>
<di:SashWindowsMngr xmlns:di="http://www.eclipse.org/papyrus/0.7.0/sashdi" xmlns:xmi="http://www.omg.org/XMI" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmi:version="2.0">
<pageList>
<availablePage>
<emfPageIdentifier href="VAR_25_MobileMedia-1616711484.notation#_copSALmGEeKQQp7P9cQvNQ"/>
</availablePage>
</pageList>
<sashModel currentSelection="//@sashModel/@windows.0/@children.0">
<windows>
<children xsi:type="di:TabFolder">
<children>
<emfPageIdentifier href="VAR_25_MobileMedia-1616711484.notation#_copSALmGEeKQQp7P9cQvNQ"/>
</children>
</children>
</windows>
</sashModel>
</di:SashWindowsMngr>
| D |
/********
* Highlight testing module.
*
* Do not attempt to run this!
***********/
module highlighttest;
import X = null;
/++ Pragma directives. DDoc + DDoc embedded items. Special Tokens.
+
+ ---
+ // comment
+ #line 12 "hightlighttest.d" /* block comment */
+ #line __LINE__ __FILE__ /++ embedded block comment +/
+
+ pragma /* */ (msg, "what?");
+ pragma(/++ +/ lib, "insane.a");
+ pragma(D_Custom_Extension, "custom data");
+ ---
+/
/// version condition
version = X;
version (X) ;
version(linux) {}
/// linkage
extern
(C) {}
extern :
;
extern (Windows) {}
/// alias & typedef
alias int.min minint;
typedef int myint;
int main(char[][] args) {
/// statements
if (1) {}
else {}
with (N) {x = B}
/// attributes
auto x = 1;
static if (true) {}
void (in X, out Y) {} // NOTE: using in like this is rare, more common to use as an expression and no way to tell apart?
/// deprecated
deprecated void fct ();
/// types
void a;
ushort u;
int[uint] AA;
class C;
enum N : int { A = 5, B }
typeof(u) u2;
/// expressions
x = cast(int) 55;
void* p = null;
p = cast(void*) new int;
x = 1 in AA; // NOTE: a THIRD use of in. How to detect??
assert (true);
/// libsymbols
string s = "";
throw new Exception;
TypeInfo ti = typeid(int);
/// tests
debug {}
debug (2) {}
debug (DSymb) {}
unittest {}
/// scope (as attribute and as statement)
scope struct S;
scope (exit) {}
scope
(success) {} // NOTE: rules cannot match across new-lines
scope (failure) {}
/// Properties
x = int.min;
s = (5-3).stringof;
/// strings
s = r"raw string";
s = x"00FF";
s = \n \a;
s = \u1234;
s = \U12345678;
s = \& ;
char c = 'a';
s = "abc 012 \" \n \x12 \u1234 \U12345678";
s = `BQString '"`;
/// region markers
//BEGIN x
//END x
/// DDoc
/*******
* DDoc
*
* Section:
* New section.
* $(I italic)
*******/
/+++++++
+ DDoc
+ /+
+ +/
+++++++/
// comments
// FIXME NOTE
/* comment */
/+ comment /+ nested comment +/ +/
/// brace folding
{
}
/** normal text
* ---
* .x;
* ..
* ...
* ....
* .....
* _._
* _e1
* ---
*/
/// float and int literals
int i;
real r;
ireal ir;
r = .0;
r = 0f;
ir = 0e0i;
ir = 0.fi;
r = 0.0e0;
r = 0xF.Fp0;
r = 0x_._p0_;
i = 5;
i = -1;
i = 0b10;
i = 0070;
i = 00;
i = 0xF0;
/// ranges
int[] A;
i = A[1];
A = A[0..$];
A = A[0..0];
A = A[0..length];
/// labels
label:
goto label;
/// function, delegate
creal function () fp = function creal() { return 0f+0fi; };
void delegate (in int i, lazy int b) dg = delegate void (int, int) {}
/// in, out, body
// NOTE: highlighting in & out as statements here could be difficult
float F ()
in {}
out (result) {}
body {}
/// try, catch, finally
try {
throw new Exception("oh no... ");
} catch (Exception e) {
} finally {
}
/// mixin
mixin("return false;").stringof;
/// templates
macro; // what does this do?
template Tp (T) {
Tp t;
}
Tp!(int) y;
}
| D |
module luautils.luafunc;
import std.string;
import std.typecons;
import liblua;
import luamacros;
import luautils.luastack;
alias LuaFunc = int delegate(lua_State*) @system;
/// 汎用Closure。upvalue#1 から LuaFunc を得て実行する
/// 状態は、LuaFuncに埋めてある。
extern (C) int LuaFuncClosure(lua_State* L)
{
try
{
auto lf = cast(LuaFunc*) lua_touserdata(L, lua_upvalueindex(1));
return (*lf)(L);
}
catch (Exception ex)
{
lua_pushfstring(L, ex.msg.toStringz);
lua_error(L);
return 1;
}
}
//
// tuple
//
auto lua_totuple()(lua_State* L, int idx)
{
return tuple();
}
Tuple!A lua_totuple(A)(lua_State* L, int idx)
{
A first = lua_to!A(L, idx);
return tuple(first);
}
Tuple!ARGS lua_totuple(ARGS...)(lua_State* L, int idx)
{
auto first = lua_to!(ARGS[0])(L, idx);
auto rest = lua_totuple!(ARGS[1 .. $])(L, idx + 1);
return tuple(first) ~ rest;
}
// getter
LuaFunc to_luafunc(R, ARGS...)(R delegate(ARGS) f)
{
return delegate(lua_State* L) {
auto args = lua_totuple!ARGS(L, 1);
auto value = f(args.expand);
return lua_push!R(L, value);
};
}
// setter
LuaFunc to_luasetter(S, T)(void delegate(S self, T value) f)
{
return delegate(lua_State* L) {
auto self = lua_to!(S)(L, 1);
auto value = lua_to!(T)(L, 3);
f(self, value);
return 0;
};
}
LuaFunc to_luamethod(R, A, ARGS...)(R delegate(A, ARGS) f)
{
return delegate(lua_State* L) {
auto self = lua_to!A(L, lua_upvalueindex(2)); // upvalue#2
auto _args = lua_totuple!ARGS(L, 1);
auto args = tuple(self) ~ _args;
static if (is(R == void))
{
f(args.expand);
return 0;
}
else
{
auto value = f(args.expand);
return lua_push!R(L, value);
}
};
}
| D |
/**
* Copyright: Copyright (c) 2009 Jacob Carlborg. All rights reserved.
* Authors: Jacob Carlborg
* Version: Initial created: Jan 16, 2009
* License: $(LINK2 http://opensource.org/licenses/bsd-license.php, BSD Style)
*
*/
module dwt.widgets.all;
public:
import dwt.widgets.Button;
import dwt.widgets.EventTable;
import dwt.widgets.MessageBox;
import dwt.widgets.TableColumn;
import dwt.widgets.Canvas;
import dwt.widgets.ExpandBar;
import dwt.widgets.Monitor;
import dwt.widgets.TableItem;
import dwt.widgets.Caret;
import dwt.widgets.ExpandItem;
import dwt.widgets.ProgressBar;
import dwt.widgets.Text;
import dwt.widgets.ColorDialog;
import dwt.widgets.FileDialog;
import dwt.widgets.RunnableLock;
import dwt.widgets.ToolBar;
import dwt.widgets.Combo;
import dwt.widgets.FontDialog;
import dwt.widgets.Sash;
import dwt.widgets.ToolItem;
import dwt.widgets.Composite;
import dwt.widgets.Group;
import dwt.widgets.Scale;
import dwt.widgets.ToolTip;
import dwt.widgets.Control;
import dwt.widgets.IME;
import dwt.widgets.ScrollBar;
import dwt.widgets.Tracker;
import dwt.widgets.CoolBar;
import dwt.widgets.Item;
import dwt.widgets.Scrollable;
import dwt.widgets.Tray;
import dwt.widgets.CoolItem;
import dwt.widgets.Label;
import dwt.widgets.Shell;
import dwt.widgets.TrayItem;
import dwt.widgets.DateTime;
import dwt.widgets.Layout;
import dwt.widgets.Slider;
import dwt.widgets.Tree;
import dwt.widgets.Decorations;
import dwt.widgets.Link;
import dwt.widgets.Spinner;
import dwt.widgets.TreeColumn;
import dwt.widgets.Dialog;
import dwt.widgets.List;
import dwt.widgets.Synchronizer;
import dwt.widgets.TreeItem;
import dwt.widgets.DirectoryDialog;
import dwt.widgets.Listener;
import dwt.widgets.TabFolder;
import dwt.widgets.TypedListener;
import dwt.widgets.Display;
import dwt.widgets.Menu;
import dwt.widgets.TabItem;
import dwt.widgets.Widget;
import dwt.widgets.Event;
import dwt.widgets.MenuItem;
import dwt.widgets.Table; | D |
// WORK IN PROGRESS
/++
An add-on for simpledisplay.d, joystick.d, and simpleaudio.d
that includes helper functions for writing games (and perhaps
other multimedia programs).
Usage example:
---
final class MyGame : GameHelperBase {
/// Called when it is time to redraw the frame
/// it will try for a particular FPS
override void drawFrame() {
glClear(GL_COLOR_BUFFER_BIT | GL_DEPTH_BUFFER_BIT | GL_ACCUM_BUFFER_BIT);
glLoadIdentity();
glColor3f(1.0, 1.0, 1.0);
glTranslatef(x, y, 0);
glBegin(GL_QUADS);
glVertex2i(0, 0);
glVertex2i(16, 0);
glVertex2i(16, 16);
glVertex2i(0, 16);
glEnd();
}
int x, y;
override void update(Duration deltaTime) {
x += 1;
y += 1;
}
override SimpleWindow getWindow() {
auto window = create2dWindow("My game");
// load textures and such here
return window;
}
final void fillAudioBuffer(short[] buffer) {
}
}
void main() {
auto game = new MyGame();
runGame(game, maxRedrawRate, maxUpdateRate);
}
---
It provides an audio thread, input scaffold, and helper functions.
The MyGame handler is actually a template, so you don't have virtual
function indirection and not all functions are required. The interfaces
are just to help you get the signatures right, they don't force virtual
dispatch at runtime.
+/
module arsd.gamehelpers;
public import arsd.color;
public import arsd.simpledisplay;
import std.math;
public import core.time;
public import arsd.joystick;
SimpleWindow create2dWindow(string title, int width = 512, int height = 512) {
auto window = new SimpleWindow(width, height, title, OpenGlOptions.yes);
window.setAsCurrentOpenGlContext();
glEnable(GL_BLEND);
glBlendFunc(GL_SRC_ALPHA, GL_ONE_MINUS_SRC_ALPHA);
glClearColor(0,0,0,0);
glDepthFunc(GL_LEQUAL);
glMatrixMode(GL_PROJECTION);
glLoadIdentity();
glOrtho(0, width, height, 0, 0, 1);
glMatrixMode(GL_MODELVIEW);
glLoadIdentity();
glDisable(GL_DEPTH_TEST);
glEnable(GL_TEXTURE_2D);
return window;
}
/// This is the base class for your game.
class GameHelperBase {
/// Implement this to draw.
abstract void drawFrame();
/// Implement this to update. The deltaTime tells how much real time has passed since the last update.
abstract void update(Duration deltaTime);
//abstract void fillAudioBuffer(short[] buffer);
/// Returns the main game window. This function will only be
/// called once if you use runGame. You should return a window
/// here like one created with `create2dWindow`.
abstract SimpleWindow getWindow();
/// These functions help you handle user input. It offers polling functions for
/// keyboard, mouse, joystick, and virtual controller input.
///
/// The virtual digital controllers are best to use if that model fits you because it
/// works with several kinds of controllers as well as keyboards.
JoystickUpdate joystick1;
}
/// The max rates are given in executions per second
/// Redraw will never be called unless there has been at least one update
void runGame(T : GameHelperBase)(T game, int maxUpdateRate = 20, int maxRedrawRate = 0) {
// this is a template btw because then it can statically dispatch
// the members instead of going through the virtual interface.
int joystickPlayers = enableJoystickInput();
scope(exit) closeJoysticks();
auto window = game.getWindow();
window.redrawOpenGlScene = &game.drawFrame;
auto lastUpdate = MonoTime.currTime;
window.eventLoop(1000 / maxUpdateRate,
delegate() {
if(joystickPlayers) {
version(linux)
readJoystickEvents(joystickFds[0]);
auto update = getJoystickUpdate(0);
game.joystick1 = update;
} else assert(0);
auto now = MonoTime.currTime;
game.update(now - lastUpdate);
lastUpdate = now;
// FIXME: rate limiting
window.redrawOpenGlSceneNow();
},
delegate (KeyEvent ke) {
// FIXME
}
);
}
/++
Simple class for putting a TrueColorImage in as an OpenGL texture.
Doesn't do mipmapping btw.
+/
final class OpenGlTexture {
private uint _tex;
private int _width;
private int _height;
private float _texCoordWidth;
private float _texCoordHeight;
/// Calls glBindTexture
void bind() {
glBindTexture(GL_TEXTURE_2D, _tex);
}
/// For easy 2d drawing of it
void draw(Point where, int width = 0, int height = 0, float rotation = 0.0, Color bg = Color.white) {
draw(where.x, where.y, width, height, rotation, bg);
}
///
void draw(float x, float y, int width = 0, int height = 0, float rotation = 0.0, Color bg = Color.white) {
glPushMatrix();
glTranslatef(x, y, 0);
if(width == 0)
width = this.originalImageWidth;
if(height == 0)
height = this.originalImageHeight;
glTranslatef(cast(float) width / 2, cast(float) height / 2, 0);
glRotatef(rotation, 0, 0, 1);
glTranslatef(cast(float) -width / 2, cast(float) -height / 2, 0);
glColor4f(cast(float)bg.r/255.0, cast(float)bg.g/255.0, cast(float)bg.b/255.0, cast(float)bg.a / 255.0);
glBindTexture(GL_TEXTURE_2D, _tex);
glBegin(GL_QUADS);
glTexCoord2f(0, 0); glVertex2i(0, 0);
glTexCoord2f(texCoordWidth, 0); glVertex2i(width, 0);
glTexCoord2f(texCoordWidth, texCoordHeight); glVertex2i(width, height);
glTexCoord2f(0, texCoordHeight); glVertex2i(0, height);
glEnd();
glBindTexture(GL_TEXTURE_2D, 0); // unbind the texture
glPopMatrix();
}
/// Use for glTexCoord2f
float texCoordWidth() { return _texCoordWidth; }
float texCoordHeight() { return _texCoordHeight; } /// ditto
/// Returns the texture ID
uint tex() { return _tex; }
/// Returns the size of the image
int originalImageWidth() { return _width; }
int originalImageHeight() { return _height; } /// ditto
// explicitly undocumented, i might remove this
TrueColorImage from;
/// Make a texture from an image.
this(TrueColorImage from) {
assert(from.width > 0 && from.height > 0);
import core.stdc.stdlib;
_width = from.width;
_height = from.height;
this.from = from;
auto _texWidth = _width;
auto _texHeight = _height;
const(ubyte)* data = from.imageData.bytes.ptr;
bool freeRequired = false;
// gotta round them to the nearest power of two which means padding the image
if((_texWidth & (_texWidth - 1)) || (_texHeight & (_texHeight - 1))) {
_texWidth = nextPowerOfTwo(_texWidth);
_texHeight = nextPowerOfTwo(_texHeight);
auto n = cast(ubyte*) malloc(_texWidth * _texHeight * 4);
if(n is null) assert(0);
scope(failure) free(n);
auto size = from.width * 4;
auto advance = _texWidth * 4;
int at = 0;
int at2 = 0;
foreach(y; 0 .. from.height) {
n[at .. at + size] = from.imageData.bytes[at2 .. at2+ size];
at += advance;
at2 += size;
}
data = n;
freeRequired = true;
// the rest of data will be initialized to zeros automatically which is fine.
}
glGenTextures(1, &_tex);
glBindTexture(GL_TEXTURE_2D, tex);
glTexParameteri(GL_TEXTURE_2D, GL_TEXTURE_MAG_FILTER, GL_NEAREST);
glTexParameteri(GL_TEXTURE_2D, GL_TEXTURE_MIN_FILTER, GL_NEAREST);
glTexImage2D(
GL_TEXTURE_2D,
0,
GL_RGBA,
_texWidth, // needs to be power of 2
_texHeight,
0,
GL_RGBA,
GL_UNSIGNED_BYTE,
data);
assert(!glGetError());
_texCoordWidth = cast(float) _width / _texWidth;
_texCoordHeight = cast(float) _height / _texHeight;
if(freeRequired)
free(cast(void*) data);
}
/// Generates from text. Requires stb_truetype.d
/// pass a pointer to the TtfFont as the first arg (it is template cuz of lazy importing, not because it actually works with different types)
this(T, FONT)(FONT* font, int size, in T[] text) if(is(T == char)) {
assert(font !is null);
int width, height;
auto data = font.renderString(text, size, width, height);
auto image = new TrueColorImage(width, height);
int pos = 0;
foreach(y; 0 .. height)
foreach(x; 0 .. width) {
image.imageData.bytes[pos++] = 255;
image.imageData.bytes[pos++] = 255;
image.imageData.bytes[pos++] = 255;
image.imageData.bytes[pos++] = data[0];
data = data[1 .. $];
}
assert(data.length == 0);
this(image);
}
~this() {
glDeleteTextures(1, &_tex);
}
}
// Some math helpers
int nextPowerOfTwo(int v) {
v--;
v |= v >> 1;
v |= v >> 2;
v |= v >> 4;
v |= v >> 8;
v |= v >> 16;
v++;
return v;
}
void crossProduct(
float u1, float u2, float u3,
float v1, float v2, float v3,
out float s1, out float s2, out float s3)
{
s1 = u2 * v3 - u3 * v2;
s2 = u3 * v1 - u1 * v3;
s3 = u1 * v2 - u2 * v1;
}
void rotateAboutAxis(
float theta, // in RADIANS
float x, float y, float z,
float u, float v, float w,
out float xp, out float yp, out float zp)
{
xp = u * (u*x + v*y + w*z) * (1 - cos(theta)) + x * cos(theta) + (-w*y + v*z) * sin(theta);
yp = v * (u*x + v*y + w*z) * (1 - cos(theta)) + y * cos(theta) + (w*x - u*z) * sin(theta);
zp = w * (u*x + v*y + w*z) * (1 - cos(theta)) + z * cos(theta) + (-v*x + u*y) * sin(theta);
}
void rotateAboutPoint(
float theta, // in RADIANS
float originX, float originY,
float rotatingX, float rotatingY,
out float xp, out float yp)
{
if(theta == 0) {
xp = rotatingX;
yp = rotatingY;
return;
}
rotatingX -= originX;
rotatingY -= originY;
float s = sin(theta);
float c = cos(theta);
float x = rotatingX * c - rotatingY * s;
float y = rotatingX * s + rotatingY * c;
xp = x + originX;
yp = y + originY;
}
| D |
PLONG PLAT ED95 KD LOMAGAGE HIMAGAGE SLAT SLONG RESULTNO DP DM WT ROCKTYPE
238 77 6 77 15 60 64.5999985 -127.900002 1745 11.6000004 11.8000002 0.2 sediments, redbeds
4.5 80.5 11.8999996 29 8 9 35.7000008 -106.5 304 14.1999998 14.1999998 1 extrusives, basalts, rhyolites
151.699997 80.8000031 5.19999981 18.2000008 21 26 36.7999992 -105.400002 355 5.0999999 7.30000019 0.6 intrusives
219.300003 68.9000015 2.79999995 90.9000015 15 60 64.5 -128.5 343 5.5999999 5.5999999 0.2 sediments, redbeds
142.300003 67.9000015 10.3000002 17 20 47 35.5 -106.099998 1004 11.1000004 11.1000004 0.148148148 intrusives, extrusives
6.69999981 87.3000031 6.69999981 46.9000015 22 24 36.5999985 -105.5 550 6.69999981 9.5 1 intrusives
256.399994 77.0999985 13 0 2 56 46 -112 3368 21.7000008 21.7000008 0.296296296 extrusives, intrusives
162.600006 79.6999969 6.80000019 21 23 29 37.2000008 -105.599998 8164 6.9000001 9.69999981 0.166666667 extrusives, basalts, andesites, dacites
164 83 5.80000019 32.2000008 15 65 58.5 -119.300003 7737 10 10 0.18 sediments, dolomite
240 82 34 55 2 65 45 -110 2808 49 58 0.253968254 intrusives, porphyry
83.5 79.8000031 17.2000008 8.80000019 15 17 30.7000008 -84.9000015 6882 11.8000002 20.2000008 1 sediments
275.5 83.5999985 0 0 0 20 46.7999992 -90.6999969 5904 3.4000001 3.4000001 0.6 sediments
45.2999992 81.0999985 12.8999996 51.9000015 14 17 45.2999992 -110.800003 5975 13.5 18.6000004 1 sediments
| D |
module dpk.ctx;
import std.algorithm, std.array, std.bitmanip, std.conv, std.functional, std.path, std.process;
import dpk.config, dpk.dflags, dpk.pkgdesc, dpk.util;
class Ctx {
string[] _cmdargs;
string[] _defaultargs;
string _prefix;
string[] _installedPkgs;
Section _dpkcfg;
PkgDesc _pkgdesc;
DFlags _dflags;
bool _sharedLibs;
string[] installedFiles;
mixin(bitfields!(
bool, "hasdefaultargs", 1,
bool, "hasprefix", 1,
bool, "hasinstalledPkgs", 1,
bool, "hasdpkcfg", 1,
bool, "haspkgdesc", 1,
bool, "hasdflags", 1,
bool, "hasshared", 1,
uint, "", 1,
));
this(string[] args) {
this._cmdargs = args;
}
@property string[] args() {
return this.dflags.args;
}
@property string[] defaultargs() {
if (!this.hasdefaultargs) {
this._defaultargs = split(this.dpkcfg.get("defaultargs"));
this.hasdefaultargs = true;
}
return this._defaultargs;
}
@property string prefix() {
if (!this.hasprefix) {
this._prefix = std.process.environment.get("PREFIX");
if (this._prefix is null)
this._prefix = this.dpkcfg.get("prefix");
this._prefix = std.path.expandTilde(this._prefix);
this.hasprefix = true;
}
return this._prefix;
}
@property bool sharedLibs() {
if (!this.hasshared) {
auto val = std.process.environment.get("SHARED");
if (val is null)
val = this.dpkcfg.get("shared");
this._sharedLibs = to!bool(val);
this.hasshared = true;
}
return this._sharedLibs;
}
@property string[] installedPkgs() {
if (!this.hasinstalledPkgs) {
auto confd = buildPath(this.prefix, dpk.install.confdir);
if (std.file.exists(confd) && std.file.isDir(confd))
this._installedPkgs = sort(
apply!baseName(
resolveGlobs("*.cfg", confd))
).release;
this.hasinstalledPkgs = true;
}
return this._installedPkgs;
}
@property Section dpkcfg() {
if (!this.hasdpkcfg) {
this._dpkcfg = parseConfig(dmdIniFilePath()).get("dpk",
new Exception("Missing [dpk] section in dmd config \""
~ dmdIniFilePath() ~ "\""));
this.hasdpkcfg = true;
}
return this._dpkcfg;
}
@property PkgDesc pkgdesc() {
if (!this.haspkgdesc) {
this._pkgdesc = loadLocalPkgDesc();
this.haspkgdesc = true;
}
return this._pkgdesc;
}
@property DFlags dflags() {
if (!this.hasdflags) {
this._dflags = DFlags(this._cmdargs, this.defaultargs);
this.hasdflags = true;
}
return this._dflags;
}
@property uint verbose() {
return this.dflags.verbose;
}
}
| D |
/Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/DatabaseKit.build/Connection/Container+NewConnection.swift.o : /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Utilities/Deprecated.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/KeyedCache/KeyedCache.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/KeyedCache/DatabaseKeyedCache.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/KeyedCache/DictionaryKeyedCache.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/KeyedCache/MemoryKeyedCache.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/ConnectionPool/DatabaseConnectionPoolCache.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Connection/DatabaseStringFindable.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Connection/DatabaseConnectable.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Database/DatabaseQueryable.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Utilities/URL+DatabaseName.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Database/Database.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Database/ConfiguredDatabase.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Database/DatabaseConfig.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/ConnectionPool/DatabaseConnectionPoolConfig.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/KeyedCache/KeyedCacheSupporting.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Log/LogSupporting.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Log/DatabaseLog.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/ConnectionPool/Container+ConnectionPool.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/ConnectionPool/DatabaseConnectionPool.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Connection/Container+CachedConnection.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Connection/DatabaseConnection.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Connection/Container+NewConnection.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Service/DatabaseKitProvider.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Log/DatabaseLogger.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Database/DatabaseIdentifier.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Log/DatabaseLogHandler.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Log/PrintLogHandler.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Utilities/DatabaseKitError.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Database/Databases.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Utilities/Exports.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/NIO.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Async.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Service.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Core.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/COperatingSystem.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Bits.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/cpp_magic.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio/Sources/CNIOLinux/include/ifaddrs-android.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio/Sources/CNIODarwin/include/CNIODarwin.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/CNIOAtomics.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio/Sources/CNIOLinux/include/CNIOLinux.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIOOpenSSL.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CCryptoOpenSSL.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIOZlib.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio-zlib-support/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/DatabaseKit.build/Connection/Container+NewConnection~partial.swiftmodule : /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Utilities/Deprecated.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/KeyedCache/KeyedCache.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/KeyedCache/DatabaseKeyedCache.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/KeyedCache/DictionaryKeyedCache.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/KeyedCache/MemoryKeyedCache.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/ConnectionPool/DatabaseConnectionPoolCache.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Connection/DatabaseStringFindable.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Connection/DatabaseConnectable.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Database/DatabaseQueryable.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Utilities/URL+DatabaseName.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Database/Database.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Database/ConfiguredDatabase.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Database/DatabaseConfig.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/ConnectionPool/DatabaseConnectionPoolConfig.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/KeyedCache/KeyedCacheSupporting.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Log/LogSupporting.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Log/DatabaseLog.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/ConnectionPool/Container+ConnectionPool.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/ConnectionPool/DatabaseConnectionPool.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Connection/Container+CachedConnection.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Connection/DatabaseConnection.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Connection/Container+NewConnection.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Service/DatabaseKitProvider.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Log/DatabaseLogger.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Database/DatabaseIdentifier.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Log/DatabaseLogHandler.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Log/PrintLogHandler.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Utilities/DatabaseKitError.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Database/Databases.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Utilities/Exports.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/NIO.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Async.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Service.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Core.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/COperatingSystem.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Bits.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/cpp_magic.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio/Sources/CNIOLinux/include/ifaddrs-android.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio/Sources/CNIODarwin/include/CNIODarwin.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/CNIOAtomics.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio/Sources/CNIOLinux/include/CNIOLinux.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIOOpenSSL.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CCryptoOpenSSL.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIOZlib.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio-zlib-support/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
/Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/DatabaseKit.build/Connection/Container+NewConnection~partial.swiftdoc : /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Utilities/Deprecated.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/KeyedCache/KeyedCache.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/KeyedCache/DatabaseKeyedCache.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/KeyedCache/DictionaryKeyedCache.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/KeyedCache/MemoryKeyedCache.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/ConnectionPool/DatabaseConnectionPoolCache.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Connection/DatabaseStringFindable.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Connection/DatabaseConnectable.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Database/DatabaseQueryable.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Utilities/URL+DatabaseName.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Database/Database.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Database/ConfiguredDatabase.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Database/DatabaseConfig.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/ConnectionPool/DatabaseConnectionPoolConfig.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/KeyedCache/KeyedCacheSupporting.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Log/LogSupporting.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Log/DatabaseLog.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/ConnectionPool/Container+ConnectionPool.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/ConnectionPool/DatabaseConnectionPool.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Connection/Container+CachedConnection.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Connection/DatabaseConnection.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Connection/Container+NewConnection.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Service/DatabaseKitProvider.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Log/DatabaseLogger.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Database/DatabaseIdentifier.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Log/DatabaseLogHandler.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Log/PrintLogHandler.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Utilities/DatabaseKitError.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Database/Databases.swift /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/database-kit/Sources/DatabaseKit/Utilities/Exports.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/NIO.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Async.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Service.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Core.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/COperatingSystem.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/Bits.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/cpp_magic.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio/Sources/CNIOLinux/include/ifaddrs-android.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio/Sources/CNIODarwin/include/CNIODarwin.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/CNIOAtomics.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio/Sources/CNIOLinux/include/CNIOLinux.h /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIOOpenSSL.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CCryptoOpenSSL.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIOZlib.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Users/Jorge/Desktop/Projects/Web/Swift/kisiBootcamp/.build/checkouts/swift-nio-zlib-support/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
| D |
/*******************************************************************************
Shows how to create a basic socket client, and how to converse with
a remote server. The server must be running for this to succeed
*******************************************************************************/
private import io.Console;
private import net.SocketConduit,
net.InternetAddress;
void main()
{
// make a connection request to the server
auto request = new SocketConduit;
request.connect (new InternetAddress ("localhost", 8080));
request.output.write ("hello\n");
// wait for response (there is an optional timeout supported)
char[64] response;
auto size = request.input.read (response);
// close socket
request.close;
// display server response
Cout (response[0..size]).newline;
}
| D |
INSTANCE Info_Mod_Cipher_Hi (C_INFO)
{
npc = Mod_781_SLD_Cipher_MT;
nr = 1;
condition = Info_Mod_Cipher_Hi_Condition;
information = Info_Mod_Cipher_Hi_Info;
permanent = 0;
important = 0;
description = "Hallo.";
};
FUNC INT Info_Mod_Cipher_Hi_Condition()
{
return 1;
};
FUNC VOID Info_Mod_Cipher_Hi_Info()
{
AI_Output(hero, self, "Info_Mod_Cipher_Hi_15_00"); //Hallo.
AI_Output(self, hero, "Info_Mod_Cipher_Hi_32_01"); //Hallo.
AI_Output(hero, self, "Info_Mod_Cipher_Hi_15_02"); //Handelst du immer noch mit Sumpfkraut?
AI_Output(self, hero, "Info_Mod_Cipher_Hi_32_03"); //(leise) Psst, nicht so laut. Es sind keine leichten Zeiten für den Handel mit Sumpfkraut.
AI_Output(self, hero, "Info_Mod_Cipher_Hi_32_04"); //Ähhm, du hast nicht zufällig wieder mal einige Sumpfkrautpflanzen oder einige Sumpfkrautstängel bei dir?
AI_Output(self, hero, "Info_Mod_Cipher_Hi_32_05"); //Je 10 würden mir echt weiterhelfen und ich würde dir einen guten Preis dafür geben.
Log_CreateTopic (TOPIC_MOD_HAENDLER_SOELDNER, LOG_NOTE);
B_LogEntry (TOPIC_MOD_HAENDLER_SOELDNER, "Cipher wird mit mir handeln.");
if (Npc_HasItems(hero, ItMi_Joint) >= 10)
|| (Npc_HasItems(hero, ItPl_SwampHerb) >= 10)
{
Info_ClearChoices (Info_Mod_Cipher_Hi);
if (Npc_HasItems(hero, ItPl_SwampHerb) >= 10)
&& (Npc_HasItems(hero, ItMi_Joint) >= 10)
{
Info_AddChoice (Info_Mod_Cipher_Hi, "Hier hast du 10 Sumpfkrautpflanzen und 10 Stängel.", Info_Mod_Cipher_Hi_D);
};
if (Npc_HasItems(hero, ItMi_Joint) >= 10)
{
Info_AddChoice (Info_Mod_Cipher_Hi, "Hier hast du 10 Sumpfkrautstängel.", Info_Mod_Cipher_Hi_B);
};
if (Npc_HasItems(hero, ItPl_SwampHerb) >= 10)
{
Info_AddChoice (Info_Mod_Cipher_Hi, "Hier hast du 10 Sumpfkrautpflanzen.", Info_Mod_Cipher_Hi_A);
};
};
};
FUNC VOID Info_Mod_Cipher_Hi_C()
{
AI_Output(self, hero, "Info_Mod_Cipher_Hi_C_32_00"); //Hey, vielen Dank. Hier hast du 200 Gold und 5 Erz.
B_GivePlayerXP (100);
B_ShowGivenThings ("200 Gold und 5 Erz erhalten");
CreateInvItems (hero, ItMi_Gold, 200);
CreateInvItems (hero, ItMi_Nugget, 5);
Info_ClearChoices (Info_Mod_Cipher_Hi);
};
FUNC VOID Info_Mod_Cipher_Hi_D()
{
AI_Output(hero, self, "Info_Mod_Cipher_Hi_D_15_00"); //Hier hast du 10 Sumpfkrautpflanzen und 10 Stängel.
Npc_RemoveInvItems (hero, ItMi_Joint, 10);
Npc_RemoveInvItems (hero, ItPl_SwampHerb, 10);
B_ShowGivenThings ("10 Sumpfkraut und 10 Stängel Sumpfkraut gegeben");
AI_Output(self, hero, "Info_Mod_Cipher_Hi_D_32_01"); //Hey, vielen Dank. Hier hast du 400 Gold und 10 Erz.
B_GivePlayerXP (200);
B_ShowGivenThings ("400 Gold und 10 Erz erhalten");
CreateInvItems (hero, ItMi_Gold, 400);
CreateInvItems (hero, ItMi_Nugget, 10);
Info_ClearChoices (Info_Mod_Cipher_Hi);
};
FUNC VOID Info_Mod_Cipher_Hi_B()
{
AI_Output(hero, self, "Info_Mod_Cipher_Hi_B_15_00"); //Hier hast du 10 Sumpfkrautstängel.
B_GiveInvItems (hero, self, ItMi_Joint, 10);
Info_Mod_Cipher_Hi_C();
};
FUNC VOID Info_Mod_Cipher_Hi_A()
{
AI_Output(hero, self, "Info_Mod_Cipher_Hi_A_15_00"); //Hier hast du 10 Sumpfkrautpflanzen.
B_GiveInvItems (hero, self, ItPl_SwampHerb, 10);
Info_Mod_Cipher_Hi_C();
};
INSTANCE Info_Mod_Cipher_Skinner (C_INFO)
{
npc = Mod_781_SLD_Cipher_MT;
nr = 1;
condition = Info_Mod_Cipher_Skinner_Condition;
information = Info_Mod_Cipher_Skinner_Info;
permanent = 0;
important = 0;
description = "Willst du grüne Novizen?";
};
FUNC INT Info_Mod_Cipher_Skinner_Condition()
{
if (Npc_KnowsInfo(hero, Info_Mod_Skinner_Laufbursche))
&& (!Npc_KnowsInfo(hero, Info_Mod_Skinner_Laufbursche2))
&& (Npc_KnowsInfo(hero, Info_Mod_Edgor_Skinner))
&& (Npc_HasItems(hero, ItMi_Addon_Joint_01) > 0)
{
return 1;
};
};
FUNC VOID Info_Mod_Cipher_Skinner_Info()
{
AI_Output(hero, self, "Info_Mod_Cipher_Skinner_15_00"); //Willst du grüne Novizen?
AI_Output(self, hero, "Info_Mod_Cipher_Skinner_32_01"); //Das kann meinem Geschäft nur gut tun, also immer her mit dem Zeug.
AI_Output(hero, self, "Info_Mod_Cipher_Skinner_15_02"); //Hier, nimm.
B_GiveInvItems (hero, self, ItMi_Addon_Joint_01, Npc_HasItems(hero, ItMi_Addon_Joint_01));
AI_Output(self, hero, "Info_Mod_Cipher_Skinner_32_03"); //Hier dein Gold.
B_GiveInvItems (self, hero, ItMi_Gold, Npc_HasItems(self, ItMi_Addon_Joint_01)*30);
B_GivePlayerXP (100);
B_LogEntry (TOPIC_MOD_BDT_SKINNER, "So, damit bin ich bei Cipher die ganzen grünen Novizen losgeworden.");
};
INSTANCE Info_Mod_Cipher_Trade (C_INFO)
{
npc = Mod_781_SLD_Cipher_MT;
nr = 1;
condition = Info_Mod_Cipher_Trade_Condition;
information = Info_Mod_Cipher_Trade_Info;
permanent = 1;
important = 0;
trade = 1;
description = DIALOG_TRADE;
};
FUNC INT Info_Mod_Cipher_Trade_Condition()
{
if (Npc_KnowsInfo(hero, Info_Mod_Cipher_Hi))
{
return 1;
};
};
FUNC VOID Info_Mod_Cipher_Trade_Info()
{
B_GiveTradeInv (self);
B_Say (hero, self, "$TRADE_1");
};
INSTANCE Info_Mod_Cipher_Pickpocket (C_INFO)
{
npc = Mod_781_SLD_Cipher_MT;
nr = 1;
condition = Info_Mod_Cipher_Pickpocket_Condition;
information = Info_Mod_Cipher_Pickpocket_Info;
permanent = 1;
important = 0;
description = Pickpocket_90;
};
FUNC INT Info_Mod_Cipher_Pickpocket_Condition()
{
C_Beklauen (77, ItMi_Joint, 6);
};
FUNC VOID Info_Mod_Cipher_Pickpocket_Info()
{
Info_ClearChoices (Info_Mod_Cipher_Pickpocket);
Info_AddChoice (Info_Mod_Cipher_Pickpocket, DIALOG_BACK, Info_Mod_Cipher_Pickpocket_BACK);
Info_AddChoice (Info_Mod_Cipher_Pickpocket, DIALOG_PICKPOCKET, Info_Mod_Cipher_Pickpocket_DoIt);
};
FUNC VOID Info_Mod_Cipher_Pickpocket_BACK()
{
Info_ClearChoices (Info_Mod_Cipher_Pickpocket);
};
FUNC VOID Info_Mod_Cipher_Pickpocket_DoIt()
{
if (B_Beklauen() == TRUE)
{
Info_ClearChoices (Info_Mod_Cipher_Pickpocket);
}
else
{
Info_ClearChoices (Info_Mod_Cipher_Pickpocket);
Info_AddChoice (Info_Mod_Cipher_Pickpocket, DIALOG_PP_BESCHIMPFEN, Info_Mod_Cipher_Pickpocket_Beschimpfen);
Info_AddChoice (Info_Mod_Cipher_Pickpocket, DIALOG_PP_BESTECHUNG, Info_Mod_Cipher_Pickpocket_Bestechung);
Info_AddChoice (Info_Mod_Cipher_Pickpocket, DIALOG_PP_HERAUSREDEN, Info_Mod_Cipher_Pickpocket_Herausreden);
};
};
FUNC VOID Info_Mod_Cipher_Pickpocket_Beschimpfen()
{
B_Say (hero, self, "$PICKPOCKET_BESCHIMPFEN");
B_Say (self, hero, "$DIRTYTHIEF");
Info_ClearChoices (Info_Mod_Cipher_Pickpocket);
AI_StopProcessInfos (self);
B_Attack (self, hero, AR_Theft, 1);
};
FUNC VOID Info_Mod_Cipher_Pickpocket_Bestechung()
{
B_Say (hero, self, "$PICKPOCKET_BESTECHUNG");
var int rnd; rnd = r_max(99);
if (rnd < 25)
|| ((rnd >= 25) && (rnd < 50) && (Npc_HasItems(hero, ItMi_Gold) < 50))
|| ((rnd >= 50) && (rnd < 75) && (Npc_HasItems(hero, ItMi_Gold) < 100))
|| ((rnd >= 75) && (rnd < 100) && (Npc_HasItems(hero, ItMi_Gold) < 200))
{
B_Say (self, hero, "$DIRTYTHIEF");
Info_ClearChoices (Info_Mod_Cipher_Pickpocket);
AI_StopProcessInfos (self);
B_Attack (self, hero, AR_Theft, 1);
}
else
{
if (rnd >= 75)
{
B_GiveInvItems (hero, self, ItMi_Gold, 200);
}
else if (rnd >= 50)
{
B_GiveInvItems (hero, self, ItMi_Gold, 100);
}
else if (rnd >= 25)
{
B_GiveInvItems (hero, self, ItMi_Gold, 50);
};
B_Say (self, hero, "$PICKPOCKET_BESTECHUNG_01");
Info_ClearChoices (Info_Mod_Cipher_Pickpocket);
AI_StopProcessInfos (self);
};
};
FUNC VOID Info_Mod_Cipher_Pickpocket_Herausreden()
{
B_Say (hero, self, "$PICKPOCKET_HERAUSREDEN");
if (r_max(99) < Mod_Verhandlungsgeschick)
{
B_Say (self, hero, "$PICKPOCKET_HERAUSREDEN_01");
Info_ClearChoices (Info_Mod_Cipher_Pickpocket);
}
else
{
B_Say (self, hero, "$PICKPOCKET_HERAUSREDEN_02");
};
};
INSTANCE Info_Mod_Cipher_EXIT (C_INFO)
{
npc = Mod_781_SLD_Cipher_MT;
nr = 1;
condition = Info_Mod_Cipher_EXIT_Condition;
information = Info_Mod_Cipher_EXIT_Info;
permanent = 1;
important = 0;
description = DIALOG_ENDE;
};
FUNC INT Info_Mod_Cipher_EXIT_Condition()
{
return 1;
};
FUNC VOID Info_Mod_Cipher_EXIT_Info()
{
AI_StopProcessInfos (self);
}; | D |
/Users/sara/Developer/CDSwiftAST/.build/x86_64-apple-macosx10.10/debug/Lexer.build/Lexer+NumericLiteral.swift.o : /Users/sara/Developer/CDSwiftAST/.build/checkouts/swift-ast.git-8063689949984878003/Sources/Lexer/TokenKind+Equatable.swift /Users/sara/Developer/CDSwiftAST/.build/checkouts/swift-ast.git-8063689949984878003/Sources/Lexer/Role.swift /Users/sara/Developer/CDSwiftAST/.build/checkouts/swift-ast.git-8063689949984878003/Sources/Lexer/TokenKind+Naming.swift /Users/sara/Developer/CDSwiftAST/.build/checkouts/swift-ast.git-8063689949984878003/Sources/Lexer/Lexer+NumericLiteral.swift /Users/sara/Developer/CDSwiftAST/.build/checkouts/swift-ast.git-8063689949984878003/Sources/Lexer/Lexer+StringLiteral.swift /Users/sara/Developer/CDSwiftAST/.build/checkouts/swift-ast.git-8063689949984878003/Sources/Lexer/Token.swift /Users/sara/Developer/CDSwiftAST/.build/checkouts/swift-ast.git-8063689949984878003/Sources/Lexer/TokenInvalidReason.swift /Users/sara/Developer/CDSwiftAST/.build/checkouts/swift-ast.git-8063689949984878003/Sources/Lexer/Char.swift /Users/sara/Developer/CDSwiftAST/.build/checkouts/swift-ast.git-8063689949984878003/Sources/Lexer/TokenKind+Modifier.swift /Users/sara/Developer/CDSwiftAST/.build/checkouts/swift-ast.git-8063689949984878003/Sources/Lexer/Lexer+Identifier.swift /Users/sara/Developer/CDSwiftAST/.build/checkouts/swift-ast.git-8063689949984878003/Sources/Lexer/Scanner.swift /Users/sara/Developer/CDSwiftAST/.build/checkouts/swift-ast.git-8063689949984878003/Sources/Lexer/Role+Lexer.swift /Users/sara/Developer/CDSwiftAST/.build/checkouts/swift-ast.git-8063689949984878003/Sources/Lexer/UnicodeScalar+Lexer.swift /Users/sara/Developer/CDSwiftAST/.build/checkouts/swift-ast.git-8063689949984878003/Sources/Lexer/Lexer.swift /Users/sara/Developer/CDSwiftAST/.build/checkouts/swift-ast.git-8063689949984878003/Sources/Lexer/Lexer+Operator.swift /Users/sara/Developer/CDSwiftAST/.build/checkouts/swift-ast.git-8063689949984878003/Sources/Lexer/Lexer+Comment.swift /Users/sara/Developer/CDSwiftAST/.build/checkouts/swift-ast.git-8063689949984878003/Sources/Lexer/Lexer+Checkpoint.swift /Users/sara/Developer/CDSwiftAST/.build/checkouts/swift-ast.git-8063689949984878003/Sources/Lexer/TokenKind+Dummy.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/sara/Developer/CDSwiftAST/.build/x86_64-apple-macosx10.10/debug/Diagnostic.swiftmodule /Users/sara/Developer/CDSwiftAST/.build/x86_64-apple-macosx10.10/debug/Source.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Users/sara/Developer/CDSwiftAST/.build/x86_64-apple-macosx10.10/debug/Bocho.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes
/Users/sara/Developer/CDSwiftAST/.build/x86_64-apple-macosx10.10/debug/Lexer.build/Lexer+NumericLiteral~partial.swiftmodule : /Users/sara/Developer/CDSwiftAST/.build/checkouts/swift-ast.git-8063689949984878003/Sources/Lexer/TokenKind+Equatable.swift /Users/sara/Developer/CDSwiftAST/.build/checkouts/swift-ast.git-8063689949984878003/Sources/Lexer/Role.swift /Users/sara/Developer/CDSwiftAST/.build/checkouts/swift-ast.git-8063689949984878003/Sources/Lexer/TokenKind+Naming.swift /Users/sara/Developer/CDSwiftAST/.build/checkouts/swift-ast.git-8063689949984878003/Sources/Lexer/Lexer+NumericLiteral.swift /Users/sara/Developer/CDSwiftAST/.build/checkouts/swift-ast.git-8063689949984878003/Sources/Lexer/Lexer+StringLiteral.swift /Users/sara/Developer/CDSwiftAST/.build/checkouts/swift-ast.git-8063689949984878003/Sources/Lexer/Token.swift /Users/sara/Developer/CDSwiftAST/.build/checkouts/swift-ast.git-8063689949984878003/Sources/Lexer/TokenInvalidReason.swift /Users/sara/Developer/CDSwiftAST/.build/checkouts/swift-ast.git-8063689949984878003/Sources/Lexer/Char.swift /Users/sara/Developer/CDSwiftAST/.build/checkouts/swift-ast.git-8063689949984878003/Sources/Lexer/TokenKind+Modifier.swift /Users/sara/Developer/CDSwiftAST/.build/checkouts/swift-ast.git-8063689949984878003/Sources/Lexer/Lexer+Identifier.swift /Users/sara/Developer/CDSwiftAST/.build/checkouts/swift-ast.git-8063689949984878003/Sources/Lexer/Scanner.swift /Users/sara/Developer/CDSwiftAST/.build/checkouts/swift-ast.git-8063689949984878003/Sources/Lexer/Role+Lexer.swift /Users/sara/Developer/CDSwiftAST/.build/checkouts/swift-ast.git-8063689949984878003/Sources/Lexer/UnicodeScalar+Lexer.swift /Users/sara/Developer/CDSwiftAST/.build/checkouts/swift-ast.git-8063689949984878003/Sources/Lexer/Lexer.swift /Users/sara/Developer/CDSwiftAST/.build/checkouts/swift-ast.git-8063689949984878003/Sources/Lexer/Lexer+Operator.swift /Users/sara/Developer/CDSwiftAST/.build/checkouts/swift-ast.git-8063689949984878003/Sources/Lexer/Lexer+Comment.swift /Users/sara/Developer/CDSwiftAST/.build/checkouts/swift-ast.git-8063689949984878003/Sources/Lexer/Lexer+Checkpoint.swift /Users/sara/Developer/CDSwiftAST/.build/checkouts/swift-ast.git-8063689949984878003/Sources/Lexer/TokenKind+Dummy.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/sara/Developer/CDSwiftAST/.build/x86_64-apple-macosx10.10/debug/Diagnostic.swiftmodule /Users/sara/Developer/CDSwiftAST/.build/x86_64-apple-macosx10.10/debug/Source.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Users/sara/Developer/CDSwiftAST/.build/x86_64-apple-macosx10.10/debug/Bocho.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes
/Users/sara/Developer/CDSwiftAST/.build/x86_64-apple-macosx10.10/debug/Lexer.build/Lexer+NumericLiteral~partial.swiftdoc : /Users/sara/Developer/CDSwiftAST/.build/checkouts/swift-ast.git-8063689949984878003/Sources/Lexer/TokenKind+Equatable.swift /Users/sara/Developer/CDSwiftAST/.build/checkouts/swift-ast.git-8063689949984878003/Sources/Lexer/Role.swift /Users/sara/Developer/CDSwiftAST/.build/checkouts/swift-ast.git-8063689949984878003/Sources/Lexer/TokenKind+Naming.swift /Users/sara/Developer/CDSwiftAST/.build/checkouts/swift-ast.git-8063689949984878003/Sources/Lexer/Lexer+NumericLiteral.swift /Users/sara/Developer/CDSwiftAST/.build/checkouts/swift-ast.git-8063689949984878003/Sources/Lexer/Lexer+StringLiteral.swift /Users/sara/Developer/CDSwiftAST/.build/checkouts/swift-ast.git-8063689949984878003/Sources/Lexer/Token.swift /Users/sara/Developer/CDSwiftAST/.build/checkouts/swift-ast.git-8063689949984878003/Sources/Lexer/TokenInvalidReason.swift /Users/sara/Developer/CDSwiftAST/.build/checkouts/swift-ast.git-8063689949984878003/Sources/Lexer/Char.swift /Users/sara/Developer/CDSwiftAST/.build/checkouts/swift-ast.git-8063689949984878003/Sources/Lexer/TokenKind+Modifier.swift /Users/sara/Developer/CDSwiftAST/.build/checkouts/swift-ast.git-8063689949984878003/Sources/Lexer/Lexer+Identifier.swift /Users/sara/Developer/CDSwiftAST/.build/checkouts/swift-ast.git-8063689949984878003/Sources/Lexer/Scanner.swift /Users/sara/Developer/CDSwiftAST/.build/checkouts/swift-ast.git-8063689949984878003/Sources/Lexer/Role+Lexer.swift /Users/sara/Developer/CDSwiftAST/.build/checkouts/swift-ast.git-8063689949984878003/Sources/Lexer/UnicodeScalar+Lexer.swift /Users/sara/Developer/CDSwiftAST/.build/checkouts/swift-ast.git-8063689949984878003/Sources/Lexer/Lexer.swift /Users/sara/Developer/CDSwiftAST/.build/checkouts/swift-ast.git-8063689949984878003/Sources/Lexer/Lexer+Operator.swift /Users/sara/Developer/CDSwiftAST/.build/checkouts/swift-ast.git-8063689949984878003/Sources/Lexer/Lexer+Comment.swift /Users/sara/Developer/CDSwiftAST/.build/checkouts/swift-ast.git-8063689949984878003/Sources/Lexer/Lexer+Checkpoint.swift /Users/sara/Developer/CDSwiftAST/.build/checkouts/swift-ast.git-8063689949984878003/Sources/Lexer/TokenKind+Dummy.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/sara/Developer/CDSwiftAST/.build/x86_64-apple-macosx10.10/debug/Diagnostic.swiftmodule /Users/sara/Developer/CDSwiftAST/.build/x86_64-apple-macosx10.10/debug/Source.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Users/sara/Developer/CDSwiftAST/.build/x86_64-apple-macosx10.10/debug/Bocho.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes
| D |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.